它为我提供了一个代码
的ArrayMap(class (hash-map))
但是当我编码时它出现了HashMap:
(class (hash-map "" ""))
问题是“如何创建空哈希图”?
答案 0 :(得分:7)
另一种可能性是使用预定义的EMPTY字段:
user=> (clojure.lang.PersistentHashMap/EMPTY)
{}
在我看来,最好表明你的意图。
答案 1 :(得分:3)
您可以像这样创建空哈希映射:
(. clojure.lang.PersistentHashMap create {})
(clojure.lang.PersistentHashMap/create {})
(clojure.lang.PersistentHashMap/EMPTY)
您可以查看hash-map
的源代码:
user=> (source hash-map)
(defn hash-map
"keyval => key val
Returns a new hash map with supplied mappings. If any keys are
equal, they are handled as if by repeated uses of assoc."
{:added "1.0"
:static true}
([] {})
([& keyvals]
(. clojure.lang.PersistentHashMap (create keyvals))))
正如您在代码中看到的那样,如果您不提供参数,hash-map
函数会返回{}
,这是PersistentArrayMap
的实例。
如果您确实需要空PersistentHashMap
的实例,可以使用以下代码创建它:
(. clojure.lang.PersistentHashMap create {})
您可以检查已创建实例的类:
user=> (class (. clojure.lang.PersistentHashMap create {}))
clojure.lang.PersistentHashMap
user=> (class (clojure.lang.PersistentHashMap/create {}))
clojure.lang.PersistentHashMap
user=> (class (clojure.lang.PersistentHashMap/EMPTY)) ;; om-nom-nom's : much simpler
clojure.lang.PersistentHashMap
但是,我不确定这样做是好还是必要。也许您的代码不应该依赖于特定的实现类。
答案 2 :(得分:2)
你真的不需要担心这个。运行时会判断要使用的最佳实现。对于少量键/值对,PersistentArrayMap
是首选(即,它在时间和空间上更有效),但是一旦超过8的kv限制,就会升级到PersistentHashMap
,请参阅{{3} }}
*clojure-version*
{:major 1, :minor 5, :incremental 1, :qualifier nil}
; map declared with {} with 8 kv pairs is ArrayMap
(type {:a 1 :b 2 :c 3 :d 4 :e 5 :f 6 :g 7 :h 8})
=> clojure.lang.PersistentArrayMap
; map declared with {} with 9 kv pairs is HashMap
(type {:a 1 :b 2 :c 3 :d 4 :e 5 :f 6 :g 7 :h 8 :i 9})
=> clojure.lang.PersistentHashMap
; assoc'ing 1 kv pairs into an ArrayMap is an ArrayMap (oddly)
(type (-> {:a 1 :b 2 :c 3 :d 4 :e 5 :f 6 :g 7 :h 8}
(assoc :i 9)))
clojure.lang.PersistentArrayMap
; assoc'ing 2 kv pairs into an ArrayMap is an HashMap
(type (-> {:a 1 :b 2 :c 3 :d 4 :e 5 :f 6 :g 7 :h 8}
(assoc :i 9)
(assoc :j 10)))
clojure.lang.PersistentHashMap