remove string element from javascript array

From https://stackoverflow.com/a/3955096/711129:

Array.prototype.remove= function(){
    var what, a= arguments, L= a.length, ax;
    while(L && this.length){
        what= a[--L];
        while((ax= this.indexOf(what))!= -1){
            this.splice(ax, 1);
        }
    }
    return this;
}
var ary = ['three', 'seven', 'eleven'];

ary.remove('seven')

or, making it a global function:

function removeA(arr){
var what, a= arguments, L= a.length, ax;
while(L> 1 && arr.length){
    what= a[--L];
    while((ax= arr.indexOf(what))!= -1){
        arr.splice(ax, 1);
    }
}
return arr;
}
var ary= ['three','seven','eleven'];
removeA(ary,'seven')

You have to make a function yourself. You can either loop over the array and remove the element from there, or have this function do it for you. Either way, it is not a standard JS feature.


Since you're using jQuery

myarray.splice($.inArray("abc", myarray), 1);

EDIT If the item isn't in the array, this 'one-liner' will likely throw an error. Something a little better

var index = $.inArray("abc", myarray);
if (index>=0) myarray.splice(index, 1);