In Chapter 8 of Practical Common Lisp, "Plugging the leaks" we define this macro and discover that it leaks through examination with macroexpand-1
(defmacro do-primes ((var start end) &body body)
`(do ((,var (next-prime ,start) (next-prime (1+ ,var)))
(ending-value ,end))
((> ,var ending-value))
,@body))
The following seemingly innocent call to do-primes doesn't work correctly because of this leak:
(do-primes (ending-value 0 10) (print ending-value)) Neither does this one:
(let ((ending-value 0)) (do-primes (p 0 10) (incf ending-value p)) ending-value)
I can use macroexpand-1
on that like so where I've named this macro do-primes4
(macroexpand-1 '(do-primes4 (ending-value 0 10)
(print ending-value)))
(DO ((ENDING-VALUE (NEXT-PRIME 0) (NEXT-PRIME (1+ ENDING-VALUE)))
(ENDING-VALUE 10))
((> ENDING-VALUE ENDING-VALUE))
(PRINT ENDING-VALUE))
However I can't do the same on the second form where the macro call is with the let
(macroexpand-1 '(let ((ending-value 0))
(do-primes4 (p 0 10)
(incf ending-value p))
ending-value))
(LET ((ENDING-VALUE 0))
(DO-PRIMES4 (P 0 10)
(INCF ENDING-VALUE P))
ENDING-VALUE)
It seems not to actually macro-expand do-primes4. I am using SBCL.
Although, as Rainer Joswig pointed out, you need a code-walker to see what the expansion actually is in this case, and neither
macroexpand-1
moremacroexpand
are code walkers, you don't actually need that to see what the problem is here. In a form likeYou can just expand the
do-primes
form at top-level and then substitute it in, to get the obvious thing:And now it's immediately apparent what the problem is: the
ending-value
you are incrementing is not the binding you think it is.There are various CL code-walkers out there: I'm not familiar enough with them to recommend one.