我有一个包含单个函数的简单模块:
defmodule Funcs do
def double(x) do
x*2
end
end
当我以文件名作为参数启动iex
时,我可以正常调用该函数:
iex(5)> Funcs.double(3)
6
但是当我尝试在Enum.map
中使用它时,我收到undefined function
错误:
iex(2)> Enum.map([1,2,3,4], Funcs.double)
** (UndefinedFunctionError) undefined function: Funcs.double/0
Funcs.double()
如果我只使用类似的匿名函数,一切都按预期工作:
iex(6)> Enum.map([1,2,3,4], fn(x) -> x*2; end)
[2, 4, 6, 8]
如何使用模块函数(不确定这是否是正确的术语)作为Enum.map的参数?
答案 0 :(得分:26)
捕获非匿名函数的语法使用&function/arity
。
在你的例子中:
Enum.map([1,2,3,4], &Funcs.double/1)
您可以在the docs for the &
special form中详细了解捕获语法(在Elixir中非常常见)。