Clojure: Merge Two Maps but Only Keep the Keys of One of Them
Join the DZone community and get the full member experience.
Join For FreeI’ve been playing around with Clojure maps recently and I wanted to merge two maps of rankings where the rankings in the second map overrode those in the first while only keeping the teams from the first map.
The merge function overrides keys in earlier maps but also adds keys that only appear in later maps. For example, if we merge the following maps:
> (merge {"Man. United" 1500 "Man. City" 1400} {"Man. United" 1550 "Arsenal" 1450}) {"Arsenal" 1450, "Man. United" 1550, "Man. City" 1400}
we get back all 3 teams but I wanted a function which only returned ‘Man. United’ and ‘Man. City’ since those keys appear in the first map and ‘Arsenal’ doesn’t.
I wrote the following function:
(defn merge-rankings [initial-rankings override-rankings] (merge initial-rankings (into {} (filter #(contains? initial-rankings (key %)) override-rankings))))
If we call that we get the desired result:
> (merge-rankings {"Man. United" 1500 "Man. City" 1400} {"Man. United" 1550 "Arsenal" 1450}) {"Man. United" 1550, "Man. City" 1400}
An alternative version of that function could use select-keys like so:
(defn merge-rankings [initial-rankings override-rankings] (select-keys (merge initial-rankings override-rankings) (map key initial-rankings)))
bitemyapp points out in the comments that we can go even further and use the keys function instead of map key, like so:
(defn merge-rankings [initial-rankings override-rankings] (select-keys (merge initial-rankings override-rankings) (keys initial-rankings)))
Now let’s generify the function so it would make sense in the context of any maps, not just ranking related ones:
(defn merge-keep-left [left right] (select-keys (merge left right) (keys left)))
Published at DZone with permission of Mark Needham, DZone MVB. See the original article here.
Opinions expressed by DZone contributors are their own.
Trending
-
Exploratory Testing Tutorial: A Comprehensive Guide With Examples and Best Practices
-
Structured Logging
-
Database Integration Tests With Spring Boot and Testcontainers
-
Reactive Programming
Comments