SICP Exercise 1.46
Question
Several of the numerical methods described in this chapter are instances of an extremely general computational strategy known as iterative improvement. Iterative improvement says that, to compute something, we start with an initial guess for the answer, test if the guess is good enough, and otherwise improve the guess and continue the process using the improved guess as the new guess.
Write a procedure iterative-improve
that takes two procedures as arguments: a method for telling whether a guess is good enough and a method for improving a guess.
Iterative-improve
should return as its value a procedure that takes a guess as argument and keeps improving the guess until it is good enough.
Rewrite the sqrt
procedure of 1.1.7 and the fixed-point
procedure of 1.3.3 in terms of iterative-improve
.
Answer
(define (iterative-improve good-enough? improve)
(λ (guess)
(if (good-enough? guess)
guess
((iterative-improve good-enough? improve) (improve guess)))))
; re-implementation of sqrt procedure from section 1.1.7
(define (square x) (* x x))
(define (average x y) (/ (+ x y) 2))
(define (sqrt x)
(define (good-enough? guess)
(< (abs (- (square guess) x)) 0.001))
(define (improve guess)
(average guess (/ x guess)))
((iterative-improve good-enough? improve) 1.0))
(sqrt 64)
; re-implementation of fixed-point procedure from section 1.3.3
(define (fixed-point f)
(define (good-enough? guess)
(< (abs (- guess (f guess))) 0.00001))
(define (improve guess)
(f guess))
((iterative-improve good-enough? improve) 1.0))
(fixed-point cos)
Results:
8.000001655289593
0.7390893414033927