En JavaScript, mélanger un tableau fait référence à la réorganisation de ses éléments dans un ordre aléatoire.
La version moderne de l'algorithme de lecture aléatoire Fisher-Yates peut être implémentée comme :
/** * 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; }
La version ES6 de l'algorithme peut être écrite comme :
/** * 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; }
Pour créer le fonction plus polyvalente, elle peut être implémentée comme méthode prototype pour tableau :
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; } });
L'exemple suivant montre comment utiliser la fonction shuffle :
const myArray = ['1', '2', '3', '4', '5', '6', '7', '8', '9']; shuffle(myArray); console.log(myArray); // Logs a shuffled array
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!