展示自己、证明自己
分类: C/C++
2014-07-11 14:49:40
和函数一样, 区别在于 coroutine 有多个入口点, 而一般的函数 函数只能有一个入口点. 一般的函数只能从开始的地方执行, 一旦退出, 就只能从 唯一的入口点再开始了. 但是 coroutine 不同, 当它觉得没有任务需要处理时, 它可以把 CPU 让给其他函数, 然后它在这个让出的点等待, 直到其它函数再把 CPU 给它.
考虑以下的例子(producer-consumer 的模型):
producer 创建 buf, consumer 处理 buf. 这是很常见的编程模型, 在 C/S 或者其他编程框架中很常见.
一般我们用多线程的话, 大概会这样写:
q = new queue producer_thread(): loop: create some new items lock queue // 操作 queue 之前需要加锁保护数据 add the items to q unlock queue consumer_thread(): loop: lock queue // 同样需要加锁 remove some items from q unlock queue consumer items main(): create_producer_thread() create_consumer_thread() |
而如果我们使用用 coroutine 的话, 情况就会好很多:
q = new queue producer(): loop: create some new items add the items to q yield to consumer consumer(): loop: remove some items from q consumer items yield to producer main(): initialize coroutine |
通过上面简单的示例(真实情况可能更复杂一些), 我们已经可以看到使用 coroutine 的优点了:
下面是在 QEMU 中使用的 coroutine.
/* file: test.c * coroutine_ucontext.c continuation.c could be fetched from spice or QEMU * source, use following command to compile: * gcc -o test test.c coroutine_ucontext.c continuation.c -DWITH_UCONTEXT */ #include |
python 中用来生成迭代器的就是一个 coroutine
#!/usr/bin/python def coroutine(): count = 0; while True: yield count count += 1; c = coroutine() for i in range(10): print "count:%d" % c.next()