Skip to content Skip to sidebar Skip to footer

Splitting An Array Of Strings To An Array Of Floats In Javascript

I am trying to split an array of strings, called 'vertices' and store it as an array of floats. Currently the array of strings contains three elemets: ['0 1 0', '1 -1 0', '-1 -1 0'

Solution 1:

You can use Array.prototype.reduce method for this:

var result = ["0 1 0", "1 -1 0", "-1 -1 0"].reduce(function(prev, curr) {
    return prev.concat(curr.split(' ').map(Number));
}, []);

alert(result); // [0, 1, 0, 1, -1, 0, -1, -1, 0]

Instead of .map(Number) you can use .map(parseFloat) of course if you need.

Or even shorter:

var result = ["0 1 0", "1 -1 0", "-1 -1 0"].join(' ').split(' ').map(Number);

Solution 2:

You could do something like this.

var res = []
for (var y = 0; y < vertices.length; y++) {
  var temp = vertices[y].split(" ");
  for (var i = 0; i < temp.length; i++) {
    res.push(parseFloat(temp[i]));
  }
}

Post a Comment for "Splitting An Array Of Strings To An Array Of Floats In Javascript"