如何检查在JS中是否设置了多维数组项



如何检查是否在JS中设置了多维数组项?

w[1][2] = new Array;
w[1][2][1] = new Array;
w[1][2][1][1] = 10; w[1][2][1][2] = 20; w[1][2][1][4] = 30;

如何查看w[1][2][1][3]是否已设置?

if (typeof w[1][2][1][3] != 'undefined')溶液不工作

我不想用Object来代替Array

在检查子元素之前没有检查前一个数组元素是否存在,因为如果父元素不存在,子元素就不能存在

if( 
    typeof(w) != 'undefined' &&
    typeof(w[1]) != 'undefined' &&
    typeof(w[1][2]) != 'undefined' &&
    typeof(w[1][2][1]) != 'undefined' &&
    typeof(w[1][2][1][3]) != 'undefined' &&
  ) {
    //do your code here if it exists  
  } else {
    //One of the array elements does not exist
  }

if将运行else子句中的代码,如果它看到前面的任何元素不存在。如果前面任何一个检查返回false,则停止检查其他检查。

这是一种更通用的方法,您可以通过扩展Array的原型来实现:

Array.prototype.check = function() {
    var arr = this, i, max_i;
    for (i = 0, max_i = arguments.length; i < max_i; i++) {
        arr = arr[arguments[i]];
        if (arr === undefined) {
            return false;
        }
    }
    return true;    
}
w.check(1, 2, 1, 4); //will be true if w[1][2][1][4] exists

或者如果你不喜欢原型扩展,你可以使用一个单独的函数:

function check(arr) {
    var i, max_i;
    for (i = 1, max_i = arguments.length; i < max_i; i++) {
        arr = arr[arguments[i]];
        if (arr === undefined) {
            return false;
        }
    }
    return true;
}
check(w, 1, 2, 1, 4); //will be true if w[1][2][1][4] exists

相关内容

  • 没有找到相关文章

最新更新