您需要创建一个可能值的数组,并且每次从数组中检索随机索引以使用其中一个值时,都将其从数组中删除。
这是一个通用随机函数,在使用所有值之前不会重复。您可以调用它,然后将此索引添加到类名的末尾。
var uniqueRandoms = [];
var numRandoms = 5;
function makeUniqueRandom() {
// refill the array if needed
if (!uniqueRandoms.length) {
for (var i = 0; i < numRandoms; i++) {
uniqueRandoms.push(i);
}
}
var index = Math.floor(Math.random() * uniqueRandoms.length);
var val = uniqueRandoms[index];
// now remove that value from the array
uniqueRandoms.splice(index, 1);
return val;
}
工作演示:http: //jsfiddle.net/jfriend00/H9bLH/
因此,您的代码将是这样的:
$(this).addClass('color-' + (makeUniqueRandom() + 1));
这是一种面向对象的形式,它允许在您的应用程序的不同位置使用其中的多个:
// if only one argument is passed, it will assume that is the high
// limit and the low limit will be set to zero
// so you can use either r = new randomeGenerator(9);
// or r = new randomGenerator(0, 9);
function randomGenerator(low, high) {
if (arguments.length < 2) {
high = low;
low = 0;
}
this.low = low;
this.high = high;
this.reset();
}
randomGenerator.prototype = {
reset: function() {
this.remaining = [];
for (var i = this.low; i <= this.high; i++) {
this.remaining.push(i);
}
},
get: function() {
if (!this.remaining.length) {
this.reset();
}
var index = Math.floor(Math.random() * this.remaining.length);
var val = this.remaining[index];
this.remaining.splice(index, 1);
return val;
}
}
样品用法:
var r = new randomGenerator(1, 9);
var rand1 = r.get();
var rand2 = r.get();
工作演示:http: //jsfiddle.net/jfriend00/q36Lk4hk/