[Update, Jan 2015: I've translated this code into Rust.]
While reading "Continuations in C" I came across an intriguing idea:
It is possible to simulate
call/cc
, or something like it, on Unix systems with system calls likefork()
that literally duplicate the running process.
The author sets this idea aside, and instead discusses some code that uses setjmp
/longjmp
and stack copying. And there are several other continuation-like constructs available for C, such as POSIX getcontext
. But the idea of implementing call/cc
with fork
stuck with me, if only for its amusement value. I'd seen fork
used for computing with probability distributions, but I couldn't find an implementation of call/cc
itself. So I decided to give it a shot, using my favorite esolang, C++.
Continuations are a famously mind-bending idea, and this article doesn't totally explain what they are or what they're good for. If you aren't familiar with continuations, you might catch on from the examples, or you might want to consult another source first (1, 2, 3, 4, 5, 6).
Small examples
I'll get to the implementation later, but right now let's see what these fork
-based continuations can do. The interface looks like this.
template <typename T>
class cont {
public:
void operator()(const T &x);
};
template <typename T>
T call_cc( std::function< T (cont<T>) > f );
std::function
is a wrapper that can hold function-like values, such as function objects or C-style function pointers. So call_cc<T>
will accept any function-like value that takes an argument of type cont<T>
and returns a value of type T
. This wrapper is the first of several C++11 features we'll use.
call_cc
stands for "call with current continuation", and that's exactly what it does. call_cc(f)
will call f
, and return whatever f
returns. The interesting part is that it passes to f
an instance of our cont
class, which represents all the stuff that's going to happen in the program after f
returns. That cont
object overloads operator()
and so can be called like a function. If it's called with some argument x
, the program behaves as though f
had returned x
.
The types reflect this usage. The type parameter T
in cont<T>
is the return type of the function passed to call_cc
. It's also the type of values accepted by cont<T>::operator()
.
Here's a small example.
int f(cont<int> k) {
std::cout << "f called" << std::endl;
k(1);
std::cout << "k returns" << std::endl;
return 0;
}
int main() {
std::cout << "f returns " << call_cc<int>(f) << std::endl;
}
When we run this code we get:
f called
f returns 1
We don't see the "k returns
" message. Instead, calling k(1)
bails out of f
early, and forces it to return 1. This would happen even if we passed k
to some deeply nested function call, and invoked it there.
This nonlocal return is kind of like throwing an exception, and is not that surprising. More exciting things happen if a continuation outlives the function call it came from.
boost::optional< cont<int> > global_k;
int g(cont<int> k) {
std::cout << "g called" << std::endl;
global_k = k;
return 0;
}
int main() {
std::cout << "g returns " << call_cc<int>(g) << std::endl;
if (global_k)
(*global_k)(1);
}
When we run this, we get:
g called
g returns 0
g returns 1
g
is called once, and returns twice! When called, g
saves the current continuation in a global variable. After g
returns, main
calls that continuation, and g
returns again with a different value.
What value should global_k
have before g
is called? There's no such thing as a "default" or "uninitialized" cont<T>
. We solve this problem by wrapping it with boost::optional
. We use the resulting object much like a pointer, checking for "null" and then dereferencing. The difference is that boost::optional
manages storage for the underlying value, if any.
Why isn't this code an infinite loop? Because invoking a cont<T>
also resets global state to the values it had when the continuation was captured. The second time g
returns, global_k
has been reset to the "null" optional
value. This is unlike Scheme's call/cc
and most other continuation systems. It turns out to be a serious limitation, though it's sometimes convenient. The reason for this behavior is that invoking a continuation is implemented as a transfer of control to another process. More on that later.
Backtracking
We can use continuations to implement backtracking, as found in logic programming languages. Here is a suitable interface.
bool guess();
void fail();
We will use guess
as though it has a magical ability to predict the future. We assume it will only return true
if doing so results in a program that never calls fail
. Here is the implementation.
boost::optional< cont<bool> > checkpoint;
bool guess() {
return call_cc<bool>( [](cont<bool> k) {
checkpoint = k;
return true;
} );
}
void fail() {
if (checkpoint) {
(*checkpoint)(false);
} else {
std::cerr << "Nothing to be done." << std::endl;
exit(1);
}
}
guess
invokes call_cc
on a lambda expression, which saves the current continuation and returns true
. A subsequent call to fail
will invoke this continuation, retrying execution in a world where guess
had returned false
instead. In Scheme et al, we would store a whole stack of continuations. But invoking our cont<bool>
resets global state, including the checkpoint
variable itself, so we only need to explicitly track the most recent continuation.
Now we can implement the integer factoring example from "Continuations in C".
int integer(int m, int n) {
for (int i=m; i<=n; i++) {
if (guess())
return i;
}
fail();
}
void factor(int n) {
const int i = integer(2, 100);
const int j = integer(2, 100);
if (i*j != n)
fail();
std::cout << i << " * " << j << " = " << n << std::endl;
}
factor(n)
will guess two integers, and fail if their product is not n
. Calling factor(391)
will produce the output
17 * 23 = 391
after a moment's delay. In fact, you might see this after your shell prompt has returned, because the output is produced by a thousand-generation descendant of the process your shell created.
Solving a maze
For a more substantial use of backtracking, let's solve a maze.
const int maze_size = 15;
char maze[] =
"X-------------+\n"
" | |\n"
"|--+ | | | |\n"
"| | | | --+ |\n"
"| | | |\n"
"|-+---+--+- | |\n"
"| | | |\n"
"| | | ---+-+- |\n"
"| | | |\n"
"| +-+-+--| |\n"
"| | | |--- |\n"
"| | |\n"
"|--- -+-------|\n"
"| \n"
"+------------- \n";
void solve_maze() {
int x=0, y=0;
while ((x != maze_size-1)
|| (y != maze_size-1)) {
if (guess()) x++;
else if (guess()) x--;
else if (guess()) y++;
else y--;
if ( (x < 0) || (x >= maze_size) ||
(y < 0) || (y >= maze_size) )
fail();
const int i = y*(maze_size+1) + x;
if (maze[i] != ' ')
fail();
maze[i] = 'X';
}
for (char c : maze) {
if (c == 'X')
std::cout << "\e[1;32mX\e[0m";
else
std::cout << c;
}
}
Whether code or prose, the algorithm is pretty simple. Start at the upper-left corner. As long as we haven't reached the lower-right corner, guess a direction to move. Fail if we go off the edge, run into a wall, or find ourselves on a square we already visited.
Once we've reached the goal, we iterate over the char
array and print it out with some rad ANSI color codes.
Once again, we're making good use of the fact that our continuations reset global state. That's why we see 'X'
marks not on the failed detours, but only on a successful path through the maze. Here's what it looks like.
X-------------+
XXXXXXXX| |
|--+ |X| | |
| | |X| --+ |
| |XXXXX| |
|-+---+--+-X| |
| |XXX | XXX|
| |X|X---+-+-X|
|XXX|XXXXXX|XX|
|X+-+-+--|XXX |
|X| | |--- |
|XXXX | |
|---X-+-------|
| XXXXXXXXXXX
+-------------X
Excess backtracking
We can run both examples in a single program.
int main() {
factor(391);
solve_maze();
}
If we change the maze to be unsolvable, we'll get:
17 * 23 = 391
23 * 17 = 391
Nothing to be done.
Factoring 391 a different way won't change the maze layout, but the program doesn't know that. We can add a cut primitive to eliminate unwanted backtracking.
void cut() {
checkpoint = boost::none;
}
int main() {
factor(391);
cut();
solve_maze();
}
The implementation
For such a crazy idea, the code to implement call_cc
with fork
is actually pretty reasonable. Here's the core of it.
template <typename T>
// static
T cont<T>::call_cc(call_cc_arg f) {
int fd[2];
pipe(fd);
int read_fd = fd[0];
int write_fd = fd[1];
if (fork()) {
// parent
close(read_fd);
return f( cont<T>(write_fd) );
} else {
// child
close(write_fd);
char buf[sizeof(T)];
if (read(read_fd, buf, sizeof(T)) < ssize_t(sizeof(T)))
exit(0);
close(read_fd);
return *reinterpret_cast<T*>(buf);
}
}
template <typename T>
void cont<T>::impl::invoke(const T &x) {
write(m_pipe, &x, sizeof(T));
exit(0);
}
To capture a continuation, we fork the process. The resulting processes share a pipe which was created before the fork. The parent process will call f
immediately, passing a cont<T>
object that holds onto the write end of this pipe. If that continuation is invoked with some argument x
, the parent process will send x
down the pipe and then exit. The child process wakes up from its read
call, and returns x
from call_cc
.
There are a few more implementation details.
If the parent process exits, it will close the write end of the pipe, and the child's
read
will return 0, i.e. end-of-file. This prevents a buildup of unused continuation processes. But what if the parent deletes the last copy of somecont<T>
, yet keeps running? We'd like to kill the corresponding child process immediately.This sounds like a use for a reference-counted smart pointer, but we want to hide this detail from the user. So we split off a private implementation class,
cont<T>::impl
, with a destructor that callsclose
. The user-facing classcont<T>
holds astd::shared_ptr
to acont<T>::impl
. Andcont<T>::operator()
simply callscont<T>::impl::invoke
through this pointer.It would be nice to tell the compiler that
cont<T>::operator()
won't return, to avoid warnings like "control reaches end of non-void function". GCC provides thenoreturn
attribute for this purpose.We want the
cont<T>
constructor to be private, so we had to makecall_cc
a static member function of that class. But the examples above use a free functioncall_cc<T>
. It's easiest to implement the latter as a 1-line function that calls the former. The alternative is to make it a friend function ofcont<T>
, which requires some forward declarations and other noise.
There are a number of limitations too.
As noted, the forked child process doesn't see changes to the parent's global state. This precludes some interesting uses of continuations, like implementing coroutines. In fact, I had trouble coming up with any application other than backtracking. You could work around this limitation with shared memory, but it seemed like too much hassle.
Each captured continuation can only be invoked once. This is easiest to observe if the code using continuations also invokes
fork
directly. It could possibly be fixed with additionalfork
ing insidecall_cc
.Calling a continuation sends the argument through a pipe using a naive byte-for-byte copy. So the argument needs to be Plain Old Data, and had better not contain pointers to anything not shared by the two processes. This means we can't send continuations through other continuations, sad to say.
I left out the error handling you would expect in serious code, because this is anything but.
Likewise, I'm assuming that a single
write
andread
will suffice to send the value. Robust code will need to loop until completion, handleEINTR
, etc. Or use some higher-level IPC mechanism.At some size, stack-allocating the receive buffer will become a problem.
It's slow. Well, actually, I'm impressed with the speed of
fork
on Linux. My machine solves both backtracking problems in about a second,fork
ing about 2000 processes along the way. You can speed it up more with static linking. But it's still far more overhead than the alternatives.
As usual, you can get the code from GitHub.
you haven't stated the largest problem with this approach, it breaks the C++ RAII. When you call the continuation it goes up the stack without unwinding the stack during the process. Since RAII is not only about memory(*) this could lead to leaks in resources.
ReplyDeletesample without formatting because the commentary cannot have pre or code tags :
boost::optional< cont > global_k;
int global_int = 5;
int g(cont k) {
std::cout << "g called" << std::endl;
global_k = k;
global_int++;
return 0;
}
class raii
{
public:
raii() { std::cout << "build " << this << "\n"; }
~raii() { std::cout << "destroy " << this << "\n"; }
};
int foo()
{
raii a;
if (global_k)
(*global_k)(1);
}
void example_g() {
std::cout << "g returns " << call_cc(g) << std::endl;
std::cout << "global_int = " << global_int << std::endl;
foo();
}
*) Memory and some other kind of resources are not really a problem, since the
process exiting will free those.
Glad to find this blog. There are not much available on C++ . keep it up and thanks for sharing information.
ReplyDeleteThis helped me lot in learning about c++.I must say this is an excellent article and this blog is very informative for c++ learners.
ReplyDelete@e commerce web development This is not exactly a C++. This is code mess. Unhappily such programs brings up the myth about "hard to use" C++. There are always clean and easy ways to do any job.
ReplyDeleteThanks for writing this! It's creative and pretty entertaining :-).
ReplyDeleteI always appreciate learning your material – they are always humorous and amazing. I am a china tour lover,You can learn more: China tours | China travels | China Trip
ReplyDeleteAwesome to see your site. Keep up the great work. Thanks for all you could do.Lets stay in touch
ReplyDeleteMini IPL Season 1
EPL 2016
English Premier League Schedule
US Open 2016 Telecast
Given article is very helpful and very useful for my admin, and pardon me permission to share articles here hopefully helped :
ReplyDeleteObat osteoporosis herbal
Cara menyembuhkan bursitis
Cara Menyembuhkan Varikokel Secara Alami
Cara Menyembuhkan Infeksi Usus Secara Alami
Cara Menyembuhkan Radang Tenggorokan Kronis Secara Alami
It is truly a nice and helpful piece of information. I'm happy that you shared this helpful info with us. Please keep us informed like this. Thanks for sharing. www.gumawawebsite.blogspot.com
ReplyDeleteThanks for sharing this helpful post, hopefully you share some more it related post.
ReplyDeleteGet the best social media optimization uk that will help you to promote your brand, business or blogs on an online platforms.
pubg
ReplyDeletepubg mobile hack Download
how to hack pubg mobile
whatsapp plus
ReplyDeleteapk apps
how to earn money
ReplyDeleteHow to speed up pc
how to install pubg
how to hack facebook
how to hack whatsapp account
How to hack gmail account
how to approved youtube
gb whatsapp
ReplyDeleteguidance
ReplyDeleteNox app
ReplyDeleteWOW! I Love it...
ReplyDeleteand i thing thats good for you >>
MOVIE TRAILER RUN มัมอำมหิต 2020
Thank you!
Suggest good information in this message, click here.
ReplyDeleteเว็บแทงบอล ออนไลน์
แทงบอล ออนไลน์
Hii I Am Form
ReplyDeleteWhatsApp Group Links Your Content Was Very Nice Thanks For You
Wonderful Information. This post is written in a very ideal manner. Keep sharing such a post.
ReplyDeleteGet in touch with our Qwik Aid email technical support staff, who is available 24*7 to help you fix your problems as quickly as possible. If you need help Recover Hushmail Account Password or with other problems, call our toll-free numbers. Our professionals are always available to answer your email, whether day or night.If you contact our Qwik Aid support team, we guarantee that our support team will be ready to assist you in any way possible.
Getting Solution Manual For Accounting Information Systems 11 E is easier than ever with our exclusive collection of testbanks and solution manuals online.
ReplyDeleteHey great article.. find this excellent page, one of the most interesting info online.
ReplyDeleteWow, amazing blog format! How long have you been blogging for? you make blogging look easy. The total look of your site is wonderful, let alone the content material! Feel free to visit my website; 토토사이트
ReplyDeleteI absolutely love your blog and find almost all of your post’s to be exactly what I’m looking for. can you offer guest writers to write content in your case? I wouldn’t mind creating a post or elaborating on a number of the subjects you write concerning here. Again, awesome weblog! Feel free to visit my website; 배트맨토토
ReplyDeleteThanks For sharing these Post https://packagessite.pk/jazz-internet-packages/
ReplyDeleteThanks for Sharing This amazing Post.
ReplyDeleteBest Sex Condoms
Oil For Pennis
Become one of the satisfied students using Organizational Behavior Global Edition 17th Edition Test Bank for their college and earn top grades.
ReplyDeleteTest Banks and Solution Manuals from TestBank2022 can make every study session easier, interesting and effective. Get exclusive and comprehenive study aids like Test Bank For The Humanities Culture Continuity And Change Volume Ii 1600 To Present 2nd Edition right away.
ReplyDeleteExcellent post! We are linking to this particularly great article on our website. Keep up the great writing. 한국야동
ReplyDeletePlease visit once. I leave my blog address below
야설
일본야동
That’s why marketing and advertising that you simply applicable exploration previous to publishing. 한국야동
ReplyDeletePlease visit once. I leave my blog address below
야설
한국야동
If more people that write articles really concerned themselves with writing great content like you, more readers would be interested in their writings. Thank you for caring about your content. 야동
ReplyDeletePlease visit once. I leave my blog address below
국산야동
일본야동
I want to say thanks for beautiful blog sharing with us. Your blog really great resource to update my knowledge 국산야동
ReplyDeletePlease visit once. I leave my blog address below
한국야동
국산야동
webgirls In relation to fighting yeast infections, patients often have their operate cut out on their behalf. Simply because candida albicans can simply come to be long-term and on-going. Knowing that, in this post, we will provide a wide range of some of the finest verified yeast infection treatment and avoidance ideas about.
ReplyDeletehttps://gameeffect.xyz Many people have cherished the overall game of baseball for several years. There are enthusiasts all over the world, from specialized very little-leaguers to expire-challenging spectators. This article has ideas to prove how pleasant baseball happens to be.
ReplyDeletehttps://gamebegin.xyz You can training alone. A pitching machine lets you set the rate in the soccer ball. By loading numerous baseballs to the unit, you may exercise striking without needing a pitcher. This electronic unit is perfect for all those who would like to process baseball alone. Pitching equipment could be found in your nearby sporting merchandise store.
ReplyDeletehttps://gameboot.xyz The truth is them on magazines and also on Tv set, people who appear like their biceps and triceps and legs will explode as his or her muscle tissues are extremely large! There is no need that you should acquire your system to that degree should you don't desire to, since the easy methods on this page will assist you to construct muscle inside a wholesome manner.
ReplyDeleteHello, nice to meet you. You look very happy. I hope it's full of happiness. I hope we can do it together next time. Have a pleasant time.
ReplyDelete총판출장샵
ReplyDelete총판출장샵
고고출장샵
심심출장샵
서울출장샵
서울출장샵
홍천출장샵
서울출장샵
I came across a good article recently. That's what you wrote. Because it is a very necessary article for me. Looking forward to more good articles in the future :) 메이저토토사이트
ReplyDelete
ReplyDeleteVery nice work keep it up thanks for sharing the knowledge to us.
ReplyDeleteReally a nice article. Thank you so much for your efforts. Definitely, it will be helpful for others.
such wonderful lines
ReplyDeleteVery skilled blogger.
ReplyDeleteBrief but very accurate info
ReplyDeletesuch a pleasant idea
ReplyDeleteit is rare to see a nice blog like this
ReplyDeleteI liked this article.
ReplyDeleteHi very nice blog
ReplyDeletegreat stuff here
ReplyDelete
ReplyDeleteWhat a nice post! I'm so happy to read this
ReplyDeleteYou really work great for this post. Thank you for sharing!
ReplyDeleteThis post was awesome. Very informative and helpful for us.
ReplyDeleteThis information is really amazing, thanks for sharing.
Looking for more post from you.
ReplyDeleteI’m going to recommend this website!
ReplyDeleteThe account aided me a acceptable deal.
ReplyDeleteI have read all your posts and all are very informative.
ReplyDeleteI wan’t going to comment as this posts a bit old now, but just wanted to say thanks.
ReplyDeleteGreetings! Very helpful advice within this post!
ReplyDeleteThis website is very useful and beautiful. thank you.
ReplyDeletethanks for sharing this type of useful article to read, keep it up!
ReplyDeletethis piece of writing is pleasant and very informative.
ReplyDeletefor sharing this type of useful articles to read, keep it up and all the best
ReplyDelete단밤콜걸
ReplyDelete콜걸
서울콜걸
부산콜걸
인천콜걸
광주콜걸
세종콜걸
울산콜걸
I am coming back to your site for more soon.
ReplyDeleteinterested, please come to play with.
ReplyDeleteI would like to write a thesis on this subject, but I would like you to give your opinion once.
ReplyDeleteThere are articles and photos on these topics on my homepage, so please visit and share your opinions.
ReplyDeleteI hope we can do it together next time.
ReplyDeletethis site at the highest point of all websites in web crawler.
ReplyDeleteYou’re in reality a good webmaster. The website loading velocity is amazing.
ReplyDeleteI see the greatest contents on your blog and I love reading them.
ReplyDeleteGood posts... Amazing guide and I really loved your backyard. Keep it up
ReplyDelete