SICP Exercise 1.11
Question
A function
Answer
The recursive implementation probably does not need much explanation, as it is fairly straightforward:
(define (rec n)
(cond ((< n 3) n)
(else (+ (rec (- n 1)) (* 2 (rec (- n 2))) (* 3 (rec (- n 3)))))))
For the iterative implementation, we need to keep track of state somehow.
In particular, we are using the variable a
to track the result of the current iteration, b
to track the result of the last iteration, and c
to track the result of the penultimate iteration.
Since n
as the counter
variable to keep count of the function iterations.
(define (iter n)
(define (iter-c a b c counter)
(cond ((< counter 3) a)
(else (iter-c (+ a (* 2 b) (* 3 c)) a b (- counter 1)))))
(iter-c 2 1 0 n))