Javascript陣列中shift()和push(),unshift()和pop()操作方法使用

Franson發表於2016-09-27

Javascript為陣列專門提供了push和pop()方法,以便實現類似棧的行為。來看下面的例子:

var colors=new Array();       //建立一個陣列

var count=colors.push("red","green");   //  推入兩項,返回修改後陣列的長度

alert(count);   // 2   返回修改後陣列的長度

var item=colors.pop();   //取得最後一項

alert(item);           // "green"

alert(colors.length);   //  1

佇列方法:

結合使用shift()和push()方法,可以像使用佇列一樣使用陣列:

var colors=new Array();

var count=colors.push("red","green");  //推入兩項

alert(count);   //2

count=  colors.push("black");  // 從陣列末端新增項,此時陣列的順序是: "red", "green" ,"black"

alert(count);  //3

var item=colors.shift();   // 取得第一項

alert(item);   // "red"

alert(colors.length);  //2

從例子中可以看出:

shift()方法:移除陣列中的第一項並返回該項

push()方法:從陣列末端新增項

若是想實現相反的操作的話,可以使用

unshift()方法:在陣列的前端新增項

pop()方法:從陣列末端移除項

var colors=new Array();

var count=colors.unshift("red","green");// 推入兩項

alert(count);  // 2

count=colors.unshift("black");  // 從陣列的前端新增項,此時陣列的順序是: "black", "red", "green"

alert(count);  //3

var item=colors.pop();

alert(item);    // 移除並返回的是最後一項   "green"

由以上的兩組例子,大家可以清晰的看到這兩組方法的用法了。

相關文章