假设我们有一些函数f返回一个可用作dict键的值:
d = defaultdict(set)
for x in xs:
d[f(x)].add(x)
该结构可能看起来像这样,但是我不知道如何a)提供默认值和b)与现有值合并
(defn build-maps [xs]
(let [inverse-map {}]
(reduce (fn [im x]
(let [y (f x)
im' (assoc im y x)] ; want to add x to a set
im')) inverse-map xs)))
更新,以下似乎有效
(defn build-maps [xs]
(let [inverse-map {}]
(reduce (fn [im x]
(let [y (f x)
new-im (assoc im y (set/union (im y) #{x}))]
new-im)) inverse-map xs)))
最佳答案
我写这个的方式是:
(apply merge-with into
(for [x xs]
{(f x) #{x}}))
但是,如果您想要更接近于基于缩减的计划,则可以编写:
(reduce (fn [m x]
(update m (f x) (fnil conj #{}) x))
{}, xs)
关于python - clojure等效于python defaultdict,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40221523/