4

我想检查一组图像文件名,看看有多少连续图像使用 PHP 具有相同的方向。

在下面的示例中,我想知道索引 1 到 4 具有相同的方向,或者在第一个索引处有四个具有相同方向的连续图像。

作为参考,“方向”值是垂直的“V”和水平的“H”。

例如,

Array
(
[0] => Array
    (
        [filename] => image0.jpg
        [orientation] => V
    )

[1] => Array
    (
        [filename] => image1.jpg
        [orientation] => H
    )

[2] => Array
    (
        [filename] => image2.jpg
        [orientation] => H
    )

[3] => Array
    (
        [filename] => image3.jpg
        [orientation] => H
    )

[4] => Array
    (
        [filename] => image4.jpg
        [orientation] => H
    )
[5] => Array
    (
        [filename] => image5.jpg
        [orientation] => V
    )
[...]
[n]
}

必须有比这更好的方法

if ([i]['orientation'] == [i+1]['orientation'])
if ([i]['orientation'] == [i+1]['orientation'] == [i+2]['orientation'])
if ([i]['orientation'] == [i+1]['orientation'] == [i+2]['orientation']  == [i+3]['orientation'])
if ([i]['orientation'] == [i+1]['orientation'] == [i+2]['orientation'] == [i+3]['orientation'] == [i+4]['orientation'])
4

1 回答 1

7

如果我理解您尝试应用的逻辑,SplQueue 将提供所有功能,以彻底和整洁的 OOP 方式解决您的问题。

我写了这个,根据您提供的用例,它对我来说很好。

// your data array
$array = array(
    array("filename"=>"image0.jpg","orientation"=>"V"),
    array("filename"=>"image1.jpg","orientation"=>"H"),
    array("filename"=>"image2.jpg","orientation"=>"H"),
    array("filename"=>"image3.jpg","orientation"=>"H"),
    array("filename"=>"image4.jpg","orientation"=>"H"));


function queue($array) {

    // grab a new SqlQueue object -- http://php.net/manual/en/class.splqueue.php    
    $q = new SplQueue;
    foreach($array as $key=>$val) {
        // if this is the first iteration or the queue object was emptied out
        if ($q->isEmpty()) {
            $q->enqueue($val);
        } else {

            if ($val['orientation'] == $array[$key--]['orientation']) {
                $q->enqueue($val);
                if (($q->count() % 4) == 0) {
                    return $q;
                }
            } else {
                // Dequeue the whole group on interrupt
                while ($q->valid()) {
                   $q->dequeue();
                }
                // ... and start filling the queue, the mismatch as the new pattern
                $q->enqueue($val);
            }
        }
    }
}

$q = queue($array);
echo $q->count();

数据属性enqueued()集是私有的,因此您必须在课堂上使其可见。

如果您使用的是 PHP 5.4+,则可以将递减的数组索引调用替换为函数数组解引用,如下所示:

    if ($val['orientation'] == prev($array[$key])['orientation'] {
    //...

其他一切都很标准。模数测试在连续获得 4 个匹配项后立即返回队列对象,因为 SplQueue 对象强制执行排序索引 FIFO,并且不能取消排序。最后,如果队列之前的匹配中断连续有 4 个匹配项,Spl 的迭代器会清空队列以重新开始 - 从不匹配开始(第一个新模式。)

那应该涵盖所有内容...

HTH :)

于 2012-12-14T09:43:46.627 回答