作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在学习 Elixir,我正在参与 Project Euler 以尝试加强我在 Elixir 中的技能。现在我有这个代码
fib = fn
a,b,0 -> a
a,b,n -> fib.(b, a+b, n-1)
end
IO.puts Enum.sum(Enum.filter(Enum.map(1..50, fn n -> fib.(0,1,n) end), even and fn(x) -> x < 4000000 end))
undefined function fib/0
(elixir) src/elixir_fn.erl:33: anonymous fn/3 in :elixir_fn.expand/3
(stdlib) lists.erl:1238: :lists.map/2
(stdlib) lists.erl:1238: :lists.map/2
(elixir) src/elixir_fn.erl:36: :elixir_fn.expand/3
最佳答案
Elixir 目前不允许定义匿名递归函数。您有 2 个选项:使用 def
定义一个普通函数在任何模块中,或使用以下技巧(hack?)来制作匿名递归函数:
fib = fn
fib, a, b, 0 -> a
fib, a, b, n -> fib.(fib, b, a+b, n-1)
end
IO.puts Enum.sum(Enum.filter(Enum.map(1..50, fn n -> fib.(fib, 0, 1, n) end), fn(x) -> rem(x, 2) == 0 && x < 4000000 end))
defmodule Fib do
def fib(a, _b, 0), do: a
def fib(a, b, n), do: fib(b, a + b, n - 1)
end
IO.puts Enum.sum(Enum.filter(Enum.map(1..50, fn n -> Fib.fib(0, 1, n) end), fn(x) -> rem(x, 2) == 0 && x < 4000000 end))
Enum.filter/2
的第二个参数也有语法错误。我已经修复了(希望是正确的)。
IO.puts
更惯用的代码:
http://elixir-lang.org/getting-started/enumerables-and-streams.html#the-pipe-operator
关于functional-programming - 如何在 Enum.map 中调用匿名函数,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/37888797/
我是一名优秀的程序员,十分优秀!