5

我正在阅读 Dave 即将出版的关于 Elixir 的书,在一个练习中,我想根据字符串的一个字符的内容,动态构造对 等的函数引用Kernel.+/2,等等。Kernel.-/2'+''-'

基于另一个 SO question,我希望能够调用apply/3传递内核,:+ 和两个这样的数字:

apply(Kernel, :+, [5, 7])

这不起作用,因为(如果我理解正确的话)Kernel.+/2是一个宏,而不是一个函数。我查找了源代码,并+根据 定义__op__,我可以从以下位置调用它iex

__op__(:+, 5, 7)

这一直有效,直到我将 :+ 放入变量中:

iex(17)> h = list_to_atom('+')
:+
iex(18)> __op__(h, 5, 7)
** (CompileError) iex:18: undefined function __op__/3
    src/elixir.erl:151: :elixir.quoted_to_erl/3
    src/elixir.erl:134: :elixir.eval_forms/4

而且我猜没有办法调用__op__using apply/3

当然,蛮力方法可以完成工作。

  defp _fn(?+), do: &Kernel.+/2
  defp _fn(?-), do: &Kernel.-/2
  defp _fn(?*), do: &Kernel.*/2
# defp _fn(?/), do: &Kernel.//2   # Nope, guess again
  defp _fn(?/), do: &div/2        # or &(&1 / &2) or ("#{div &1, &2} remainder #{rem &1, &2}")

但是还有更简洁和动态的东西吗?


何塞·瓦利姆(José Valim)在下面给出了答案。这是上下文中的代码:

  def calculate(str) do 
    {x, op, y} = _parse(str, {0, :op, 0})
    apply :erlang, list_to_atom(op), [x, y]
  end

  defp _parse([]     , acc      )                 , do: acc
  defp _parse([h | t], {a, b, c}) when h in ?0..?9, do: _parse(t, {a, b, c * 10 + h - ?0})
  defp _parse([h | t], {_, _, c}) when h in '+-*/', do: _parse(t, {c, [h], 0})
  defp _parse([_ | t], acc      )                 , do: _parse(t, acc)
4

1 回答 1

12

You can just use the Erlang one:

apply :erlang, :+, [1,2]

We are aware this is confusing and we are studying ways to make it or more explicit or more transparent.

UPDATE: Since Elixir 1.0, you can dispatch directly to Kernel (apply Kernel, :+, [1, 2]) or even use the syntax the OP first attempted (&Kernel.+/2).

于 2014-01-12T20:55:47.670 回答