我有一个 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"}
或者,如果我可以将其转换为字符串列表,我也可以使用它。
完成这些任务的最佳方法是什么?
你所拥有的不是关键字列表,它只是一个列表,其中每个奇数元素代表一个键,每个偶数元素代表一个值。
区别在于:
[: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_every/2 和 Enum.reduce/3
进行转换[:topic_id, "can't be blank", :created_by, "can't be blank"]
|> Enum.chunk_every(2)
|> Enum.reduce(%{}, fn ([key, val], acc) -> Map.put(acc, key, val) end)
您可以在 http://elixir-lang.org/getting-started/maps-and-dicts.html
阅读有关关键字列表的更多信息另一种方法是将
Enum.chunk/2
与 Enum.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)
另一种方法是使用列表理解:
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/compressives.html#results-other-than-lists
阅读有关此用例的更多信息迟到:
[:topic_id, "can't be blank", :created_by, "can't be blank"]
|> Enum.chunk(2)
|> Enum.into(%{}, &List.to_tuple/1)