在 JavaScript 中,洗牌陣列是指以隨機順序重新排列其元素。
可以實現現代版本的 Fisher-Yates 洗牌演算法為:
/** * Shuffles array in place. * @param {Array} a items An array containing the items. */ function shuffle(a) { var j, x, i; for (i = a.length - 1; i > 0; i--) { j = Math.floor(Math.random() * (i + 1)); x = a[i]; a[i] = a[j]; a[j] = x; } return a; }
ES666版本的演算法可以寫為:
/** * Shuffles array in place. ES6 version * @param {Array} a items An array containing the items. */ function shuffle(a) { for (let i = a.length - 1; i > 0; i--) { const j = Math.floor(Math.random() * (i + 1)); [a[i], a[j]] = [a[j], a[i]]; } return a; }
讓功能更通用,可以作為原型方法實作array:
Object.defineProperty(Array.prototype, 'shuffle', { value: function() { for (let i = this.length - 1; i > 0; i--) { const j = Math.floor(Math.random() * (i + 1)); [this[i], this[j]] = [this[j], this[i]]; } return this; } });
以下範例示範如何使用shuffle 功能:
const myArray = ['1', '2', '3', '4', '5', '6', '7', '8', '9']; shuffle(myArray); console.log(myArray); // Logs a shuffled array
以上是如何在 JavaScript 中打亂陣列?的詳細內容。更多資訊請關注PHP中文網其他相關文章!