0

以便:

array = [[12,13,24],[24,22,11],[11,44,55]]

会返回:

cleanedArray = [[12,13,24],[22,11],[44,55]]

我很惊讶没有在这里找到答案。

4

3 回答 3

1
var array = [[12,13,24],[24,22,11],[11,44,55]];
var output = [];
var found = {};
for (var i = 0; i < array.length; i++) {
    output.push([]);
    for (var j = 0; j < array[i].length; j++) {
        if (!found[array[i][j]]) {
            found[array[i][j]] = true; 
            output[i].push(array[i][j]);
        }
    }
}

console.log(output);
于 2013-11-06T03:36:35.260 回答
0

您是否正在寻找仅对二维数组执行此操作的函数?如果是这样,那么我认为这会起作用:

Array.prototype.clean = function()
{
    var found = [];
    for(var i = 0; i < this.length; i++)
    {
        for(var j = 0; j < this[i].length; j++)
        {
            if(found.indexOf(this[i][j]) != -1)
            {
                this[i].splice(j, 1);
            }
            else
            {
                found.push(this[i][j]);
            }
        }
    }

    return this;
};

如果它只是您要查找的一维数组,则:

Array.prototype.clean = function()
{
    var found = [];
    for(var i = 0; i < this.length; i++)
    {
        if(found.indexOf(this[i]) != -1)
        {
            this.splice(i, 1);
        }
        else
        {
            found.push(this[i]);
        }
    }

    return this;
};

这会奏效。如果您正在执行其中任何一项,请在您的阵列上执行 .clean() 以清理它。

于 2013-11-06T04:01:11.290 回答
0

修改原始数组的一个简单函数是:

function removeDups(a) {
  var item, j, found = {};

  for (var i=0, iLen=a.length; i<iLen; i++) {
    item = a[i];
    j=item.length;

    while (j--) {
      found.hasOwnProperty(item[j])? item.splice(j,1) : found[item[j]] = '';
    }
  }
  return a;
}
于 2013-11-06T04:50:01.720 回答