Is there a way to do sequential bindings in Clojure?

I want to use a macro binding, but I want it to be consistent, as in let.

I think I can write it like this ...

(binding [a 1]
  (binding [b (inc a)]
    (println b))) 

... but there must be a better way. Any thoughts?

+5
source share
1 answer
(defmacro binding* [bindings & body]
  (reduce (fn [acc [x y]]
            `(binding [~x ~y] ~acc))
          `(do ~@body)
          (reverse (partition 2 bindings))))

user> (declare ^:dynamic a ^:dynamic b)
#'user/b
user> (binding* [a 1 b (inc a)] [a b])
[1 2]

user> (macroexpand-1 '(binding* [a 1 b (inc a)] [a b]))
(clojure.core/binding [a 1]
 (clojure.core/binding [b (inc a)] 
  (do [a b])))
+8
source

All Articles