Slice each string-valued element of an array in Javascript

大兔子大兔子 提交于 2019-12-02 02:52:11

You can't use slice directly, as it has a different meaning with an array and will return you a list of array elements.

var arr = ["Toyota", "Hyundai", "Honda", "Mazda"]
arr.slice(0, -2) // returns the elements ["Toyota", "Hyundai"]

In order to do the slice on each element, you can use .map() (on IE9+):

var out = arr.map(function(v) { return v.slice(0, -2) }) 
// or using underscore.js for wider compatibility
var out = _.map(arr, function(v) { return v.slice(0, -2) })
// or using a more modern arrow function
var out = arr.map(v => v.slice(0, -2))

Alternatively, you could just use a loop:

var i, out = []
for (i = 0; i < arr.length; ++i) {
    out.push(arr[i].slice(0, -2))
}

or, in more modern syntax:

const out = new Array(arr.length)
for (let i = 0; i < arr.length; ++i) {
    out[i] = arr[i].slice(0, -2)
}

Not with Array.protoype.slice(), no. Try Array.prototype.map():

var arr = ["Toyota","Hyundai","Honda","Mazda"].map(s => s.slice(0, -2));

console.log(arr);

See also: String.prototype.slice()

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!