9

我想将以下字符串转换为数组/嵌套数组:

str = "[[this, is],[a, nested],[array]]"

newarray = # this is what I need help with!

newarray.inspect  # => [['this','is'],['a','nested'],['array']]
4

5 回答 5

11

你会得到你想要的 YAML。

但是你的字符串有一点问题。YAML 期望逗号后面有一个空格。所以我们需要这个

str = "[[this, is], [a, nested], [array]]"

代码:

require 'yaml'
str = "[[this, is],[a, nested],[array]]"
### transform your string in a valid YAML-String
str.gsub!(/(\,)(\S)/, "\\1 \\2")
YAML::load(str)
# => [["this", "is"], ["a", "nested"], ["array"]]
于 2008-09-02T22:39:27.503 回答
4

您也可以将其视为几乎 JSON。如果字符串真的只是字母,就像你的例子一样,那么这将起作用:

JSON.parse(yourarray.gsub(/([a-z]+)/,'"\1"'))

如果他们可以有任意字符(除了 [ ] , ),你需要多一点:

JSON.parse("[[this, is],[a, nested],[array]]".gsub(/, /,",").gsub(/([^\[\]\,]+)/,'"\1"'))
于 2008-09-18T02:55:35.167 回答
3

笑一笑:

 ary = eval("[[this, is],[a, nested],[array]]".gsub(/(\w+?)/, "'\\1'") )
 => [["this", "is"], ["a", "nested"], ["array"]]

免责声明:您绝对不应该这样做,因为这eval是一个糟糕的主意,但是如果您的嵌套数组无效,它会很快并且具有抛出异常的有用副作用

于 2008-09-01T22:06:44.767 回答
0

看起来像一个基本的解析任务。通常,您要采用的方法是使用以下通用算法创建递归函数

base case (input doesn't begin with '[') return the input
recursive case:
    split the input on ',' (you will need to find commas only at this level)
    for each sub string call this method again with the sub string
    return array containing the results from this recursive method

这里唯一有点棘手的部分是将输入拆分为单个“,”。您可以为此编写一个单独的函数,该函数将扫描字符串并保持对 openbrackets 的计数 - 到目前为止看到的 closedbrakets。然后仅在计数为零时以逗号分隔。

于 2008-09-01T21:44:01.620 回答
0

制作一个递归函数,该函数接受字符串和整数偏移量,并“读出”一个数组。也就是说,让它返回一个数组或字符串(它已读取)和一个指向数组之后的整数偏移量。例如:

s = "[[this, is],[a, nested],[array]]"

yourFunc(s, 1) # returns ['this', 'is'] and 11.
yourFunc(s, 2) # returns 'this' and 6.

然后您可以使用另一个提供偏移量 0 的函数调用它,并确保完成偏移量是字符串的长度。

于 2008-09-01T21:47:52.407 回答