尽我所能,但仍然无法在最后记录结果。
foo
我想在循环中逐个获取两个数组result [0]和result [1]的值 现在我可以将所有值以逗号分隔,但是当我分割值时,没有任何显示。
答案 0 :(得分:0)
您可以创建一个空对象来跟踪重复次数&一个只包含唯一值的数组。使用indexOf
查找uniqArray
中是否已存在元素。
var arr = [2, 2, 2, 2, 2, 4, 5, 5, 5, 9];
var repCount = {}, // to track number of repetitions
uniqArray = []; // holds only unique values
arr.forEach(function(item) {
if (uniqArray.indexOf(item) == -1) {
// id item is not present push it
uniqArray.push(item)
}
// check if the object already have a key for example 2,4,5,9
if (!repCount.hasOwnProperty(item)) {
repCount[item] = 1 // if not then create new key
} else {
// if it is there then increase the count
repCount[item] = repCount[item] + 1
}
})
console.log(uniqArray, repCount)
答案 1 :(得分:0)
查看你的评论......
所以基本上我想得到独一无二的。从数组和没有。将该特定值重复到另一个变量
您可以使用reduce功能
来实现此目的
var arr = [2, 2, 2, 2, 2, 4, 5, 5, 5, 9];
var a = arr.reduce(function (acc, next) {
acc[next] = acc[next] ? acc[next] + 1 : 1;
return acc;
}, {});
console.log(a);
它为您提供一个哈希,其中唯一的数字作为键,它们的计数值作为值。如果您真的需要,可以从这里轻松将其分成两个数组。
答案 2 :(得分:0)
你快到了那里:
var arr = [2, 2, 2, 2, 2, 4, 5, 5, 5, 9];
function foo(arr) {
var a = [], b = [], prev;
arr.sort();
for ( var i = 0; i < arr.length; i++ ) {
if ( arr[i] !== prev ) {
a.push(arr[i]);
b.push(1);
} else {
b[b.length-1]++;
}
prev = arr[i];
}
return [a, b];
}
var result = foo(arr);
var a = result[0]
var b = result[1]
for (i=0; i<a.length; i++){
console.log("Number: " + a[i] + "; Time repeated:"+ b[i]); }
&#13;