PHP pthread拓展使用和注意点(2)

(1)线程在创建之后,无法访问到父线程的变量,诸如$GLOBALS或global等用法都无法操作父线程的全局变量,这应该是考虑到了线程安全的问题;

(2)但是父线程却能够访问子线程对象的内容;

扩展内容

php Pthread 多线程

线程,有时称为轻量级进程,是程序执行的最小单元。线程是进程中的一个实体,是被系统独立调度和分派的基本单位,线程自己不拥有系统资源,它与同属一个进程的其它线程共享进程所拥有的全部资源。一个线程可以创建和撤消另一个线程,同一进程中的多个线程之间可以并发执行。每一个程序都至少有一个线程,那就是程序本身,通常称为主线程。线程是程序中一个单一的顺序控制流程。 在单个程序中同时运行多个线程完成不同的工作,称为多线程。

<?php
 
//实现多线程必须继承Thread类
class test extends Thread {
  public function __construct($arg){
    $this->arg = $arg;
  }
 
  //当调用start方法时,该对象的run方法中的代码将在独立线程中异步执行。
  public function run(){
    if($this->arg){
      printf("Hello %s\n", $this->arg);
    }
  }
}
$thread = new test("World");
 
if($thread->start()) {
  //join方法的作用是让当前主线程等待该线程执行完毕
  //确认被join的线程执行结束,和线程执行顺序没关系。
  //也就是当主线程需要子线程的处理结果,主线程需要等待子线程执行完毕
  //拿到子线程的结果,然后处理后续代码。
  $thread->join();
}
?>

我们把上述代码修改一下,看看效果

<?php
 
class test extends Thread {
  public function __construct($arg){
    $this->arg = $arg;
  }
  public function run(){
    if($this->arg){
      sleep(3);
      printf("Hello %s\n", $this->arg);
    }
  }
}
$thread = new test("World");
 
$thread->start();
 
echo "main thread\r\n";
?>

我们直接调用start方法,而没有调用join。主线程不会等待,而是在输出main thread。子线程等待3秒才输出Hello World。

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:http://www.heiqu.com/4072.html