Remove n instances of matching items from the collection

What is the best way to remove n instances of matching elements of collection-2 from collection-1?

(let [coll-1 [8 2]
      coll-2 [8 8 8 2]

      

Here's what I first came up with to solve the original problem:

   ...
;; (remove (set coll-1) coll-2))
;;     --> ()

      

But I figured out what I have to achieve:

   ...
;; (some-magic coll-1 coll-2))
;;     --> (8 8)

      

Clarification:

 (some-magic {8 2} [8 8 8 2]) ;;Removes 1x8 and 1x2 from vector.
 (some-magic {8 8 2} [8 8 8 2]) ;;Removes 2x8 and 1x2 from vector.

      

Edit:

It is advisable to save the order.

+3


source to share


2 answers


I don't see any of the built-in manipulation functions consistently doing this, although a flowing path loop might well plot the result:



user> (loop [coll-1 (set coll-1) coll-2 coll-2 result []]
        (if-let [[f & r] coll-2]
          (if (coll-1 f)
            (recur (disj coll-1 f) r result)
            (recur coll-1 r (conj result f)))
          result))
[8 8] 

      

+2


source


Here is a lazy solution written in style distinct

:

(defn some-magic [count-map coll]
  (let [step (fn step [xs count-map]
               (lazy-seq
                 ((fn [[f :as xs] count-map]
                    (when-let [s (seq xs)]
                      (if (pos? (get count-map f 0))
                        (recur (rest s) (update-in count-map [f] dec))
                        (cons f (step (rest s) count-map)))))
                   xs count-map)))]
    (step coll count-map)))

      

The first argument should be a map indicating how much of each value to remove:



(some-magic {8 1, 2 1} [8 8 8 2]) ;; Removes 1x8 and 1x2 
;=> (8 8)

(some-magic {8 2, 2 1} [8 8 8 2]) ;; Removes 2x8 and 1x2
;=> (8)

      

Here's an example dealing with false and infinite input values:

(take 10 (some-magic {3 4, 2 2, nil 1} (concat [3 nil 3 false nil 3 2] (range))))
;=> (false nil 0 1 4 5 6 7 8 9)

      

+3


source







All Articles