1const shuffleArray = (arr) => arr.sort(() => 0.5 - Math.random());
2
3console.log(shuffleArray([1, 2, 3, 4]));
4// Result: [ 1, 4, 3, 2 ]
5
1/**
2 * Shuffles array in place.
3 * @param {Array} a items An array containing the items.
4 */
5function shuffle(a) {
6 var j, x, i;
7 for (i = a.length - 1; i > 0; i--) {
8 j = round(random() * (i + 1));
9 x = a[i];
10 a[i] = a[j];
11 a[j] = x;
12 }
13 return a;
14}
15
16shuffle(array);
1function randomArrayShuffle(array) {
2 var currentIndex = array.length, temporaryValue, randomIndex;
3 while (0 !== currentIndex) {
4 randomIndex = Math.floor(Math.random() * currentIndex);
5 currentIndex -= 1;
6 temporaryValue = array[currentIndex];
7 array[currentIndex] = array[randomIndex];
8 array[randomIndex] = temporaryValue;
9 }
10 return array;
11}
12var alphabet=["a","b","c","d","e"];
13randomArrayShuffle(alphabet);
14//alphabet is now shuffled randomly = ["d", "c", "b", "e", "a"]
15
16
17
1function shuffle(array){
2 let new_arr = [] ;
3 while (new_arr.length < array.length ){
4 let random_item = array[Math.floor(Math.random()*(array.length))];
5 if(!new_arr.includes(random_item)){new_arr.push(random_item)}
6 }
7return new_arr
8}