【JaVAScript】js的五種排序方法(圖文詳解)
當(dāng)前位置:點(diǎn)晴教程→知識(shí)管理交流
→『 技術(shù)文檔交流 』
1.冒泡排序//定義一個(gè)原生的bubbleSort方法 Array.prototype.bubbleSort = function () { for(let i = 0; i < this.length - 1; i += 1) { //通過 this.length 次把第一位放到最后,完成排序 //-i是因?yàn)樽詈蟮奈恢檬菚?huì)動(dòng)態(tài)改變的,當(dāng)完成一次后,最后一位會(huì)變成倒數(shù)第二位 for(let j = 0; j < this.length - 1 - i; j += 1) { if(this[j] > this[j+1]) { const temp = this[j]; this[j] = this[j+1]; this[j+1] = temp; } } } } const arr = [4,8,0,1,43,53,22,11,0]; arr.bubbleSort(); console.log(arr); 2.選擇排序Array.prototype.selectionSort = function() { for(let i = 0; i < this.length - 1; ++i) { // 假設(shè)最小的值是當(dāng)前的下標(biāo) let indexMin = i; //遍歷剩余長(zhǎng)度找到最小下標(biāo) for(let j = i; j < this.length; ++j) { if(this[j] < this[indexMin] ) { indexMin = j; } } if(indexMin !== i) { //交換當(dāng)前下標(biāo)i與最小下標(biāo)的值,重復(fù)this.length次 const temp = this[i]; this[i] = this[indexMin]; this[indexMin] = temp; } } }; 3.插入排序Array.prototype.insertionSort = function() { //從第二個(gè)數(shù)開始往前比 for(let i = 1; i<this.length; ++i) { //先把值保存起來 const temp = this[i]; let j = i; while(j > 0) { if(this[j-1] > temp) { this[j] = this[j-1]; } else { //因?yàn)橐呀?jīng)是排序過的了,如果比上一位大,那就沒必要再跟上上位比較了 break; } j -= 1; } //這里的j有可能是第0位,也有可能是到了一半停止了 this[j] = temp; } }; const arr = [5,4,3,2,1]; arr.insertionSort(); 4.歸并排序Array.prototype.mergeSort = function () { const rec = (arr) => { //如果數(shù)組長(zhǎng)度為1,說明切完了,可以直接返回 if (arr.length === 1) { return arr; } //切分?jǐn)?shù)組,把每一項(xiàng)都單獨(dú)切出來 const mid = Math.floor(arr.length / 2); const left = arr.slice(0,mid); const right = arr.slice(mid,arr.length); //有序的左邊數(shù)組 const orderLeft = rec(left); //有序的右邊數(shù)組 const orderRight = rec(right); //定義一個(gè)數(shù)組來存放順序數(shù)組 const res = []; // 把左右兩個(gè)有序的合并為一個(gè)有序的返回 while(orderLeft.length || orderRight.length) { if(orderLeft.length && orderRight.length) { res.push(orderLeft[0] < orderRight[0] ? orderLeft.shift() : orderRight.shift()) } else if (orderLeft.length) { res.push(orderLeft.shift()); } else if (orderRight.length) { res.push(orderRight.shift()); } } return res; }; const res = rec(this); //拷貝到數(shù)組本身 res.forEach((n,i) => { this[i] = n; }); } const arr = [5,4,3,2,1]; arr.mergeSort(); console.log(arr); 5.快速排序Array.prototype.quickSort = function () { const rec = (arr) => { // 預(yù)防數(shù)組是空的或者只有一個(gè)元素, 當(dāng)所有元素都大于等于基準(zhǔn)值就會(huì)產(chǎn)生空的數(shù)組 if(arr.length === 1 || arr.length === 0) { return arr; } const left = []; const right = []; //以第一個(gè)元素作為基準(zhǔn)值 const mid = arr[0]; //小于基準(zhǔn)值的放左邊,大于基準(zhǔn)值的放右邊 for(let i = 1; i < arr.length; ++i) { if(arr[i] < mid) { left.push(arr[i]); } else { right.push(arr[i]); } } //遞歸調(diào)用,最后放回?cái)?shù)組 return [...rec(left),mid,...rec(right)]; }; const res = rec(this); res.forEach((n,i) => { this[i] = n; }) } const arr = [2,3,4,5,3,1]; arr.quickSort(); console.log(arr) 該文章在 2023/6/29 18:41:50 編輯過 |
關(guān)鍵字查詢
相關(guān)文章
正在查詢... |