我有一个类似
的数组 [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20]
我想按顺序抓取随机数量的这些条目,然后将它们推送到一个新阵列中,直至极限。
即。所以例如,如果我输入(5) - 它会将随机条目命令到新的数组,如
[1, 4, 7, 10, 12]
我试过
var arr = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20];
var newArr = [], num, roll;
//remove number from array
for(var i =0; i < arr.length; i++) {
num = Math.floor(Math.random() * arr.length);
newArr.push(arr[num]);
roll = arr.splice(num, 1);
}
但它并没有真正回归我需要的东西,因为我需要保留订单。如果有帮助,我使用下划线?
答案 0 :(得分:0)
我认为这是你想要实现的目标。适用于稀疏数组并维护原始元素索引。使用等于或大于所提供数组长度的count
属性将返回该数组的副本。
的Javascript
/*jslint maxerr: 50, indent: 4, browser: true, bitwise: true */
/*global console */
(function () {
"use strict";
function customRand(array, count) {
var length = array.length,
indexes = [],
result = [],
i = 0,
rand,
temp;
while (i < length) {
if (Object.prototype.hasOwnProperty.call(array, i)) {
indexes.push(i);
}
i += 1;
}
i = 0;
length = indexes.length;
while (i < length) {
rand = (Math.random() * i) | 0;
temp = indexes[i];
indexes[i] = indexes[rand];
indexes[rand] = temp;
i += 1;
}
indexes = indexes.slice(0, count).sort(function (a, b) {
return a - b;
});
i = 0;
length = indexes.length;
while (i < length) {
result[indexes[i]] = array[indexes[i]];
i += 1;
}
return result;
}
var arr = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];
console.log(customRand(arr, 5));
}());
上
答案 1 :(得分:-1)
只是在这里提供帮助 - 你应该做一些像@ Eric上面的链接
function getRandomSubarray(arr, size) {
var shuffled = arr.slice(0), i = arr.length, min = i - size, temp, index;
while (i-- > min) {
index = Math.floor(i * Math.random());
temp = shuffled[index];
shuffled[index] = shuffled[i];
shuffled[i] = temp;
}
return shuffled.slice(min);
}
var x = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15];
var newArr = getRandomSubarray(x, 6).sort(function(a,b) { return a - b } );
console.log(newArr)
那应该归还你想要的东西。虽然这对我来说太大了。使用underscore
function randomSort(a, n) {
return _.take(_.shuffle(a), n).sort(function(a,b) { return a - b } );
}
console.log(randomSort(x, 6))
答案 2 :(得分:-1)
这是另一种选择:
function getRandomSorted(arr, limit) {
limit = limit || 1;
var random = [];
for (var i=0; i<limit; i++) {
var rand = arr[0|Math.random() * arr.length];
if (~random.indexOf(rand)){ --i; continue; }
random.push(rand);
}
return random.sort(function(a,b){ return a-b });
}
getRandomSorted(arr, 5);
这适用于字符串和数字。