Lua中的协程coroutine
lua中的协程有自己的堆栈,自己的局部变量,有自己的指令指针,但是和其他协程程序共享全局变量等信息。任何时刻只有一个协程程序在运行。并且这个在运行的协程只有明确被要求挂起时才会被挂起。
创建一个协程,参数是一个function,作用如thread
local c = coroutine.create( function()
print( "here" )
end )
协程的三状态:挂起,运行,停止。
创建之后默认是挂起的,需要自己coroutine.resume( c )运行。通过coroutine.yield()将一段正在运行的代码挂起。
coroutine中的resume和yield是可以交换数据的。
示例代码:
local c = coroutine.create( function( arg1, arg2 )
print( "coroutine", arg1, arg2 )
end)
coroutine.resume( c, 111, 222 ) -- 由于没有上次yield的调用,这里的参数将传入到function中的arg1,arg2
示例代码:
local c = coroutine.create ( function ()
print( "coroutine", coroutine.yield( 6, 7 ) ) -- 这里收到 resume2 的 4, 5参数
end )
print( "resume 1 :", coroutine.resume( c ) )
print( "resume 2 :", coroutine.resume( c, 4, 5 ) ) -- 这里收到yield 的 6, 7参数
输出
resume 1 : true 6 7
coroutine 4 5
resume 2 : true