So far, you’ve learned the basic theory of Clojure’s macro system. You’ve also seen some macros that form part of the Clojure language. You’ll now write a few of your own to see how you might use macros in your own programs.
To help you get started, we’ll start with a simple macro called infix. Next, you’ll write one called randomly, which will appear to add a new control structure to Clo- jure. Third, you’ll write a macro called defwebmethod, which could be the beginning of a DSL for writing web applications. Building on the defwebmethod macro, you’ll cre- ate defnn, a macro that will aid in creating functions that accept named arguments.
And finally, you’ll write the assert-true macro, which could be the beginning of a unit-testing framework for Clojure.
7.3.1 infix
In chapter 1, we talked about an infix macro, which would allow you to call mathe- matical operators using infix notation. Here’s how you might implement it:
(defmacro infix [expr]
(let [[left op right] expr]
(list op left right)))
It’s a trivial implementation: it just rearranges the function symbol and the arguments back into prefix notation. It’s also a fairly nạve implementation because it supports only two terms and doesn’t do any kind of error checking. Still, it’s a fun little macro.
7.3.2 randomly
There are often situations where you want to randomly pick a path of execution. Such a requirement might arise, for instance, if you wanted to introduce some randomness into your code. The randomly macro accepts any number of s-expressions and picks one at random. Here’s the implementation:
(defmacro randomly [& exprs]
(let [len (count exprs) index (rand-int len)
conditions (map #(list '= index %) (range len))]
`(cond ~@(interleave conditions exprs))))
rand-int is a function that returns a random integer between zero and its argument.
Here you pass the length of the incoming exprs to the rand-int function. Now test it:
(randomly (println "amit") (println "deepthi") (println "adi")) adi
;=> nil
181 Writing your own macros
Try it one more time:
(randomly (println "amit") (println "deepthi") (println "adi")) deepthi
;=> nil
And once more:
(randomly (println "amit") (println "deepthi") (println "adi")) adi
;=> nil
The macro works as expected, evaluating only one of the three expressions. Obviously, given the randomization, your output will look different. Here’s what the macro trans- forms the passed-in s-expressions into:
(macroexpand-1
'(randomly (println "amit") (println "deepthi") (println "adi")))
;=> (clojure.core/cond
(= 0 0) (println "amit") (= 0 1) (println "deepthi") (= 0 2) (println "adi"))
Again, given the randomization, your expansion may look different. Indeed, if you expand it several times, you’ll see that the condition clauses in the cond form change.
Incidentally, there’s an easier way to achieve the same effect. Consider the follow- ing implementation:
(defmacro randomly-2 [& exprs]
(nth exprs (rand-int (count exprs))))
Try it at the REPL to confirm that it works. There’s one unintended consequence of these macros: each selects an expression when it’s expanded, not later when the code the macro expands to is run. This means that if the macro is expanded inside another macro—say, inside a function—it will always return the same random value. To fix this, you need a new call to rand-int every time the body is evaluated, not just once when the macro is expanded. Here’s a possible fix:
(defmacro randomly-2 [& exprs]
(let [c (count exprs)]
`(case (rand-int ~c) ~@(interleave (range c) exprs))))
7.3.3 defwebmethod
You’ll now write a macro that has nothing to do with changing the flow of execution of your code but is a convenience macro that makes life easier for those who use it. It will also appear to add a feature that’s specific to building web applications to Clojure.
In essence, the web is made dynamic through programs that generate different HTML documents based on certain input parameters. You can use Clojure functions for this purpose, where each function might correspond to something the user requests. For instance, you could write a function that accepts a username and a date
and returns a report of that day’s expenses. The parameters of the request might be bundled in a hash map and given to each function as a request object. Each function could then query the request object for the parameters it needs, process the request as required, and then return appropriate HTML.
Here’s what such a function might look like:
(defn login-user [request]
(let [username (:username request) password (:password request)]
(if (check-credentials username password)
(str "Welcome back, " username ", " password " is correct!") (str "Login failed!"))))
Here, check-credentials might be a function that would look up authentication information from a database. For your purposes, let’s define it as follows:
(defn check-credentials [username password]
true)
Also, login-user would return real HTML as opposed to the strings you’re returning.
It should give a general idea about the structure of such functions, though. Now try it:
(def request {:username "amit" :password "123456"})
;=> #'user/request (login-user request)
;=> "Welcome back, amit, 123456 is correct!"
The trouble with this is that every function like login-user must manually query val- ues out of the request map. The example here needs two parameters—username and password—but you can certainly imagine functions that need many more. It would be quite tedious to have to pull them out from the request map each time. Consider the following macro:
(defmacro defwebmethod [name args & exprs]
`(defn ~name [{:keys ~args}]
~@exprs))
You can now use this macro to define a new version of login-user as follows:
(defwebmethod login-user [username password]
(if (check-credentials username password)
(str "Welcome, " username ", " password " is still correct!") (str "Login failed!")))
You can try this version of the function on the REPL:
(login-user request)
;=> "Welcome, amit, 123456 is still correct!"
For programmers who don’t know the internals of defwebmethod, it appears that it’s literally a new language abstraction, designed specifically for web applications. Any
183 Writing your own macros
names specified in the parameters list are automatically pulled out of the request map and set up with the correct value (the function defined still takes the same argu- ment). You can specify the names of the function parameters in any order, which is a nice convenience.
You can imagine other domain-specific additions to Clojure written this way.
7.3.4 defnn
You used map destructuring in the previous example to create a function that broke apart an incoming map into constituent, named parts. Now, you’re going to let named arguments be passed into a function in any order, for instance:
(defnn print-details [name salary start-date]
(println "Name:" name) (println "Salary:" salary)
(println "Started on:" start-date))
;=> #'user/print-details
And in using it, you’d be able to do something like this:
(print-details :start-date "10/22/2009" :name "Rob" :salary 1000000) Name: Rob
Salary: 1000000 Started on: 10/22/2009
Notice how you can change the order of the arguments because they’re named using keywords. If you didn’t pass some of those arguments in, they’d default to nil. Here’s the implementation:
(defmacro defnn [fname [& names] & body]
(let [ks {:keys (vec names)}]
`(defn ~fname [& {:as arg-map#}]
(let [~ks arg-map#]
~@body))))
How does it work? You can check using macroexpand:
(def print-details (clojure.core/fn
([& {:as arg-map__2045__auto__}]
(clojure.core/let [{:keys [name salary start-date]}
arg-map__2045__auto__]
(println "Name:" name) (println "Salary:" salary)
(println "Started on:" start-date)))))
Again, you’re using map destructuring in a let form to tease apart named arguments and to set up names for the specified values. The let form also converts the pairs of keywords and values into a hash map. This is a limited form of named arguments, and it certainly doesn’t do any error checks or allow for default values. Still, it can be built upon to add those features.
7.3.5 assert-true
For the last example, you’ll write a macro that you can use to assert that an s-expression evaluates to true. Let’s see how you might use it:
(assert-true (= (* 2 4) (/ 16 2)))
;=> true
(assert-true (< (* 2 4) (/ 18 2)))
;=> true
You might use assert-true in a set of unit tests. You might be tempted to have multi- ple such assertions in a single unit test, all verifying related functionality. The trouble with having several assertions in one unit test is that when something fails, it isn’t immediately obvious what failed. Line numbers are useful, as are custom error mes- sages that some unit-testing frameworks allow.
In your little macro, you’d like to see the code that failed. It might work as follows:
(assert-true (>= (* 2 4) (/ 18 2)))
;=> RuntimeException (* 2 4) is not >= 9
Using literal code like this is a natural fit for macros. Here’s the macro:
(defmacro assert-true [test-expr]
(let [[operator lhs rhs] test-expr]
`(let [rhsv# ~rhs ret# ~test-expr]
(if-not ret#
(throw (RuntimeException.
(str '~lhs " is not " '~operator " " rhsv#))) true))))
It’s a straightforward implementation. A binding form is used to tease apart test- expr into its constituent operator, lhs, and rhs parts. The generated code then uses these to do their thing, best understood by looking at a sample macro expansion:
(macroexpand-1 '(assert-true (>= (* 2 4) (/ 18 2))))
;=> (clojure.core/let [rhsv__11966__auto__ (/ 18 2)
ret__11967__auto__ (>= (* 2 4) (/ 18 2))]
(clojure.core/if-not ret__11967__auto__
(throw (java.lang.RuntimeException.
(clojure.core/str (quote (* 2 4))
" is not " (quote >=) " " rhsv__11966__auto__))) true))
As mentioned earlier, this macro is actually quite simple. Notice how '~lhs, for instance, expands to (quote (* 2 4)). This is desirable, because by quoting it, you’re able to stop the form from being evaluated and replaced with its result. This makes it more useful when a failure occurs, because it’s the actual code that the user passed into the assertion. Imagine how hard doing something like this would be in a lan- guage such as Java, C++, or even Ruby or Python.
185 Summary
You can improve it by adding some semantic error checking to handle situations where invalid expressions are passed. Consider the following definition:
(defmacro assert-true [test-expr]
(if-not (= 3 (count test-expr)) (throw (RuntimeException.
"Argument must be of the form
(operator test-expr expected-expr)"))) (if-not (some #{(first test-expr)} '(< > <= >= = not=)) (throw (RuntimeException.
"operator must be one of < > <= >= = not="))) (let [[operator lhs rhs] test-expr]
`(let [rhsv# ~rhs ret# ~test-expr]
(if-not ret#
(throw (RuntimeException.
(str '~lhs " is not " '~operator " " rhsv#))) true))))
This works for the two situations where someone passes a malformed expression into the macro:
(assert-true (>= (* 2 4) (/ 18 2) (+ 2 5)))
;=> RuntimeException Argument must be of the form (operator test-expr expected-expr)
It also checks for the case where someone tries to use an operator that isn’t supported:
(assert-true (<> (* 2 4) (/ 16 2)))
;=> RuntimeException operator must be one of < > <= >= = not=
This example shows how macros can make it easy to perform domain-specific semantic checking of not just values but of the code itself. In other languages, this might have required some serious parsing. Clojure’s code-as-data approach pays off in this scenario.