In fact, you’ve already seen one such pattern—many macros will, like the last version of , start with a **LET** that introduces a few variables holding gensymed symbols to be used in the macro’s expansion. Since this is such a common pattern, why not abstract it away with its own macro?

    In this section you’ll write a macro, with-gensyms, that does just that. In other words, you’ll write a macro-writing macro: a macro that generates code that generates code. While complex macro-writing macros can be a bit confusing until you get used to keeping the various levels of code clear in your mind, with-gensyms is fairly straightforward and will serve as a useful but not too strenuous mental limbering exercise.

    You want to be able to write something like this:

    1. (defmacro with-gensyms ((&rest names) &body body)
    2. `(let ,(loop for n in names collect `(,n (gensym)))
    3. ,@body))

    Note how you can use a comma to interpolate the value of the **LOOP** expression. The loop generates a list of binding forms where each binding form consists of a list containing one of the names given to with-gensyms and the literal code (gensym). You can test what code the **LOOP** expression would generate at the REPL by replacing names with a list of symbols.

    After the list of binding forms, the body argument to is spliced in as the body of the **LET**. Thus, in the code you wrap in a with-gensyms you can refer to any of the variables named in the list of variables passed to with-gensyms.

    If you macro-expand the with-gensyms form in the new definition of do-primes, you should see something like this:

    1. (let ((ending-value-name (gensym)))
    2. (,ending-value-name ,end))
    3. ((> ,var ,ending-value-name))
    4. ,@body))

    Another classic macro-writing MACRO: ONCE-ONLY

    Another classic macro-writing macro is once-only, which is used to generate code that evaluates certain macro arguments once only and in a particular order. Using once-only, you could write do-primes almost as simply as the original leaky version, like this:

    However, the implementation of once-only is a bit too involved for a blow-by-blow explanation, as it relies on multiple levels of backquoting and unquoting. If you really want to sharpen your macro chops, you can try to figure out how it works. It looks like this:

    1. (defmacro once-only ((&rest names) &body body)
    2. `(let (,@(loop for g in gensyms collect `(,g (gensym))))
    3. `(let (,,@(loop for g in gensyms for n in names collect ``(,,g ,,n)))
    4. ,(let (,@(loop for n in names for g in gensyms collect `(,n ,g)))
    5. ,@body)))))