PHP 相当于 Python 的 yield 运算符

2022-08-30 20:45:16

在Python(和其他)中,您可以通过在函数中使用“yield”运算符来增量处理大量数据。在PHP中这样做的类似方法是什么?

例如,假设在Python中,如果我想读取一个可能非常大的文件,我可以像这样一次处理每行一行(这个例子是人为的,因为它基本上与“file_obj中的行”相同):

def file_lines(fname):
    f = open(fname)
    for line in f:
        yield line
    f.close()

for line in file_lines('somefile'):
    #process the line

我现在(在PHP中)正在做的是,我正在使用一个私有实例变量来跟踪状态,并在每次调用函数时采取相应的行动,但似乎必须有更好的方法。


答案 1

https://wiki.php.net/rfc/generators 有一个 rfc 解决了这个问题,这可能包含在 PHP 5.5 中。

同时,请查看在用户空间中实现的穷人“生成器功能”的概念验证。

namespace Functional;

error_reporting(E_ALL|E_STRICT);

const BEFORE = 1;
const NEXT = 2;
const AFTER = 3;
const FORWARD = 4;
const YIELD = 5;

class Generator implements \Iterator {
    private $funcs;
    private $args;
    private $key;
    private $result;

    public function __construct(array $funcs, array $args) {
        $this->funcs = $funcs;
        $this->args = $args;
    }

    public function rewind() {
        $this->key = -1;
        $this->result = call_user_func_array($this->funcs[BEFORE], 
                                             $this->args);
        $this->next();
    }

    public function valid() {
        return $this->result[YIELD] !== false;
    }

    public function current() {
        return $this->result[YIELD];
    }

    public function key() {
        return $this->key;
    }

    public function next() {
        $this->result = call_user_func($this->funcs[NEXT], 
                                       $this->result[FORWARD]);
        if ($this->result[YIELD] === false) {
            call_user_func($this->funcs[AFTER], $this->result[FORWARD]);
        }
        ++$this->key;
    }
}

function generator($funcs, $args) {
    return new Generator($funcs, $args);
}

/**
 * A generator function that lazily yields each line in a file.
 */
function get_lines_from_file($file_name) {
    $funcs = array(
        BEFORE => function($file_name) { return array(FORWARD => fopen($file_name, 'r'));   },
        NEXT   => function($fh)        { return array(FORWARD => $fh, YIELD => fgets($fh)); },
        AFTER  => function($fh)        { fclose($fh);                                       },
    );
    return generator($funcs, array($file_name));
}

// Output content of this file with padded linenumbers.
foreach (get_lines_from_file(__FILE__) as $k => $v) {
    echo str_pad($k, 8), $v;
}
echo "\n";

答案 2

PHP有一个直接的等价物,称为生成器

旧(php 5.5之前的回答):

不幸的是,没有等效的语言。最简单的方法是使用您已经在执行的操作,或者创建一个使用实例变量来维护状态的对象。

但是,如果要将函数与 foreach 语句结合使用,则有一个不错的选择:SPL 迭代器。它们可以用来实现与python生成器非常相似的东西。


推荐