var items = Array(523, 3452, 334, 31, ..., 5346);

我如何从项目中获得随机项目?


当前回答

var item = items[Math.floor(Math.random()*items.length)];

其他回答

const ArrayRandomModule = {
  // get random item from array
  random: function (array) {
    return array[Math.random() * array.length | 0];
  },

  // [mutate]: extract from given array a random item
  pick: function (array, i) {
    return array.splice(i >= 0 ? i : Math.random() * array.length | 0, 1)[0];
  },

  // [mutate]: shuffle the given array
  shuffle: function (array) {
    for (var i = array.length; i > 0; --i)
      array.push(array.splice(Math.random() * i | 0, 1)[0]);
    return array;
  }
}
// 1. Random shuffle items
items.sort(function() {return 0.5 - Math.random()})

// 2. Get first item
var item = items[0]

短:

var item = items.sort(function() {return 0.5 - Math.random()})[0];

甚至射击(由José dB.):

let item = items.sort(() => 0.5 - Math.random())[0];
var item = items[Math.floor(Math.random()*items.length)];

还有另一种方法:

function rand(items) {
    // "~~" for a closest "int"
    return items[~~(items.length * Math.random())];
}

或者按照下面@1248177的建议:

function rand(items) {
    // "|" for a kinda "int div"
    return items[items.length * Math.random() | 0];
}
var rndval=items[Math.floor(Math.random()*items.length)];