(CONTEXT)
I've defined a procedure that applies another one-argument procedure object to it's parameter twice. Take for example the procedure inc that adds 1 to it's argument, (double inc) will add two. hence ((double inc) 5) returns 7.
(THE PROBLEM)
I expected for (((double (double double)) inc) 5) to return 13. Since double double will apply a procedure 4 times and thus the most-left double will result in a the application of the one-parameter procedure 8 times. A lineair growth.
I'm wrong. Look below for what the procedure actually returns.
Clearly i'm missing something and there's a flaw in my understanding.
(define (double proc)
(lambda (y) (proc (proc y))))
(define (inc x) (+ x 1))
> ((double inc) 5)
7
> (((double double) inc) 5)
9
> (((double (double double)) inc) 5)
21
> (((double (double (double double))) inc) 5)
261
>
This should be fairly easy to deduct using both reason or substitution model.
Reason:
This is like double but twice, quadrouple. When applied with a function it will apply that function 4 times.
This is doubling quadrouple. The result of quadrouple will be quadroupled making it 4*4. When applied with a function it will apply that 16 times.
This is doubling the previous one. Then the same again. 16*16 makes it apply the result 256 times.
Thus
(double double)
is2^2
,(double (double double))
is(2^2)^2
and(double (double (double double)))
is((2^2)^2)^2
or2^8
for short.This relates to lambda calculus where power is defined as
λb.λe.e b
or(lambda (b) (lambda (e) (e b))
. Nowdouble
is the church numeral for2
. Do you see that you are doing((2^2)^2)^2
?Substitution
Here are the expressions reduced. I sometimes jump steps later since it's pretty much the same that happens several times.
I'll leave the last one as an exercise.