Opposite of push();

JavascriptArraysPush

Javascript Problem Overview


I need help on this problem - 'What is the opposite of the JavaScript push(); method?'

Like say I had a array -

var exampleArray = ['remove'];

I want to push(); the word 'keep' -

exampleArray.push('keep');

How do I delete the string 'remove' from the array?

Javascript Solutions


Solution 1 - Javascript

push() adds at end; pop() deletes from end.

unshift() adds to front; shift() deletes from front.

splice() can do whatever it wants, wherever it wants.

Solution 2 - Javascript

Well, you've kind of asked two questions. The opposite of push() (as the question is titled) is pop().

var exampleArray = ['myName'];
exampleArray.push('hi');
console.log(exampleArray);

exampleArray.pop();
console.log(exampleArray);

pop() will remove the last element from exampleArray and return that element ("hi") but it will not delete the string "myName" from the array because "myName" is not the last element.

What you need is shift() or splice():

var exampleArray = ['myName'];
exampleArray.push('hi');
console.log(exampleArray);

exampleArray.shift();
console.log(exampleArray);

var exampleArray = ['myName'];
exampleArray.push('hi');
console.log(exampleArray);

exampleArray.splice(0, 1);
console.log(exampleArray);

For more array methods, see: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array#Mutator_methods

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionAlexView Question on Stackoverflow
Solution 1 - JavascriptAmadanView Answer on Stackoverflow
Solution 2 - JavascriptTravis HohlView Answer on Stackoverflow