我有一个数组数组,我需要按元素的位置0进行过滤。
我需要过滤从另一个数组中提取的多个值,因此OR运算符不是我的方式,因为我拥有的值的数量不固定。
var arr = [
["202",27,44],
["202",194,35],
["200",233,344],
["190",333,444],
];
var newArr = arr.filter(function(item){
//fixed amount of values, not working for my purpose
return item[0] === "190" || item = "200"
});
我需要像
这样的东西var newArr = arr.filter(function(item){
return item[0] === filterValues
//where filterValues = ["190","200",etc]
});
在这种情况下,函数应该返回:
[["200",233,344],["190",333,444]]
This问题使用了下划线,但我是javascript的新手,所以我很难将它应用到我的问题中。
this适用于Angularjs。
我希望你能帮助我。
P.S:抱歉我的英语,不是我的母语。问候
答案 0 :(得分:10)
您可以在数组上使用indexOf()
来查找数组是否包含值。如果不存在,它将是-1
,否则它将是值的第一个实例的数组中的索引,即>=0
所以,例如:
arr.filter(function(item){return ["190","200"].indexOf(item[0])>=0})
根据您的评论,过滤器键嵌入在嵌套数组中。您可以使用map()
提取这些内容,例如
var keys = [["190",222],["200",344]].map(function(inner){return inner[0]});
实现此功能的功能(感谢大部分代码的@Shomz)如下所示:
var arr = [
["202",27,44],
["202",194,35],
["200",233,344],
["190",333,444],
];
function myFilter(query) {
return arr.filter(function(item){
return query.indexOf(item[0]) >= 0;
})
}
var q = [["190",222],["200",344]];
var keys = q.map(function(inner){
return inner[0];
});
alert(myFilter(keys));

答案 1 :(得分:1)
const compare_set = ["190", "200", "201"] // here we can set the numbers we want to use to filter the rows, only for educational purposes, i suppose you will extract them from another place.
const result = arr.filter(o => compare_set.includes(o[0]))
Array.includes在Array中寻找一个值,如果存在则返回true,而filter则期望为true。如果没有,则丢弃。