原文鏈接:https://blog.csdn.net/u010323023/article/details/52700770 在JavaScript中,除了Object之外,Array類型恐怕就是最常用的類型了。與其他語言的數(shù)組有著很大的區(qū)別,JavaScript中的Array非常靈活。今天我就來總結了一下JavaScript中Array刪除的方法。大致的分類可以分為如下幾類: 1、length 下面我對上面說的方法做一一的舉例和解釋。 一、length JavaScript中Array的length屬性非常有特點一一它不是只讀的。因此,通過設置這個屬性可以從數(shù)組的末尾移除項或添加新項,請看下面例子: 1 var colors = ["red", "blue", "grey"]; //創(chuàng)建一個包含3個字符串的數(shù)組 2 colors.length = 2; 3 console.log(colors[2]); //undefined 二、delete關鍵字 1 var arr = [1, 2, 3, 4]; 2 delete arr[0]; 3 4 console.log(arr); //[undefined, 2, 3, 4] 可以看出來,delete刪除之后數(shù)組長度不變,只是被刪除元素被置為undefined了。 三、棧方法 1 var colors = ["red", "blue", "grey"]; 2 var item = colors.pop(); 3 console.log(item); //"grey" 4 console.log(colors.length); //2 可以看出,在調用Pop方法時,數(shù)組返回最后一項,即”grey”,數(shù)組的元素也僅剩兩項。 四、隊列方法 隊列數(shù)據結構的訪問規(guī)則是FIFO(先進先出),隊列在列表的末端添加項,從列表的前端移除項,使用shift方法,它能夠移除數(shù)組中的第一個項并返回該項,并且數(shù)組的長度減1。 1 var colors = ["red", "blue", "grey"]; 2 var item = colors.shift(); 3 console.log(item); //"red" 4 console.log(colors.length); //2 五、操作方法 1 var colors = ["red", "blue", "grey"]; 2 var item = colors.splice(0, 1); 3 console.log(item); //"red" 4 console.log(colors); //["blue", "grey"] 六、迭代方法 所謂的迭代方法就是用循環(huán)迭代數(shù)組元素發(fā)現(xiàn)符合要刪除的項則刪除,用的最多的地方可能是數(shù)組中的元素為對象的時候,根據對象的屬性例如ID等等來刪除數(shù)組元素。下面介紹兩種方法: 第一種用最常見的ForEach循環(huán)來對比元素找到之后將其刪除: var colors = ["red", "blue", "grey"]; colors.forEach(function(item, index, arr) { if(item == "red") { arr.splice(index, 1); } }); 第二種我們用循環(huán)中的filter方法: 1 var colors = ["red", "blue", "grey"]; 2 3 colors = colors.filter(function(item) { 4 return item != "red" 5 }); 6 7 console.log(colors); //["blue", "grey"] 代碼很簡單,找出元素不是”red”的項數(shù)返回給colors(其實是得到了一個新的數(shù)組),從而達到刪除的作用。 七、原型方法 通過在Array的原型上添加方法來達到刪除的目的: 1 Array.prototype.remove = function(dx) { 2 3 if(isNaN(dx) || dx > this.length){ 4 return false; 5 } 6 7 for(var i = 0,n = 0;i < this.length; i++) { 8 if(this[i] != this[dx]) { 9 this[n++] = this[i]; 10 } 11 } 12 this.length -= 1; 13 }; 14 15 var colors = ["red", "blue", "grey"]; 16 colors.remove(1); 在此把刪除方法添加給了Array的原型對象,則在此環(huán)境中的所有Array對象都可以使用該方法。盡管可以這么做,但是我們不推薦在產品化的程序中來修改原生對象的原型。道理很簡單,如果因某個實現(xiàn)中缺少某個方法,就在原生對象的原型中添加這個方法,那么當在另一個支持該方法的實現(xiàn)中運行代碼時,就可能導致命名沖突。而且這樣做可能會意外的導致重寫原生方法。
|
|