Elixir:如何将关键字列表转换为地图?

时间:2015-07-21 21:02:39

标签: json elixir

我有一个Ecto变更集错误的关键字列表,我想将其转换为地图,以便Poison JSON解析器可以正确输出JSON格式的验证错误列表。

所以我得到一个错误列表如下:

[:topic_id, "can't be blank", :created_by, "can't be blank"]

...我想得到一个错误的地图,如下:

%{topic_id: "can't be blank", created_by: "can't be blank"}

或者,如果我可以将其转换为字符串列表,我也可以使用它。

完成这两项任务的最佳方法是什么?

3 个答案:

答案 0 :(得分:47)

你所拥有的不是一个关键词列表,它只是一个列表,每个奇数元素代表一个键,每个偶数元素代表一个值。

区别在于:

[:topic_id, "can't be blank", :created_by, "can't be blank"] # List
[topic_id: "can't be blank", created_by: "can't be blank"]   # Keyword List

可以使用Enum.into/2

将关键字列表转换为地图
Enum.into([topic_id: "can't be blank", created_by: "can't be blank"], %{})

由于您的数据结构是列表,因此您可以使用Enum.chunk/2Enum.reduce/3

进行转换
[:topic_id, "can't be blank", :created_by, "can't be blank"]
|> Enum.chunk(2)
|> Enum.reduce(%{}, fn ([key, val], acc) -> Map.put(acc, key, val) end)

您可以在http://elixir-lang.org/getting-started/maps-and-dicts.html

了解有关关键字列表的更多信息

答案 1 :(得分:10)

另一种方法是将Enum.chunk/2Enum.into/3合并。例如:

[:topic_id, "can't be blank", :created_by, "can't be blank"]
|> Enum.chunk(2)
|> Enum.into(%{}, fn [key, val] -> {key, val} end)

答案 2 :(得分:6)

另一种方法是使用列表理解:

iex> list = [:topic_id, "can't be blank", :created_by, "can't be blank"]
iex> map = for [key, val] <- Enum.chunk(list, 2), into: %{}, do: {key, val}
%{created_by: "can't be blank", topic_id: "can't be blank"}

此外,您可以将列表转换为关键字列表:

iex> klist = for [key, val] <- Enum.chunk(list, 2), do: {key, val}
[topic_id: "can't be blank", created_by: "can't be blank"]

在某些情况下它也可能有用。

您可以在http://elixir-lang.org/getting-started/comprehensions.html#results-other-than-lists

了解有关此用例的更多信息