I came across something that I can not understand.
#lang scheme
(define cc #f)
(define (val!)
(call/cc
(lambda (k)
(set! cc k)
0)))
(* 10 (val!))
(cc 100)
So far so good; the continuation of (* 10 [])
is stored in cc
and if we call (cc 100)
we see 1000
in the REPL as expected.
But the next thing I tried was to define a variable to be the result of running the continuation:
(define x (cc 20))
I see 200
as a result in the REPL, but x
does not get defined.
Does the continuation stored in cc
include its returning so that the call to define
never returns and instead the evaluation is the result of (* 10 val)
? What is going on?
What's going on?
There are two types of continuations.
A continuation produced by
call/cc
never returns a value to its caller. See Will Ness's answer for more on that.But the continuations produced by
call-with-composable-continuation
are composable continuations, which do return values.The solution
If you want a continuation to return a value to its caller, you should use a composable continuation, by setting up a prompt and using
call-with-composable-continuation
.You can define a kind of prompt:
And use the prompt in
call-with-composable-continuation
to specify that you only want to capture the continuation starting from the prompt.Then you just have to put the prompt wherever you want the continuation to start before you call
val!
to save it.Then, since this continuation has a clear "end" defined by the prompt, it can return a value when it reaches that end.
See also: What exactly is a "continuation prompt?"