Elixir - sum of list values with recursion

我的梦境 提交于 2019-12-10 14:56:24

问题


Just trying to do simple sum of list values.

defmodule Mth do 

    def sum_list([]) do 
        0
    end

    def sum_list([H|T]) do
        H + sum_list(T)
    end

end

IO.puts Mth.sum_list([1, 2, 300]) 

But I get this error:

**(FunctionClauseError) no function clause matching in Mth.sum_list/1
    pokus.ex:3: Mth.sum_list([1, 2, 300])
    pokus.ex:14: (file)
    (elixir) src/elixir_lexical.erl:17: :elixir_lexical.run/2
    (elixir) lib/code.ex:316: Code.require_file/2**

回答1:


You need to use lowercase letters for variable and functions names. Identifiers starting with uppercase are reserved for modules:

defmodule Mth do 

  def sum_list([]) do 
    0
  end

  def sum_list([h|t]) do
    h + sum_list(t)
  end

end

iex> IO.puts Mth.sum_list([1, 2, 300])
303
:ok



回答2:


To improve upon Chris's solution, if you want your sum function to be tail recursive, you'd need to modify it a bit to be:

defmodule Mth do 
  def sum_list(list), do: do_sum_list(list, 0)

  defp do_sum_list([], acc),    do: acc
  defp do_sum_list([h|t], acc), do: do_sum_list(t, acc + h)
end

iex> Mth.sum_list([1, 2, 300])
303



回答3:


If you are going to use Enum.reduce you can go simpler:

defmodule Mth do
  def sum_list(list), do: Enum.reduce(list, 0, &(&1 + &2))
end



回答4:


Just for sake of completeness this would also work:

defmodule Mth do

  def sum_list(list), do: do_sum_list(list,0)

  defp do_sum_list(l,i_acc), do: Enum.reduce(l, i_acc, fn(x, accum) -> x + accum end)

end

I post this solely for reference for others who may find this question and it's answers.



来源:https://stackoverflow.com/questions/24728416/elixir-sum-of-list-values-with-recursion

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!