本文介绍了如何一串数字转换为数字数组?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

下面我有字符串 -

I have below string -

var a = "1,2,3,4";

当我这样做 -

var b = a.split(',');

我得到 B [1,2,3,4]

我可以做一些事情来获得 B [1,2,3,4]

can I do something to get b as [1, 2, 3, 4] ?

推荐答案

您可以使用 Array.map 来的每个元素转换成一个数字。

You can use Array.map to convert each element into a number.

var a = "1,2,3,4";

var b = a.split(',').map(function(item) {
    return parseInt(item, 10);
});

检查Docs

或者更优雅正如网友指出:thg435

Or more elegantly as pointed out by User: thg435

var b = a.split(',').map(Number);

其中,号()将完成剩下的:检查here

注意:对于不支持 地图,你可以添加自己喜欢的实现旧的浏览器:

Note: For older browsers that don't support map, you can add an implementation yourself like:

Array.prototype.map = Array.prototype.map || function(_x) {
    for(var o=[], i=0; i<this.length; i++) {
        o[i] = _x(this[i]);
    }
    return o;
};

这篇关于如何一串数字转换为数字数组?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

08-23 22:44