so I'm not sure if I finally understood it or maybe I'm still wrong. Is it correct that:
(define (add-one x)
(+ x 1))
(define (sub-one x)
(- x 1))
(define (add-numbers x y)
(if (zero? y)
x
(add-numbers (add-one x) (sub-one y))))
... add-numbers is a recursive procedure and a recursive process and...
(define (add-numbers2 x y)
(if (zero? y)
x
(add-numbers2 (+ x 1) (- y 1))))
... add-numbers2 is a recursive procedure and an iterative process?
Both are recursive syntactically, but both generate iterative computational processes. In the first function:
Then, if
y
is not zero, what happens is that the thing needs to evaluate(add-numbers (add-one x) (sub-one y))
, and to do this it needs to call(add-one x)
and(add-one y)
, and then calladd-numbers
on the two results, with the result of the whole function being whatever this call toadd-numbers
returns. The important thing is that the call toadd-numbers
is the very last thing that happens. There's no need to return back to the point when that function call was made, as there's nothing more to do except return the calculated value. This means the process is iterative.In the second version:
Well, the easy way to see that this is the same is to realize that
+
and-
are just functions, so this is exactly the same thing! The only difference is that+
and-
happen to be functions defined by the implementation, rather than by you.Here is a version which really describes a recursive computational process:
In this version, if
y
is not zero then the function has to call itself onx
and the result of subtracting 1 fromy
... and then, once it's done that, it still needs to add 1 to the result of that call. So it needs to keep a memory that there is this pending operation of adding 1, and then actually do that addition when it returns from that function call. It's perhaps easier to see this using your original functions:Now you can clearly see that when the recursive call to
add-numbers4
returns there is still more work to do.