From SICP:
Exercise 3.8
When we defined the evaluation model in section 1.1.3, we said that the first step in evaluating an expression is to evaluate its subexpressions. But we never specified the order in which the subexpressions should be evaluated (e.g., left to right or right to left). When we introduce assignment, the order in which the arguments to a procedure are evaluated can make a difference to the result. Define a simple procedure f such that evaluating
(+ (f 0) (f 1))
will return 0 if the arguments to + are evaluated from left to right but will return 1 if the arguments are evaluated from right to left.
I wrote this solution:
(define it false)
(define (f x)
(if it
it
(begin (set! it (/ x 2)) it)))
(+ (f 1) (f 0))
Is there a better way?
1 Answer 1
Your code returns 1/2 if the (f 0)
is evaluated first, not 0. A better way would be to return the last argument to f
, with a default of 0.
(define last 0)
(define (f x)
(define temporary last)
(set! last x)
temporary
)
When (+ (f 0) (f 1))
is evaluated with (f 0)
first, execution is as follows:
f
is called with 0temporary
is set to 0 (the defaultlast
)last
is set to 0 (the argument to f)temporary
(0) is returnedf
is called with 1temporary
is set to 0last
is set to 1temporary
(0) is returned- 0+0=0
If (f 1)
is evaluated first, then execution is as follows:
f
is called with 1temporary
is set to 0 (the defaultlast
)last
is set to 1 (the argument to f)temporary
(0) is returnedf
is called with 0temporary
is set to 1last
is set to 0temporary
(1) is returned- 0+1=1
-
\$\begingroup\$ I agree - returning the last argument is cleaner than my solution. I don't think that my answer returned 0.5 though - it computes 0/2 (which is 0) and then returns that twice - so it should still be correct? Anyway, I like your solution better. Thanks! \$\endgroup\$jaresty– jaresty2011年05月20日 00:07:27 +00:00Commented May 20, 2011 at 0:07
-
\$\begingroup\$ @jaresty You're right, it would return 0. I thought 0 was considered false, but was wrong. \$\endgroup\$ughoavgfhw– ughoavgfhw2011年05月20日 00:12:00 +00:00Commented May 20, 2011 at 0:12