我想知道clojure中最常用的方法是将嵌套地图转换为嵌套矢量。
例如来自:
{:left {:left {:left 1, :right 5, :middle 1, :score 10}, :right {:left 7, :right 8, :middle 7, :score 0}, :middle 5, :score 10}, :right 9, :middle 8, :score 10}
为:
[ [ [ 1, 5, 1, 10 ], [ 7, 8, 7, 0], 5, 10], 9, 8, 10]
非常感谢
答案 0 :(得分:7)
您可以使用clojure.walk/postwalk
按顺序遍历Clojure数据结构(即从叶子开始),并使用[:left :right :middle :score]
值的向量替换地图:
(require '[clojure.walk :refer [postwalk]])
(def nested-map
{:left {:left {:left 1, :right 5, :middle 1, :score 10},
:right {:left 7, :right 8, :middle 7, :score 0},
:middle 5,
:score 10},
:right 9,
:middle 8,
:score 10})
(postwalk
(fn [v]
(if (map? v)
((juxt :left :right :middle :score) v)
v))
nested-map)
;; => [[[1 5 1 10] [7 8 7 0] 5 10] 9 8 10]
答案 1 :(得分:5)
我的镜头:
(clojure.walk/postwalk #(if (map? %) (into [] (vals %)) %) nested-map)
=> [[5 10 [7 0 8 7] [1 10 5 1]] 8 9 10]
与哈希映射一起使用时不保留顺序;但是,它将使用数组映射保留顺序。