我需要检查一个JavaScript数组,看看是否有重复的值。最简单的方法是什么?我只需要查找重复的值是什么-我实际上不需要它们的索引或它们被重复多少次。
我知道我可以遍历数组并检查所有其他值是否匹配,但是似乎应该有一种更简单的方法。
我需要检查一个JavaScript数组,看看是否有重复的值。最简单的方法是什么?我只需要查找重复的值是什么-我实际上不需要它们的索引或它们被重复多少次。
我知道我可以遍历数组并检查所有其他值是否匹配,但是似乎应该有一种更简单的方法。
Answers:
您可以对数组进行排序,然后遍历整个数组,然后查看下一个(或上一个)索引是否与当前索引相同。假设您的排序算法很好,则应小于O(n 2):
const findDuplicates = (arr) => {
let sorted_arr = arr.slice().sort(); // You can define the comparing function here.
// JS by default uses a crappy string compare.
// (we use slice to clone the array so the
// original array won't be modified)
let results = [];
for (let i = 0; i < sorted_arr.length - 1; i++) {
if (sorted_arr[i + 1] == sorted_arr[i]) {
results.push(sorted_arr[i]);
}
}
return results;
}
let duplicatedArray = [9, 9, 111, 2, 3, 4, 4, 5, 7];
console.log(`The duplicates in ${duplicatedArray} are ${findDuplicates(duplicatedArray)}`);
以防万一,如果要作为重复函数返回。这适用于类似情况。
arr = [9, 9, 9, 111, 2, 3, 3, 3, 4, 4, 5, 7];
i++
。相反,他们说不写j = i + +j
。恕我直言,两件事不同。我认为i += 1
比简单漂亮的方法更让人困惑i++
:)
var sorted_arr = arr.sort()
是无用的:arr.sort()
改变原始数组(这本身就是一个问题)。这也会丢弃一个元素。(运行上面的代码。9会发生什么?)cc @dystroy一个更干净的解决方案是results = arr.filter(function(elem, pos) { return arr.indexOf(elem) == pos; })
如果您想消除重复项,请尝试以下出色的解决方案:
function eliminateDuplicates(arr) {
var i,
len = arr.length,
out = [],
obj = {};
for (i = 0; i < len; i++) {
obj[arr[i]] = 0;
}
for (i in obj) {
out.push(i);
}
return out;
}
来源:http: //dreaminginjavascript.wordpress.com/2008/08/22/eliminate-duplicates/
这是我对重复线程(!)的回答:
在编写此条目2014时-所有示例均为for循环或jQuery。Javascript为此提供了完美的工具:排序,映射和归约。
var names = ['Mike', 'Matt', 'Nancy', 'Adam', 'Jenny', 'Nancy', 'Carl']
var uniq = names
.map((name) => {
return {
count: 1,
name: name
}
})
.reduce((a, b) => {
a[b.name] = (a[b.name] || 0) + b.count
return a
}, {})
var duplicates = Object.keys(uniq).filter((a) => uniq[a] > 1)
console.log(duplicates) // [ 'Nancy' ]
@ Dmytro-Laptin指出了一些要删除的代码。这是相同代码的更紧凑版本。使用一些ES6技巧和高阶函数:
const names = ['Mike', 'Matt', 'Nancy', 'Adam', 'Jenny', 'Nancy', 'Carl']
const count = names =>
names.reduce((a, b) => ({ ...a,
[b]: (a[b] || 0) + 1
}), {}) // don't forget to initialize the accumulator
const duplicates = dict =>
Object.keys(dict).filter((a) => dict[a] > 1)
console.log(count(names)) // { Mike: 1, Matt: 1, Nancy: 2, Adam: 1, Jenny: 1, Carl: 1 }
console.log(duplicates(count(names))) // [ 'Nancy' ]
这应该是在数组中实际查找重复值的最短方法之一。正如OP明确要求的那样,这不会删除重复项,而是会找到它们。
var input = [1, 2, 3, 1, 3, 1];
var duplicates = input.reduce(function(acc, el, i, arr) {
if (arr.indexOf(el) !== i && acc.indexOf(el) < 0) acc.push(el); return acc;
}, []);
document.write(duplicates); // = 1,3 (actual array == [1, 3])
这不需要排序或任何第三方框架。它也不需要手动循环。它与indexOf()的每个值(或更清楚地说:严格的比较运算符)支持一起使用。
由于reduce()和indexOf(),因此至少需要IE 9。
const dupes = items.reduce((acc, v, i, arr) => arr.indexOf(v) !== i && acc.indexOf(v) === -1 ? acc.concat(v) : acc, [])
您可以添加此函数,也可以对其进行调整并将其添加到Javascript的Array原型中:
Array.prototype.unique = function () {
var r = new Array();
o:for(var i = 0, n = this.length; i < n; i++)
{
for(var x = 0, y = r.length; x < y; x++)
{
if(r[x]==this[i])
{
alert('this is a DUPE!');
continue o;
}
}
r[r.length] = this[i];
}
return r;
}
var arr = [1,2,2,3,3,4,5,6,2,3,7,8,5,9];
var unique = arr.unique();
alert(unique);
更新:以下使用优化的组合策略。它优化了原始查询,以受益于哈希O(1)查找时间(unique
在原始数组上运行的是O(n))。通过在迭代过程中使用唯一ID标记对象来优化对象查找,因此,标识重复的对象也是每个项目O(1)和整个列表O(n)。唯一的例外是已冻结的项目,但这些项目很少见,并且使用array和indexOf提供了回退。
var unique = function(){
var hasOwn = {}.hasOwnProperty,
toString = {}.toString,
uids = {};
function uid(){
var key = Math.random().toString(36).slice(2);
return key in uids ? uid() : uids[key] = key;
}
function unique(array){
var strings = {}, numbers = {}, others = {},
tagged = [], failed = [],
count = 0, i = array.length,
item, type;
var id = uid();
while (i--) {
item = array[i];
type = typeof item;
if (item == null || type !== 'object' && type !== 'function') {
// primitive
switch (type) {
case 'string': strings[item] = true; break;
case 'number': numbers[item] = true; break;
default: others[item] = item; break;
}
} else {
// object
if (!hasOwn.call(item, id)) {
try {
item[id] = true;
tagged[count++] = item;
} catch (e){
if (failed.indexOf(item) === -1)
failed[failed.length] = item;
}
}
}
}
// remove the tags
while (count--)
delete tagged[count][id];
tagged = tagged.concat(failed);
count = tagged.length;
// append primitives to results
for (i in strings)
if (hasOwn.call(strings, i))
tagged[count++] = i;
for (i in numbers)
if (hasOwn.call(numbers, i))
tagged[count++] = +i;
for (i in others)
if (hasOwn.call(others, i))
tagged[count++] = others[i];
return tagged;
}
return unique;
}();
如果您有可用的ES6集合,那么会有一个更简单且明显更快的版本。(适用于IE9 +和其他浏览器的Shim,位于:https : //github.com/Benvie/ES6-Harmony-Collections-Shim)
function unique(array){
var seen = new Set;
return array.filter(function(item){
if (!seen.has(item)) {
seen.add(item);
return true;
}
});
}
更新:简短的一线以获得重复:
[1, 2, 2, 4, 3, 4].filter((e, i, a) => a.indexOf(e) !== i) // [2, 4]
要获得没有重复的数组,只需将条件求反即可:
[1, 2, 2, 4, 3, 4].filter((e, i, a) => a.indexOf(e) === i) // [1, 2, 3, 4]
我只是filter()
在下面的旧答案中没有考虑过;)
当您只需要检查是否存在此问题所要求的重复项时,可以使用以下every()
方法:
[1, 2, 3].every((e, i, a) => a.indexOf(e) === i) // true
[1, 2, 1].every((e, i, a) => a.indexOf(e) === i) // false
请注意,该every()
功能不适用于IE 8及更低版本。
var a = ["a","a","b","c","c"];
a.filter(function(value,index,self){ return (self.indexOf(value) !== index )})
'a'
阵列中的第二个,内部过滤器函数index == 1
,而self.indexOf('a') == 0
这应该为您提供所需的东西,只是重复项。
function find_duplicates(arr) {
var len=arr.length,
out=[],
counts={};
for (var i=0;i<len;i++) {
var item = arr[i];
counts[item] = counts[item] >= 1 ? counts[item] + 1 : 1;
if (counts[item] === 2) {
out.push(item);
}
}
return out;
}
find_duplicates(['one',2,3,4,4,4,5,6,7,7,7,'pig','one']); // -> ['one',4,7] in no particular order.
使用underscore.js
function hasDuplicate(arr){
return (arr.length != _.uniq(arr).length);
}
// 🚩🚩 🚩 🚩
var arr = [1,2,2,3,3,4,5,6,2,3,7,8,5,22],
arr2 = [1,2,511,12,50],
arr3 = [22],
unique;
// Combine all the arrays to a single one
unique = arr.concat(arr2, arr3)
// create a new (dirty) Array with only the unique items
unique = unique.map((item,i) => unique.includes(item, i+1) ? item : '' )
// Cleanup - remove duplicate & empty items items
unique = [...new Set(unique)].filter(n => n)
console.log(unique)
Array.prototype.unique = function () {
var arr = this.sort(), i; // input must be sorted for this to work
for( i=arr.length; i--; )
arr[i] === arr[i-1] && arr.splice(i,1); // remove duplicate item
return arr;
}
var arr = [1,2,2,3,3,4,5,6,2,3,7,8,5,9],
arr2 = [1,2,511,12,50],
arr3 = [22],
// merge arrays & call custom Array Prototype - "unique"
unique = arr.concat(arr2, arr3).unique();
console.log(unique); // [22, 50, 12, 511, 2, 1, 9, 5, 8, 7, 3, 6, 4]
if (!Array.prototype.indexOf){
Array.prototype.indexOf = function(elt /*, from*/){
var len = this.length >>> 0;
var from = Number(arguments[1]) || 0;
from = (from < 0) ? Math.ceil(from) : Math.floor(from);
if (from < 0)
from += len;
for (; from < len; from++){
if (from in this && this[from] === elt)
return from;
}
return -1;
};
}
if( $.inArray(this[i], arr) == -1 )
而不是添加 Array.prototype.indexOf
var r = [];
以使您的代码正常工作。并像魅力一样工作。
r
变量
这是我的简单和一线解决方案。
它首先搜索非唯一元素,然后使用Set使找到的数组唯一。
因此,最后有重复的数组。
var array = [1, 2, 2, 3, 3, 4, 5, 6, 2, 3, 7, 8, 5, 22, 1, 2, 511, 12, 50, 22];
console.log([...new Set(
array.filter((value, index, self) => self.indexOf(value) !== index))]
);
这是我的建议(ES6):
let a = [1, 2, 3, 4, 2, 2, 4, 1, 5, 6]
let b = [...new Set(a.sort().filter((o, i) => o !== undefined && a[i + 1] !== undefined && o === a[i + 1]))]
// b is now [1, 2, 4]
undefined
是重复的。
var a = [324,3,32,5,52,2100,1,20,2,3,3,2,2,2,1,1,1].sort();
a.filter(function(v,i,o){return i&&v!==o[i-1]?v:0;});
或添加到Array的原型链时
//copy and paste: without error handling
Array.prototype.unique =
function(){return this.sort().filter(function(v,i,o){return i&&v!==o[i-1]?v:0;});}
看到这里:https : //gist.github.com/1305056
i&&
是避免超出数组的范围,但这也意味着排序后的数组中的第一个元素将不包括在内。在您的示例1
中,结果数组中没有任何内容。即return i&&v!==o[i-1]?v:0;
应该是return v!==o[i-1];
使用ES6对象分解和减少的快速而优雅的方式
它以O(n)运行(在数组上进行1次迭代),并且不会重复出现超过2次的值
const arr = ['hi', 'hi', 'hi', 'bye', 'bye', 'asd']
const {
dup
} = arr.reduce(
(acc, curr) => {
acc.items[curr] = acc.items[curr] ? acc.items[curr] += 1 : 1
if (acc.items[curr] === 2) acc.dup.push(curr)
return acc
}, {
items: {},
dup: []
},
)
console.log(dup)
// ['hi', 'bye']
这是我能想到的最简单的解决方案:
const arr = [-1, 2, 2, 2, 0, 0, 0, 500, -1, 'a', 'a', 'a']
const filtered = arr.filter((el, index) => arr.indexOf(el) !== index)
// => filtered = [ 2, 2, 0, 0, -1, 'a', 'a' ]
const duplicates = [...new Set(filtered)]
console.log(duplicates)
// => [ 2, 0, -1, 'a' ]
而已。
注意:
它适用于任何数字,包括0
,字符串和负数,例如-1
-
相关问题: 获取JavaScript数组中的所有唯一值(删除重复项)
arr
保留原始数组(filter
返回新数组而不是修改原始数组)
该filtered
数组包含所有重复项。它也可以包含1个以上相同的值(例如,这里的过滤数组是[ 2, 2, 0, 0, -1, 'a', 'a' ]
)
如果你想获得仅是重复的值(你不希望有相同值的多个副本),可以使用[...new Set(filtered)]
(ES6都有一个对象集可存储唯一的值)
希望这可以帮助。
这是一个非常简便的方法:
var codes = dc_1.split(',');
var i = codes.length;
while (i--) {
if (codes.indexOf(codes[i]) != i) {
codes.splice(i,1);
}
}
使用ES6(或使用Babel或Typescipt),您可以简单地执行以下操作:
var duplicates = myArray.filter(i => myArray.filter(ii => ii === i).length > 1);
使用ES6语法的简单代码(返回重复的排序数组):
let duplicates = a => {d=[]; a.sort((a,b) => a-b).reduce((a,b)=>{a==b&&!d.includes(a)&&d.push(a); return b}); return d};
如何使用:
duplicates([1,2,3,10,10,2,3,3,10]);
一支班轮
var arr = [9,1,2,4,3,4,9]
console.log(arr.filter((ele,indx)=>indx!==arr.indexOf(ele))) //get the duplicates
console.log(arr.filter((ele,indx)=>indx===arr.indexOf(ele))) //remove the duplicates
indx!
在第一个例子吗?
indx !== ...
-严格的不平等。
result.filter((ele,indx) => indx !== result.map(e => e.name).indexOf(ele.name));
这个答案可能也有帮助,它利用js reduce
运算符/方法从数组中删除重复项。
const result = [1, 2, 2, 3, 3, 3, 3].reduce((x, y) => x.includes(y) ? x : [...x, y], []);
console.log(result);
new Set([1, 2, 2, 3, 3, 3, 3])
可以删除重复项
下面的函数(已经提到了excludeDuplicates函数的变体)似乎可以解决问题,为输入[“ test”,“ test2”,“ test2”,1、1、1、2返回test2,1,7,5 ,3、4、5、6、7、7、10、22、43、1、5、8]
请注意,JavaScript比大多数其他语言中的问题更奇怪,因为JavaScript数组几乎可以容纳任何东西。请注意,使用排序的解决方案可能需要提供适当的排序功能-我还没有尝试过这种方法。
此特定实现适用于(至少)字符串和数字。
function findDuplicates(arr) {
var i,
len=arr.length,
out=[],
obj={};
for (i=0;i<len;i++) {
if (obj[arr[i]] != null) {
if (!obj[arr[i]]) {
out.push(arr[i]);
obj[arr[i]] = 1;
}
} else {
obj[arr[i]] = 0;
}
}
return out;
}
仅适用于ES5(即,它需要针对IE8及更低版本的filter()polyfill):
var arrayToFilter = [ 4, 5, 5, 5, 2, 1, 3, 1, 1, 2, 1, 3 ];
arrayToFilter.
sort().
filter( function(me,i,arr){
return (i===0) || ( me !== arr[i-1] );
});
var arr = [2, 1, 2, 2, 4, 4, 2, 5];
function returnDuplicates(arr) {
return arr.reduce(function(dupes, val, i) {
if (arr.indexOf(val) !== i && dupes.indexOf(val) === -1) {
dupes.push(val);
}
return dupes;
}, []);
}
alert(returnDuplicates(arr));
此函数避免了排序步骤,并使用reduce()方法将重复项推入新数组(如果尚不存在)。
这可能是从阵列中永久删除重复项的最快方法之一, 比此处的大多数功能快10倍。在Safari中快78倍。
function toUnique(a,b,c){//array,placeholder,placeholder
b=a.length;
while(c=--b)while(c--)a[b]!==a[c]||a.splice(c,1)
}
var array=[1,2,3,4,5,6,7,8,9,0,1,2,1];
toUnique(array);
console.log(array);
如果您看不懂上面的代码,请阅读一本javascript书籍,或以下有关较短代码的说明。https://stackoverflow.com/a/21353032/2450730
编辑
如评论中所述,此函数确实返回具有唯一性的数组,但是问题要求查找重复项。在这种情况下,对该函数的简单修改就可以将重复项推入数组,然后使用先前的功能toUnique
删除重复项的重复项。
function theDuplicates(a,b,c,d){//array,placeholder,placeholder
b=a.length,d=[];
while(c=--b)while(c--)a[b]!==a[c]||d.push(a.splice(c,1))
}
var array=[1,2,3,4,5,6,7,8,9,0,1,2,1];
toUnique(theDuplicates(array));
使用“包含”测试元素是否已经存在。
var arr = [1, 1, 4, 5, 5], darr = [], duplicates = [];
for(var i = 0; i < arr.length; i++){
if(darr.includes(arr[i]) && !duplicates.includes(arr[i]))
duplicates.push(arr[i])
else
darr.push(arr[i]);
}
console.log(duplicates);
<h3>Array with duplicates</h3>
<p>[1, 1, 4, 5, 5]</p>
<h3>Array with distinct elements</h3>
<p>[1, 4, 5]</p>
<h3>duplicate values are</h3>
<p>[1, 5]</p>
ES6提供了Set数据结构,该结构基本上是一个不接受重复项的数组。使用Set数据结构,有一种非常简单的方法来查找数组中的重复项(仅使用一个循环)。
这是我的代码
function findDuplicate(arr) {
var set = new Set();
var duplicates = new Set();
for (let i = 0; i< arr.length; i++) {
var size = set.size;
set.add(arr[i]);
if (set.size === size) {
duplicates.add(arr[i]);
}
}
return duplicates;
}
我刚刚想出一种使用数组过滤器实现此目的的简单方法
var list = [9, 9, 111, 2, 3, 4, 4, 5, 7];
// Filter 1: to find all duplicates elements
var duplicates = list.filter(function(value,index,self) {
return self.indexOf(value) !== self.lastIndexOf(value) && self.indexOf(value) === index;
});
console.log(duplicates);
遵循逻辑将变得更加轻松快捷
// @Param:data:Array that is the source
// @Return : Array that have the duplicate entries
findDuplicates(data: Array<any>): Array<any> {
return Array.from(new Set(data)).filter((value) => data.indexOf(value) !== data.lastIndexOf(value));
}
优点 :
逻辑说明:
注意: map()和filter()方法高效且快速。