我有一个Phoenix应用程序,我需要在其中显示用户的EEx / HTML配置文件,但每个用户的配置文件都有不同的字段,包括嵌套数据。
如果每个用户的个人资料都有相同的字段,这很简单,因为我可以直接将它们打印到EEx中,但由于每个用户都有不同的个人资料,我无法匹配字段
我正在寻找循环遍历User
数据的最佳方式,包括嵌套属性,并逐行显示EEx中的键/值。
用户数据如下所示:
[closed: :null, created: "2015-10-10T00:51:11.611Z",
email: "email@gmail.com",
id: "user-1234", name: "Rbin",
profile: %{"something" => 2,
"laptop" => %{"age" => 2, "price" => "High", "size" => "13",
"type" => "Macbook", "working" => true}, "silly" => "properties"},
sessions: %{"type" => "list",
"url" => "/user-1234/sessions"}, type: "user",
url: "/users/user-1234", username: "rbin"]
列出多个用户很简单,因为我可以进行列表理解并使用for users <- users do
。我很确定在这种情况下我无法使用它。
答案 0 :(得分:2)
您需要递归地迭代用户。您可以在视图模块中为此创建一个函数,这样您就可以在模板中进行递归调用。如果它获取了一个映射,它将应用模板,否则只返回值(这将结束递归调用)。
# web/views/user_view.ex
def dump_nested(%{} = attributes, fun) do
fun.(attributes, fun)
end
def dump_nested(value, _fun) do
value
end
然后,在您的模板中,请确保再次为dump_nested
调用value
函数,因为这可能包含嵌套映射。请注意,在进行递归调用时需要向下传递fun
参数,以便dump_nested
函数仍然可以引用模板。
<%= dump_nested user, fn(attributes, fun) -> %>
<dl>
<%= for {key, value} <- attributes do %>
<dt><%= key %></dt>
<dd><%= dump_nested value, fun %><dd>
<% end %>
</dl>
<% end %>
答案 1 :(得分:0)
defmodule Nested do
def get_inner_element(input) do
Enum.at(input,0)
|> __MODULE__.get_map(["config","accessConfigs"] ) # we can pass list here for deep nested
|>Enum.at(0)
|> __MODULE__.get_element_from_map("natIP")
end
def get_map(map,[head|tail]) do
map[head] |> get_map tail
end
def get_map(map,[]), do: map
def get_element_from_map(map,key) do
map[key]
end
end
e.g。
input = [%{"config" => %{"accessConfigs" => [%{"kind" =>
"compute#accessConfig","name" => "External NAT", "natIP" => "146.148.23.208",
"type" => "ONE_TO_ONE_NAT"}]}}]
IO.inspect Nested.get_inner_element(input)
答案 2 :(得分:0)
我的嵌套地图位于嵌套列表中,所以我必须测试并通过列表。这是了解Phoenix的视图/模板过程的一个很好的帖子。
def dump_nested(input, fun) when is_list(input) do
Enum.map(input, fn el -> __MODULE__.dump_nested(el, fun) end)
end
def dump_nested(%{} = attributes, fun) do
fun.(attributes, fun)
end
def dump_nested(value, _fun) do
value
endcode here