如果两个值都不存在,我如何推入数组?这是我的数组:
[
{ name: "tom", text: "tasty" },
{ name: "tom", text: "tasty" },
{ name: "tom", text: "tasty" },
{ name: "tom", text: "tasty" },
{ name: "tom", text: "tasty" }
]
如果我试图再次推入数组的名字:“tom”或文本:“tasty”,我不希望发生任何事情…但如果这两个都不存在那么我就输入。push()
我该怎么做呢?
http://api.jquery.com/jQuery.unique/
var cleanArray = $.unique(clutteredArray);
你可能对makeArray也感兴趣
前面的例子最好说明在push之前检查它是否存在。
事后看来,它还声明你可以将它声明为原型的一部分(我猜这是又名类扩展),所以下面没有大的增强。
除了我不确定indexOf是一个更快的路径,然后inArray?可能。
Array.prototype.pushUnique = function (item){
if(this.indexOf(item) == -1) {
//if(jQuery.inArray(item, this) == -1) {
this.push(item);
return true;
}
return false;
}
推送后删除重复项
如果你已经有一个包含重复项的数组,将对象数组转换为字符串数组,然后使用Set()函数消除重复项:
let arr_obj = [
{ name: "tom", text: "tasty" },
{ name: "tom", text: "tasty" }
]
let arr_str = arr_obj.map(JSON.stringify)
let arr_unique = [...new Set(arr_str)].map(JSON.parse)
推前检查
如果你到目前为止没有重复的元素,你想在推入一个新元素之前检查重复:
let arr_obj = [
{ name: "tom", text: "tasty" },
{ name: "tim", text: "tusty" }
]
let new_obj = { name: "tom", text: "tasty" }
let arr_str = arr_obj.map(JSON.stringify)
!arr_str.includes(JSON.stringify(new_obj)) && arr_obj.push(new_obj)