在 iex 的下一行使用管道(之前的语法错误:'|>')

Using pipe on next line in iex (syntax error before: '|>')

在 Elixir 的管道链中,将管道放在行的开头是标准的:

1
|> IO.inspect(label: "initial value")
|> Kernel.+(1)
|> IO.inspect(label: "plus one")
|> Kernel.*(2)
|> IO.inspect(label: "times two")
|> Integer.to_string(2)
|> IO.inspect(label: "in binary")

但是,当我尝试在 IEx 中执行此操作时,会发生以下情况:

iex(1)> 1
1
iex(2)> |> IO.inspect(label: "initial value")
** (SyntaxError) iex:2:1: syntax error before: '|>'

可以通过将管道运算符移动到行尾来解决此问题:

iex(1)> 1 |>
...(1)> IO.inspect(label: "initial value") |>
...(1)> Kernel.+(1) |>
...(1)> IO.inspect(label: "plus one") |>
...(1)> Kernel.*(2) |>
...(1)> IO.inspect(label: "times two") |>
...(1)> Integer.to_string(2) |>
...(1)> IO.inspect(label: "in binary")
initial value: 1
plus one: 2
times two: 4
in binary: "100"
"100"

但这既乏味又单调。是否可以像在源文件中那样在下一行使用 IEx 中的管道?

这个 is supported 在最近的版本中:

Interactive Elixir (1.12.0) - press Ctrl+C to exit (type h() ENTER for help)
iex(1)> [1, [2], 3]
[1, [2], 3]
iex(2)> |> List.flatten()
[1, 2, 3]

在 Elixir 1.12 之前,not possible 将多行管道(如您的示例)逐字复制粘贴到 IEx 中。这是 IEx 中的代码是逐行计算的事实的一个症状。

最简单的解决方法是将表达式括在括号中:

iex(1)> (
...(1)>     1
...(1)>     |> IO.inspect(label: "initial value")
...(1)>     |> Kernel.+(1)
...(1)>     |> IO.inspect(label: "plus one")
...(1)>     |> Kernel.*(2)
...(1)>     |> IO.inspect(label: "times two")
...(1)>     |> Integer.to_string(2)
...(1)>     |> IO.inspect(label: "in binary")
...(1)> )
initial value: 1
plus one: 2
times two: 4
in binary: "100"
"100"

你也可以转义换行符:

iex(1)> 1 \
...(1)> |> IO.inspect(label: "initial value") \
...(1)> |> Kernel.+(1) \
...(1)> |> IO.inspect(label: "plus one") \
...(1)> |> Kernel.*(2) \
...(1)> |> IO.inspect(label: "times two") \
...(1)> |> Integer.to_string(2) \
...(1)> |> IO.inspect(label: "in binary") \
...(1)>
initial value: 1
plus one: 2
times two: 4
in binary: "100"
"100"