本文实例讲述了JavaScript实现shuffle数组洗牌操作。分享给大家供大家参考,具体如下:
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>JavaScript shuffle数组洗牌</title>
<body>
<script>
function createArray(max) {
const arr = [];
for(let i = 0; i < max; i++) {
arr.push(i);
}
return arr;
}
function shuffleSort(arr) {
arr.sort(()=> {
//返回值大于0,表示需要交换;小于等于0表示不需要交换
return Math.random() > .5 ? -1 : 1;
});
return arr;
}
function shuffleSwap(arr) {
if(arr.length == 1) return arr;
//正向思路
// for(let i = 0, n = arr.length; i < arr.length - 1; i++, n--) {
// let j = i + Math.floor(Math.random() * n);
//逆向思路
let i = arr.length;
while(--i > 1) {
//Math.floor 和 parseInt 和 >>>0 和 ~~ 效果一样都是取整
let j = Math.floor(Math.random() * (i+1));
/*
//原始写法
let tmp = arr[i];
arr[i] = arr[j];
arr[j] = tmp;
*/
//es6的写法
[arr[i], arr[j]] = [arr[j], arr[i]];
}
return arr;
}
function wrap(fn, max) {
const startTime = new Date().getTime();
const arr = createArray(max);
const result = fn(arr);
const endTime = new Date().getTime();
const cost = endTime - startTime;
console.log(arr);
console.log("cost : " + cost);
}
wrap(shuffleSort, 1000);
wrap(shuffleSwap, 1000);//试验证明这种方法比第一种效率高多了
</script>
</body>
</html>
这里使用在线HTML/CSS/JavaScript代码运行工具:http://tools.jb51.net/code/HtmlJsRun测试上述代码,可得如下运行结果:
更多关于JavaScript相关内容还可查看本站专题:《JavaScript数组操作技巧总结》、《JavaScript字符与字符串操作技巧总结》、《JavaScript遍历算法与技巧总结》、《JavaScript排序算法总结》、《JavaScript查找算法技巧总结》、《JavaScript数学运算用法总结》、《JavaScript数据结构与算法技巧总结》及《JavaScript错误与调试技巧总结》
希望本文所述对大家JavaScript程序设计有所帮助。