php 5.5新特性のyield理解


今日は他の人のコードを読む時、知らないキーワードのyieldが現れました.http://php.net/manual/zh/language.generators.overview.php
yield生成器はphp 5.5の後に現れます.yieldは簡単な反復オブジェクトを実現するためのより簡単な方法を提供します.比較定義クラスの実現 Iterator インタフェースの方式では、性能オーバーヘッドと複雑さが大幅に低減される.
yieldジェネレータは、あなたがforeachコードブロックにコードを書いてメモリ内で配列を作成する必要がないデータのセットを繰り返すことを許可します.
使用例:
/**
 *       
 * @param $start
 * @param $stop
 * @return Generator
 */
function squares($start, $stop) {
    if ($start < $stop) {
        for ($i = $start; $i <= $stop; $i++) {
            yield $i => $i * $i;
        }
    }
    else {
        for ($i = $start; $i >= $stop; $i--) {
            yield $i => $i * $i; //      :  =》 
        }
    }
}
foreach (squares(3, 15) as $n => $square) {
    echo $n . ‘squared is‘ . $square . ‘
; } : 3 squared is 9 4 squared is 16 5 squared is 25 ...
例2:
//           
$numbers = array(‘nike‘ => 200, ‘jordan‘ => 500, ‘adiads‘ => 800);

//    ,           ,           
function rand_weight($numbers)
{
    $total = 0;
    foreach ($numbers as $number => $weight) {
        $total += $weight;
        $distribution[$number] = $total;
    }
    $rand = mt_rand(0, $total-1);

    foreach ($distribution as $num => $weight) {
        if ($rand < $weight) return $num;
    }
}

//  yield   
function mt_rand_weight($numbers) {
    $total = 0;
    foreach ($numbers as $number => $weight) {
        $total += $weight;
        yield $number => $total;
    }
}

function mt_rand_generator($numbers)
{
    $total = array_sum($numbers);
    $rand = mt_rand(0, $total -1);
    foreach (mt_rand_weight($numbers) as $num => $weight) {
        if ($rand < $weight) return $num;
    }
}