1
function array_searchRecursive( $needle, $haystack, $strict=false, $path=array() )
{
    if( !is_array($haystack) ) {
        return false;
    }

    foreach( $haystack as $key => $val ) {

        if( is_array($val) && $subPath = array_searchRecursive($needle, $val, $strict, $path) ) {
            $path = array_merge($path, array($key), $subPath);

            return $path;
        } else if( (!$strict && $val == $needle) || ($strict && $val === $needle) ) {

            $path[] = $key;
            return $path;
        }
    }
    return false;
}

有没有人向我建议相同的功能,可以在 javascript 中实现。参考http://www.php.net/manual/en/function.array-search.php#68424

4

3 回答 3

1

确实下划线(或者可能表现更好:lodash)是你的人。JavaScript 在很大程度上是一种函数式语言,并且在最新的规范中包含下划线提供的大多数功能。对于浏览器兼容,仍建议使用下划线。

在您的情况下,最好的下划线功能是:

var haystack = [
  {a: 1}, [{b: 2}, {c: 3}, [{d: 4}, {e: 5}, [{f: 6}, {g: 7}] ] ]
],
needle = 4;

//Search
var result = _(haystack).chain() //chain so we can keep underscoring
  .flatten() //flatten the array
  .find(function(o) { //find the first element that matches our search function
    return _(o).chain() //chain so we can keep underscoring
      .values() //get all object values as an array
      .contains(needle) //see if any of our values contains the needle
      .value(); //get out of the chain
  })
  .value(); //get out of the chain

//In short:
var result = _(haystack).chain().flatten().find(function(o) { return _(o).chain().values().contains(needle).value(); }).value();

当然,您必须对此进行微调并实施您的 $strict 等。

于 2012-10-09T15:39:27.420 回答
1

这可能会给你一个开始。未经彻底测试或高度优化,并假设使用 jQuery(用其他实现替换 jQuery 实用程序函数应该不是大问题)。

function searchArrayRecursive(needle, haystack, strict) {

    function constructPath(needle, haystack, path, strict) {
        if (!$.isArray(haystack)) {
            return false;
        }
        var index;
        for (index = 0; index < haystack.length; index++) {
            var value = haystack[index];
            var currentPath = $.merge([], path);
            currentPath.push(index);

            if ((strict && value === needle) || (!strict && value == needle)) {
                return currentPath;
            }
            if ($.isArray(value)) {

                var foundPath = constructPath(needle, value, currentPath, strict);
                if (foundPath) {
                    return foundPath;
                }
            }
        }

        return false;
    }


    return constructPath(needle, haystack, [], strict);
}

http://jsfiddle.net/b8TxJ/2/

于 2012-10-09T18:14:11.317 回答
0

如果您愿意使用库,我认为 Underscore.js 具有可以为您提供所需内容的功能,可能使用 _.find()、_.pluck() 或 _.pick()。还有很多其他方法可以帮助解决这个问题。

如果您想在核心 JS 中执行此操作,请查看 Underscore 源代码的封面,其中包含 FANTASTIC 注释/文档:

http://underscorejs.org/docs/underscore.html

于 2012-10-09T15:10:13.890 回答