Elegant way to convert string of Array of Arrays i

2020-06-12 02:26发布

I have an ajax request that returns a list of values like this:

"[-5, 5, 5], [-6, 15, 15], [7, 13, 12]"

I need it to be a javascript array with numbers:

[[-5, 5, 5], [-6, 15, 15], [7, 13, 12]]

I tried to replace the '[' and ']' for a '|' and then split by '|' and foreach item split by ',' and add them to an array, but this is not elegant at all.

Do you guys have any suggestions?

5条回答
何必那么认真
2楼-- · 2020-06-12 02:43

If you're generating the data, and you trust it, just use eval:

var string = "[-5, 5, 5], [-6, 15, 15], [7, 13, 12]"

var arrays = eval('[' + string + ']');

Alternatively, start returning well-formed JSON.

查看更多
ゆ 、 Hurt°
3楼-- · 2020-06-12 02:47
var string = "[-5, 5, 5], [-6, 15, 15], [7, 13, 12]";
var arr = [];
var tmp = string.split('], ');

for (var i=0; i<tmp.length; i++) {
    arr.push(tmp[i].replace(/\[|\]/g, '').split(', '));
}

Typing on my iPad so I apologize in advance for any typos.

查看更多
仙女界的扛把子
4楼-- · 2020-06-12 02:52

In a function

var strToArr = function(string){ return JSON.parse('[' + string + ']')}

console.log(strToArr("[-5, 5, 5], [-6, 15, 15], [7, 13, 12]"));
查看更多
Lonely孤独者°
5楼-- · 2020-06-12 02:56

You can use JSON.parse() to convert that string into an array, as long as you wrap it in some brackets manually first:

var value = "[-5, 5, 5], [-6, 15, 15], [7, 13, 12]";
var json = JSON.parse("[" + value + "]");

console.log(json);

I would suggest correcting the output at the server if possible, though.

查看更多
家丑人穷心不美
6楼-- · 2020-06-12 03:04

This solution is stupid in practice -- absolutely use JSON.parse as others have said -- but in the interest of having fun with regular expressions, here you go:

function getMatches(regexp, string) {
  var match, matches = [];
  while ((match = regexp.exec(string)) !== null)
    matches.push(match[0]);
  return matches;
}

function parseIntArrays(string) {
  return getMatches(/\[[^\]]+\]/g, string)
    .map(function (string) {
      return getMatches(/\-?\d+/g, string)
        .map(function (string) { 
          return parseInt(string); 
        });
    });
}

parseIntArrays("[-5, 5, 5], [-6, 15, 15], [7, 13, 12]");
查看更多
登录 后发表回答