我是Elixir的新手并试图解决吉他标签问题。 我的代码:
def sumTabs([head|tail], result) do
nextLine = hd(tail)
tail = List.delete(tail, nextLine)
head
|> Enum.with_index
|> Enum.each(fn({x, i}) ->
s = [x <> Enum.at(nextLine, i) |> to_charlist]
IO.inspect s
result = [result | s]
IO.inspect result end)
result
end
我想更新结果,它在开始时是一个空列表,但在Enum.each函数的每次迭代中,结果都是空的。我认为这是因为匿名功能。
首先,我希望它至少有两行。
输入:
tab = """
e|-7-----7-----7-----7-----5-----3-----3-----2-----0-----0-----|
B|---0-----0-----0-----0-----0-----0-----0-----0-----0-----0---|
G|-----0-----0-----0-----0-----0-----0-----0-----0-----0-----0-|
D|-------------------------------------------------------------|
A|-------------------------------------------------------------|
E|-------------------------------------------------------------|
"""
输出:
['eB']
[[], 'eB']
['||']
[[], '||']
['--']
[[], '--']
['7-']
[[], '7-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['7-']
[[], '7-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['7-']
[[], '7-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['7-']
[[], '7-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['5-']
[[], '5-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['3-']
[[], '3-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['3-']
[[], '3-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['2-']
[[], '2-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['0-']
[[], '0-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['0-']
[[], '0-']
['--']
[[], '--']
['-0']
[[], '-0']
['--']
[[], '--']
['--']
[[], '--']
['--']
[[], '--']
['||']
[[], '||']
sumTabs函数之前的代码:
defmodule TabPlayer do
def parse(tab) do
String.split(tab, "\n")
|> Enum.map(fn n -> to_string n end)
|> List.delete([])
|> Enum.map(fn n -> String.graphemes n end)
|> sumTabs([])
|> IO.inspect
end
答案 0 :(得分:4)
Elixir中的变量是不可变的。您无法重新分配Enum.each
内的值,并希望它在外部更改。这段代码的作用是创建一个新的result
值,该值一直持续到匿名函数结束。
您可以在此处使用Enum.reduce/3
,在每次迭代时返回新的result
值。假设你的其余逻辑是正确的,这里是如何重写代码以使用Enum.reduce/3
。请注意,我正在利用IO.inspect
打印一个值然后将其返回的事实。因此IO.inspect(x); x
与IO.inspect(x)
相同。
def sumTabs([head|tail], result) do
nextLine = hd(tail)
tail = List.delete(tail, nextLine)
head
|> Enum.with_index
|> Enum.reduce([], fn({x, i}, acc) ->
s = IO.inspect [x <> Enum.at(nextLine, i) |> to_charlist]
IO.inspect [s | acc]
end)
# We need to reverse at the end since we're creating a reversed list in
# `Enum.reduce` for efficiency.
|> Enum.reverse
end