PHP semaphores_php 스킬의 기본 사용예에 대한 자세한 설명

WBOY
풀어 주다: 2016-05-16 19:58:50
원래의
1092명이 탐색했습니다.

이 기사의 예에서는 PHP 세마포어의 기본 사용법을 설명합니다. 참고하실 수 있도록 모든 사람과 공유하세요. 자세한 내용은 다음과 같습니다.

일부 이론적 근거:

세마포: 세마포, 세마포라고도 하며 프로세스(스레드 동기화 문제)를 해결하는 데 사용되며 잠금과 유사하며 액세스 전에 잠금을 획득하고(획득되지 않은 경우 대기) 액세스 잠금 후 해제합니다.
중요 리소스: 한 번에 하나의 프로세스만 액세스가 허용되는 리소스입니다.
크리티컬 섹션: 각 프로세스에서 중요한 리소스에 액세스하는 코드를 크리티컬 섹션
이라고 합니다. 프로세스 상호 배제: 두 개 이상의 프로세스가 동일한 공유 변수 집합의 임계 영역에 동시에 들어갈 수 없습니다. 즉, 한 프로세스는 중요한 리소스에 액세스하고 다른 프로세스는 액세스하기 전에 기다려야 합니다.
프로세스 동기화여러 프로세스 간의 실행 순서를 결정하고 데이터 경쟁 문제를 피하는 방법, 즉 여러 프로세스가 함께 잘 실행되도록 하는 방법을 주로 연구합니다

예: (바이두 백과사전에서)

주차장 운영을 예로 들어보겠습니다. 단순화를 위해 주차장에 주차 공간이 3개만 있고 처음에는 3개의 주차 공간이 모두 비어 있다고 가정합니다. 이때, 5대의 차량이 동시에 오면 문지기는 그 중 3대가 직접 진입하도록 허용한 후, 나머지 차량은 입구에서 대기해야 하며, 후속 차량도 대기해야 합니다. 입구. 이때 주차장에서 차가 한 대 빠져나갔는데, 문지기가 이 사실을 알고 차문을 열고 차를 댔다. 차가 두 대 더 남으면 두 대를 더 넣을 수 있는 식이었다.

이 주차장 시스템에서는 주차 공간이 공공 자원입니다. 각 차량은 스레드와 같고 게이트 키퍼는 세마포어 역할을 합니다.

$key=ftok(__FILE__,'t');
/**
 * 获取一个信号量资源
 int $key [, int $max_acquire = 1 [, int $perm = 0666 [, int $auto_release = 1 ]]] 
 $max_acquire:最多可以多少个进程同时获取信号
 $perm:权限 默认 0666
 $auto_release:是否自动释放信号量
 */
$sem_id=sem_get($key);
#获取信号
sem_acquire($seg_id);
//do something 这里是一个原子性操作
//释放信号量
sem_release($seg_id);
//把次信号从系统中移除
sem_remove($sem_id);
//可能出现的问题
$fp = sem_get(fileinode(__DIR__), 100);
sem_acquire($fp);
$fp2 = sem_get(fileinode(__DIR__), 1));
sem_acquire($fp2);

로그인 후 복사

PHP에서 읽기-쓰기 세마포어 구현:

class rw_semaphore {
  const READ_ACCESS = 0;
  const WRITE_ACCESS = 1;  
  /**
   * @access private
   * @var resource - mutex semaphore
   */
  private $mutex;
  /**
   * @access private
   * @var resource - read/write semaphore
   */
  private $resource;
  /**
   * @access private
   * @var int
   */
  private $writers = 0;
  /**
   * @access private
   * @var int
   */
  private $readers = 0;
  /**
   * Default constructor
   * 
   * Initialize the read/write semaphore
   */
  public function __construct() {
    $mutex_key = ftok('/home/cyrus/development/php/sysvipc/rw_semaphore.php', 'm');
    $resource_key = ftok('/home/cyrus/development/php/sysvipc/rw_semaphore.php', 'r');    
    $this->mutex = sem_get($mutex_key, 1);
    $this->resource = sem_get($resource_key, 1);    
  }
  /**
   * Destructor
   * 
   * Remove the read/write semaphore
   */
  public function __destruct() {
    sem_remove($this->mutex);
    sem_remove($this->resource);
  }
  /**
   * Request acess to the resource
   * 
   * @param int $mode
   * @return void
   */
  private function request_access($access_type = self::READ_ACCESS) {  
    if ($access_type == self::WRITE_ACCESS) {
      sem_acquire($this->mutex);
      /* update the writers counter */
      $this->writers++;
      sem_release($this->mutex);      
      sem_acquire($this->resource);
    } else {      
      sem_acquire($this->mutex);      
      if ($this->writers > 0 || $this->readers == 0) {        
        sem_release($this->mutex);        
        sem_acquire($this->resource);        
        sem_acquire($this->mutex);        
      }
      /* update the readers counter */
      $this->readers++;
      sem_release($this->mutex);
    }
  }
  private function request_release($access_type = self::READ_ACCESS) {
    if ($access_type == self::WRITE_ACCESS) {
      sem_acquire($this->mutex);
      /* update the writers counter */
      $this->writers--;
      sem_release($this->mutex);
      sem_release($this->resource);
    } else {
      sem_acquire($this->mutex);
      /* update the readers counter */
      $this->readers--;
      if ($this->readers == 0)
        sem_release($this->resource);
      sem_release($this->mutex);
    }
  }
  /**
   * Request read access to the resource
   * 
   * @return void
   */
  public function read_access() { $this->request_access(self::READ_ACCESS); }
  /**
   * Release read access to the resource
   * 
   * @return void
   */
  public function read_release() { $this->request_release(self::READ_ACCESS); }
  /**
   * Request write access to the resource
   * 
   * @return void
   */
  public function write_access() { $this->request_access(self::WRITE_ACCESS); }
  /**
   * Release write access to the resource
   * 
   * @return void
   */
  public function write_release() { $this->request_release(self::WRITE_ACCESS); }
}

로그인 후 복사

공유 메모리 신호는 원자적 연산을 구현합니다

$SHM_KEY = ftok("/home/joeldg/homeymail/shmtest.php", 'R');
$shmid = sem_get($SHM_KEY, 1024, 0644 | IPC_CREAT);
$data = shm_attach($shmid, 1024);
// we now have our shm segment
// lets place a variable in there
shm_put_var ($data, $inmem, "test");
// now lets get it back. we could be in a forked process and still have
// access to this variable.
printf("shared contents: %s\n", shm_get_var($data, $inmem));
shm_detach($data); 

로그인 후 복사

위의 예는 PHP 매뉴얼 sem_get 함수 설명에서 발췌한 것입니다

더 많은 PHP 관련 콘텐츠에 관심이 있는 독자는 이 사이트의 특별 주제인 "PHP 기본 구문 튜토리얼 소개", "PHP 오류 및 예외 처리 방법 요약"을 확인할 수 있습니다. ", " php 프로그래밍 알고리즘 요약" 및 "php 객체 지향 프로그래밍 입문 튜토리얼"

이 기사가 PHP 프로그래밍에 종사하는 모든 사람에게 도움이 되기를 바랍니다.

관련 라벨:
원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿
회사 소개 부인 성명 Sitemap
PHP 중국어 웹사이트:공공복지 온라인 PHP 교육,PHP 학습자의 빠른 성장을 도와주세요!