在分叉儿调用兰特/ mt_rand得到相同的结果(Calling rand/mt_rand on f

2019-07-19 21:21发布

我正在写需要PHP执行并发任务的脚本。

我跑了一个小测试,跑进奇怪的结果。 我使用pcntl_fork生成一个孩子。 父进程不做任何事,但等到孩子完成。

我生成5个孩子,每个孩子将运行产生的随机数(秒),并睡那么久的功能。 出于某种原因 - 所有的孩子产生相同的号码。

下面是一个代码示例:

private $_child_count = 0;

private function _fork_and_exec($func)
{
    $cid = ++$this->_child_count;
    $pid = pcntl_fork();
    if ($pid){  // parent
        return $pid;
    } else {    // child
        $func($cid);
        //pcntl_waitpid(-1, $status);
        exit;
    }
}
public function parallel_test()
{
    $func = function($id){
        echo 'child ' . $id . ' starts'."\n";
        $wait_time = mt_rand(1,4);
        echo 'sleeping for '.$wait_time."\n";
        sleep($wait_time);
        echo 'child ' . $id . ' ends'."\n";
    };
    $children = [];
    for ($i=0; $i<5; $i++){
        $children[] = $this->_fork_and_exec($func) ."\n";
    }
    pcntl_wait($status);
    echo 'done' ."\n";
    exit;
}

示例输出:

child 1 starts
sleeping for 1
child 2 starts
sleeping for 1
child 3 starts
sleeping for 1
child 4 starts
sleeping for 1
child 5 starts
sleeping for 1
child 1 ends
child 2 ends
child 3 ends
child 4 ends
child 5 ends
done

提前致谢

Answer 1:

这是因为所有的孩子具有相同状态(fork()的复制的代码段和数据段)启动。 而且,由于兰特和mt_rand是伪随机发生器,它们都会产生相同的序列。

你将不得不与进程/线程ID重新初始化随机数生成器,例如读取或从/ dev / urandom的几个字节。



Answer 2:

我真的觉得你应该看看pthreads ,提供多线程是基于Posix线程PHP兼容。

就这么简单

class AsyncOperation extends Thread {
    public function __construct($arg) {
        $this->arg = $arg;
    }
    public function run() {
        if ($this->arg) {
            echo 'child ' . $this->arg . ' starts' . "\n";
            $wait_time = mt_rand(1, 4);
            echo 'sleeping for ' . $wait_time . "\n";
            sleep($wait_time);
            echo 'child ' . $this->arg . ' ends' . "\n";
        }
    }
}
$t = microtime(true);
$g = array();
foreach(range("A","D") as $i) {
    $g[] = new AsyncOperation($i);
}
foreach ( $g as $t ) {
    $t->start();
}

产量

child B starts
sleeping for 3
child B ends
child C starts
sleeping for 3
child C ends
child A starts
sleeping for 4
child A ends
child D starts
sleeping for 4
child D ends


文章来源: Calling rand/mt_rand on forked children yields identical results
标签: php random fork