Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I map any given function over a list of values?

Tags:

elixir

I am splitting a string on a character and would like to trim the all the items in the resulting split. I would expect the following to work as String.trim/1 exists:

iex> "My delimited ! string of doom" |> String.split("!") |> Enum.map(String.trim)
** (UndefinedFunctionError) function String.trim/0 is undefined or private. Did you mean one of:

  * trim/1
  * trim/2

(elixir) String.trim()

I receive an UndefinedFunctionError indicating the function String.trim/0 does not exist. What I want is easily accomplished with an anonymous function passed to Enum.map:

iex> "My delimited ! string of doom" |> String.split("!") |> Enum.map(fn (word) -> String.trim(word) end)
["My delimited", "string of doom"]

Does Enum.map/2 require an anonymous function as a second parameter? Is it possible to give my desired function as a parameter?

like image 588
Ben Campbell Avatar asked Dec 25 '22 01:12

Ben Campbell


1 Answers

You need to use & operator. Capture operator

Try this:

iex()> "my delimited ! string of doom" |> String.split("!") |> Enum.map(&String.trim/1)
["my delimited", "string of doom"]
like image 168
TheAnh Avatar answered Jan 01 '23 08:01

TheAnh