Improved blocking (#513)
core: major improvements to blocking, including support for buffered channels.
Этот коммит содержится в:
		
							родитель
							
								
									d17f500c8b
								
							
						
					
					
						коммит
						d843ebfe40
					
				
					 12 изменённых файлов: 1069 добавлений и 486 удалений
				
			
		|  | @ -1,6 +1,7 @@ | ||||||
| package compiler | package compiler | ||||||
| 
 | 
 | ||||||
| import ( | import ( | ||||||
|  | 	"fmt" | ||||||
| 	"golang.org/x/tools/go/ssa" | 	"golang.org/x/tools/go/ssa" | ||||||
| 	"tinygo.org/x/go-llvm" | 	"tinygo.org/x/go-llvm" | ||||||
| ) | ) | ||||||
|  | @ -20,6 +21,9 @@ func (c *Compiler) createRuntimeCall(fnName string, args []llvm.Value, name stri | ||||||
| 		panic("trying to call runtime." + fnName) | 		panic("trying to call runtime." + fnName) | ||||||
| 	} | 	} | ||||||
| 	fn := c.ir.GetFunction(member.(*ssa.Function)) | 	fn := c.ir.GetFunction(member.(*ssa.Function)) | ||||||
|  | 	if fn.LLVMFn.IsNil() { | ||||||
|  | 		panic(fmt.Errorf("function %s does not appear in LLVM IR", fnName)) | ||||||
|  | 	} | ||||||
| 	if !fn.IsExported() { | 	if !fn.IsExported() { | ||||||
| 		args = append(args, llvm.Undef(c.i8ptrType))            // unused context parameter | 		args = append(args, llvm.Undef(c.i8ptrType))            // unused context parameter | ||||||
| 		args = append(args, llvm.ConstPointerNull(c.i8ptrType)) // coroutine handle | 		args = append(args, llvm.ConstPointerNull(c.i8ptrType)) // coroutine handle | ||||||
|  |  | ||||||
|  | @ -4,32 +4,17 @@ package compiler | ||||||
| // or pseudo-operations that are lowered during goroutine lowering. | // or pseudo-operations that are lowered during goroutine lowering. | ||||||
| 
 | 
 | ||||||
| import ( | import ( | ||||||
| 	"fmt" |  | ||||||
| 	"go/types" | 	"go/types" | ||||||
| 
 | 
 | ||||||
| 	"golang.org/x/tools/go/ssa" | 	"golang.org/x/tools/go/ssa" | ||||||
| 	"tinygo.org/x/go-llvm" | 	"tinygo.org/x/go-llvm" | ||||||
| ) | ) | ||||||
| 
 | 
 | ||||||
| // emitMakeChan returns a new channel value for the given channel type. | func (c *Compiler) emitMakeChan(frame *Frame, expr *ssa.MakeChan) llvm.Value { | ||||||
| func (c *Compiler) emitMakeChan(expr *ssa.MakeChan) (llvm.Value, error) { |  | ||||||
| 	chanType := c.getLLVMType(expr.Type()) |  | ||||||
| 	size := c.targetData.TypeAllocSize(chanType.ElementType()) |  | ||||||
| 	sizeValue := llvm.ConstInt(c.uintptrType, size, false) |  | ||||||
| 	ptr := c.createRuntimeCall("alloc", []llvm.Value{sizeValue}, "chan.alloc") |  | ||||||
| 	ptr = c.builder.CreateBitCast(ptr, chanType, "chan") |  | ||||||
| 	// Set the elementSize field |  | ||||||
| 	elementSizePtr := c.builder.CreateGEP(ptr, []llvm.Value{ |  | ||||||
| 		llvm.ConstInt(c.ctx.Int32Type(), 0, false), |  | ||||||
| 		llvm.ConstInt(c.ctx.Int32Type(), 0, false), |  | ||||||
| 	}, "") |  | ||||||
| 	elementSize := c.targetData.TypeAllocSize(c.getLLVMType(expr.Type().(*types.Chan).Elem())) | 	elementSize := c.targetData.TypeAllocSize(c.getLLVMType(expr.Type().(*types.Chan).Elem())) | ||||||
| 	if elementSize > 0xffff { | 	elementSizeValue := llvm.ConstInt(c.uintptrType, elementSize, false) | ||||||
| 		return ptr, c.makeError(expr.Pos(), fmt.Sprintf("element size is %d bytes, which is bigger than the maximum of %d bytes", elementSize, 0xffff)) | 	bufSize := c.getValue(frame, expr.Size) | ||||||
| 	} | 	return c.createRuntimeCall("chanMake", []llvm.Value{elementSizeValue, bufSize}, "") | ||||||
| 	elementSizeValue := llvm.ConstInt(c.ctx.Int16Type(), elementSize, false) |  | ||||||
| 	c.builder.CreateStore(elementSizeValue, elementSizePtr) |  | ||||||
| 	return ptr, nil |  | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // emitChanSend emits a pseudo chan send operation. It is lowered to the actual | // emitChanSend emits a pseudo chan send operation. It is lowered to the actual | ||||||
|  | @ -44,8 +29,7 @@ func (c *Compiler) emitChanSend(frame *Frame, instr *ssa.Send) { | ||||||
| 	c.builder.CreateStore(chanValue, valueAlloca) | 	c.builder.CreateStore(chanValue, valueAlloca) | ||||||
| 
 | 
 | ||||||
| 	// Do the send. | 	// Do the send. | ||||||
| 	coroutine := c.createRuntimeCall("getCoroutine", nil, "") | 	c.createRuntimeCall("chanSend", []llvm.Value{ch, valueAllocaCast}, "") | ||||||
| 	c.createRuntimeCall("chanSend", []llvm.Value{coroutine, ch, valueAllocaCast}, "") |  | ||||||
| 
 | 
 | ||||||
| 	// End the lifetime of the alloca. | 	// End the lifetime of the alloca. | ||||||
| 	// This also works around a bug in CoroSplit, at least in LLVM 8: | 	// This also works around a bug in CoroSplit, at least in LLVM 8: | ||||||
|  | @ -63,14 +47,11 @@ func (c *Compiler) emitChanRecv(frame *Frame, unop *ssa.UnOp) llvm.Value { | ||||||
| 	valueAlloca, valueAllocaCast, valueAllocaSize := c.createTemporaryAlloca(valueType, "chan.value") | 	valueAlloca, valueAllocaCast, valueAllocaSize := c.createTemporaryAlloca(valueType, "chan.value") | ||||||
| 
 | 
 | ||||||
| 	// Do the receive. | 	// Do the receive. | ||||||
| 	coroutine := c.createRuntimeCall("getCoroutine", nil, "") | 	commaOk := c.createRuntimeCall("chanRecv", []llvm.Value{ch, valueAllocaCast}, "") | ||||||
| 	c.createRuntimeCall("chanRecv", []llvm.Value{coroutine, ch, valueAllocaCast}, "") |  | ||||||
| 	received := c.builder.CreateLoad(valueAlloca, "chan.received") | 	received := c.builder.CreateLoad(valueAlloca, "chan.received") | ||||||
| 	c.emitLifetimeEnd(valueAllocaCast, valueAllocaSize) | 	c.emitLifetimeEnd(valueAllocaCast, valueAllocaSize) | ||||||
| 
 | 
 | ||||||
| 	if unop.CommaOk { | 	if unop.CommaOk { | ||||||
| 		commaOk := c.createRuntimeCall("getTaskStateData", []llvm.Value{coroutine}, "chan.commaOk.wide") |  | ||||||
| 		commaOk = c.builder.CreateTrunc(commaOk, c.ctx.Int1Type(), "chan.commaOk") |  | ||||||
| 		tuple := llvm.Undef(c.ctx.StructType([]llvm.Type{valueType, c.ctx.Int1Type()}, false)) | 		tuple := llvm.Undef(c.ctx.StructType([]llvm.Type{valueType, c.ctx.Int1Type()}, false)) | ||||||
| 		tuple = c.builder.CreateInsertValue(tuple, received, 0, "") | 		tuple = c.builder.CreateInsertValue(tuple, received, 0, "") | ||||||
| 		tuple = c.builder.CreateInsertValue(tuple, commaOk, 1, "") | 		tuple = c.builder.CreateInsertValue(tuple, commaOk, 1, "") | ||||||
|  |  | ||||||
|  | @ -36,13 +36,23 @@ const tinygoPath = "github.com/tinygo-org/tinygo" | ||||||
| var functionsUsedInTransforms = []string{ | var functionsUsedInTransforms = []string{ | ||||||
| 	"runtime.alloc", | 	"runtime.alloc", | ||||||
| 	"runtime.free", | 	"runtime.free", | ||||||
| 	"runtime.sleepTask", | 	"runtime.scheduler", | ||||||
| 	"runtime.sleepCurrentTask", | } | ||||||
|  | 
 | ||||||
|  | var taskFunctionsUsedInTransforms = []string{ | ||||||
|  | 	"runtime.startGoroutine", | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | var coroFunctionsUsedInTransforms = []string{ | ||||||
|  | 	"runtime.avrSleep", | ||||||
|  | 	"runtime.getFakeCoroutine", | ||||||
| 	"runtime.setTaskStatePtr", | 	"runtime.setTaskStatePtr", | ||||||
| 	"runtime.getTaskStatePtr", | 	"runtime.getTaskStatePtr", | ||||||
| 	"runtime.activateTask", | 	"runtime.activateTask", | ||||||
| 	"runtime.scheduler", | 	"runtime.noret", | ||||||
| 	"runtime.startGoroutine", | 	"runtime.getParentHandle", | ||||||
|  | 	"runtime.getCoroutine", | ||||||
|  | 	"runtime.llvmCoroRefHolder", | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // Configure the compiler. | // Configure the compiler. | ||||||
|  | @ -201,6 +211,20 @@ func (c *Compiler) selectScheduler() string { | ||||||
| 	return "coroutines" | 	return "coroutines" | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | // getFunctionsUsedInTransforms gets a list of all special functions that should be preserved during transforms and optimization. | ||||||
|  | func (c *Compiler) getFunctionsUsedInTransforms() []string { | ||||||
|  | 	fnused := functionsUsedInTransforms | ||||||
|  | 	switch c.selectScheduler() { | ||||||
|  | 	case "coroutines": | ||||||
|  | 		fnused = append(append([]string{}, fnused...), coroFunctionsUsedInTransforms...) | ||||||
|  | 	case "tasks": | ||||||
|  | 		fnused = append(append([]string{}, fnused...), taskFunctionsUsedInTransforms...) | ||||||
|  | 	default: | ||||||
|  | 		panic(fmt.Errorf("invalid scheduler %q", c.selectScheduler())) | ||||||
|  | 	} | ||||||
|  | 	return fnused | ||||||
|  | } | ||||||
|  | 
 | ||||||
| // Compile the given package path or .go file path. Return an error when this | // Compile the given package path or .go file path. Return an error when this | ||||||
| // fails (in any stage). | // fails (in any stage). | ||||||
| func (c *Compiler) Compile(mainPath string) []error { | func (c *Compiler) Compile(mainPath string) []error { | ||||||
|  | @ -366,10 +390,10 @@ func (c *Compiler) Compile(mainPath string) []error { | ||||||
| 	realMain.SetLinkage(llvm.ExternalLinkage) // keep alive until goroutine lowering | 	realMain.SetLinkage(llvm.ExternalLinkage) // keep alive until goroutine lowering | ||||||
| 
 | 
 | ||||||
| 	// Make sure these functions are kept in tact during TinyGo transformation passes. | 	// Make sure these functions are kept in tact during TinyGo transformation passes. | ||||||
| 	for _, name := range functionsUsedInTransforms { | 	for _, name := range c.getFunctionsUsedInTransforms() { | ||||||
| 		fn := c.mod.NamedFunction(name) | 		fn := c.mod.NamedFunction(name) | ||||||
| 		if fn.IsNil() { | 		if fn.IsNil() { | ||||||
| 			continue | 			panic(fmt.Errorf("missing core function %q", name)) | ||||||
| 		} | 		} | ||||||
| 		fn.SetLinkage(llvm.ExternalLinkage) | 		fn.SetLinkage(llvm.ExternalLinkage) | ||||||
| 	} | 	} | ||||||
|  | @ -1618,7 +1642,7 @@ func (c *Compiler) parseExpr(frame *Frame, expr ssa.Value) (llvm.Value, error) { | ||||||
| 			panic("unknown lookup type: " + expr.String()) | 			panic("unknown lookup type: " + expr.String()) | ||||||
| 		} | 		} | ||||||
| 	case *ssa.MakeChan: | 	case *ssa.MakeChan: | ||||||
| 		return c.emitMakeChan(expr) | 		return c.emitMakeChan(frame, expr), nil | ||||||
| 	case *ssa.MakeClosure: | 	case *ssa.MakeClosure: | ||||||
| 		return c.parseMakeClosure(frame, expr) | 		return c.parseMakeClosure(frame, expr) | ||||||
| 	case *ssa.MakeInterface: | 	case *ssa.MakeInterface: | ||||||
|  |  | ||||||
|  | @ -105,16 +105,20 @@ package compiler | ||||||
| 
 | 
 | ||||||
| import ( | import ( | ||||||
| 	"errors" | 	"errors" | ||||||
|  | 	"fmt" | ||||||
| 	"strings" | 	"strings" | ||||||
| 
 | 
 | ||||||
| 	"tinygo.org/x/go-llvm" | 	"tinygo.org/x/go-llvm" | ||||||
| ) | ) | ||||||
| 
 | 
 | ||||||
|  | // setting this to true will cause the compiler to spew tons of information about coroutine transformations | ||||||
|  | // this can be useful when debugging coroutine lowering or looking for potential missed optimizations | ||||||
|  | const coroDebug = false | ||||||
|  | 
 | ||||||
| type asyncFunc struct { | type asyncFunc struct { | ||||||
| 	taskHandle   llvm.Value | 	taskHandle   llvm.Value | ||||||
| 	cleanupBlock llvm.BasicBlock | 	cleanupBlock llvm.BasicBlock | ||||||
| 	suspendBlock llvm.BasicBlock | 	suspendBlock llvm.BasicBlock | ||||||
| 	unreachableBlock llvm.BasicBlock |  | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // LowerGoroutines performs some IR transformations necessary to support | // LowerGoroutines performs some IR transformations necessary to support | ||||||
|  | @ -142,7 +146,7 @@ func (c *Compiler) lowerTasks() error { | ||||||
| 	mainCall := uses[0] | 	mainCall := uses[0] | ||||||
| 
 | 
 | ||||||
| 	realMain := c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path() + ".main") | 	realMain := c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path() + ".main") | ||||||
| 	if len(getUses(c.mod.NamedFunction("runtime.startGoroutine"))) != 0 { | 	if len(getUses(c.mod.NamedFunction("runtime.startGoroutine"))) != 0 || len(getUses(c.mod.NamedFunction("runtime.yield"))) != 0 { | ||||||
| 		// Program needs a scheduler. Start main.main as a goroutine and start | 		// Program needs a scheduler. Start main.main as a goroutine and start | ||||||
| 		// the scheduler. | 		// the scheduler. | ||||||
| 		realMainWrapper := c.createGoroutineStartWrapper(realMain) | 		realMainWrapper := c.createGoroutineStartWrapper(realMain) | ||||||
|  | @ -150,10 +154,6 @@ func (c *Compiler) lowerTasks() error { | ||||||
| 		zero := llvm.ConstInt(c.uintptrType, 0, false) | 		zero := llvm.ConstInt(c.uintptrType, 0, false) | ||||||
| 		c.createRuntimeCall("startGoroutine", []llvm.Value{realMainWrapper, zero}, "") | 		c.createRuntimeCall("startGoroutine", []llvm.Value{realMainWrapper, zero}, "") | ||||||
| 		c.createRuntimeCall("scheduler", nil, "") | 		c.createRuntimeCall("scheduler", nil, "") | ||||||
| 		sleep := c.mod.NamedFunction("time.Sleep") |  | ||||||
| 		if !sleep.IsNil() { |  | ||||||
| 			sleep.ReplaceAllUsesWith(c.mod.NamedFunction("runtime.sleepCurrentTask")) |  | ||||||
| 		} |  | ||||||
| 	} else { | 	} else { | ||||||
| 		// Program doesn't need a scheduler. Call main.main directly. | 		// Program doesn't need a scheduler. Call main.main directly. | ||||||
| 		c.builder.SetInsertPointBefore(mainCall) | 		c.builder.SetInsertPointBefore(mainCall) | ||||||
|  | @ -162,9 +162,6 @@ func (c *Compiler) lowerTasks() error { | ||||||
| 			llvm.Undef(c.i8ptrType), // unused coroutine handle | 			llvm.Undef(c.i8ptrType), // unused coroutine handle | ||||||
| 		} | 		} | ||||||
| 		c.createCall(realMain, params, "") | 		c.createCall(realMain, params, "") | ||||||
| 		// runtime.Goexit isn't needed so let it be optimized away by |  | ||||||
| 		// globalopt. |  | ||||||
| 		c.mod.NamedFunction("runtime.Goexit").SetLinkage(llvm.InternalLinkage) |  | ||||||
| 	} | 	} | ||||||
| 	mainCall.EraseFromParentAsInstruction() | 	mainCall.EraseFromParentAsInstruction() | ||||||
| 
 | 
 | ||||||
|  | @ -195,7 +192,13 @@ func (c *Compiler) lowerCoroutines() error { | ||||||
| 	// optionally followed by a call to runtime.scheduler(). | 	// optionally followed by a call to runtime.scheduler(). | ||||||
| 	c.builder.SetInsertPointBefore(mainCall) | 	c.builder.SetInsertPointBefore(mainCall) | ||||||
| 	realMain := c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path() + ".main") | 	realMain := c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path() + ".main") | ||||||
| 	c.builder.CreateCall(realMain, []llvm.Value{llvm.Undef(c.i8ptrType), llvm.ConstPointerNull(c.i8ptrType)}, "") | 	var ph llvm.Value | ||||||
|  | 	if needsScheduler { | ||||||
|  | 		ph = c.createRuntimeCall("getFakeCoroutine", []llvm.Value{}, "") | ||||||
|  | 	} else { | ||||||
|  | 		ph = llvm.Undef(c.i8ptrType) | ||||||
|  | 	} | ||||||
|  | 	c.builder.CreateCall(realMain, []llvm.Value{llvm.Undef(c.i8ptrType), ph}, "") | ||||||
| 	if needsScheduler { | 	if needsScheduler { | ||||||
| 		c.createRuntimeCall("scheduler", nil, "") | 		c.createRuntimeCall("scheduler", nil, "") | ||||||
| 	} | 	} | ||||||
|  | @ -218,6 +221,12 @@ func (c *Compiler) lowerCoroutines() error { | ||||||
| 	return nil | 	return nil | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
|  | func coroDebugPrintln(s ...interface{}) { | ||||||
|  | 	if coroDebug { | ||||||
|  | 		fmt.Println(s...) | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| // markAsyncFunctions does the bulk of the work of lowering goroutines. It | // markAsyncFunctions does the bulk of the work of lowering goroutines. It | ||||||
| // determines whether a scheduler is needed, and if it is, it transforms | // determines whether a scheduler is needed, and if it is, it transforms | ||||||
| // blocking operations into goroutines and blocking calls into await calls. | // blocking operations into goroutines and blocking calls into await calls. | ||||||
|  | @ -233,26 +242,14 @@ func (c *Compiler) lowerCoroutines() error { | ||||||
| func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 	var worklist []llvm.Value | 	var worklist []llvm.Value | ||||||
| 
 | 
 | ||||||
| 	sleep := c.mod.NamedFunction("time.Sleep") | 	yield := c.mod.NamedFunction("runtime.yield") | ||||||
| 	if !sleep.IsNil() { | 	if !yield.IsNil() { | ||||||
| 		worklist = append(worklist, sleep) | 		worklist = append(worklist, yield) | ||||||
| 	} |  | ||||||
| 	deadlock := c.mod.NamedFunction("runtime.deadlock") |  | ||||||
| 	if !deadlock.IsNil() { |  | ||||||
| 		worklist = append(worklist, deadlock) |  | ||||||
| 	} |  | ||||||
| 	chanSend := c.mod.NamedFunction("runtime.chanSend") |  | ||||||
| 	if !chanSend.IsNil() { |  | ||||||
| 		worklist = append(worklist, chanSend) |  | ||||||
| 	} |  | ||||||
| 	chanRecv := c.mod.NamedFunction("runtime.chanRecv") |  | ||||||
| 	if !chanRecv.IsNil() { |  | ||||||
| 		worklist = append(worklist, chanRecv) |  | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	if len(worklist) == 0 { | 	if len(worklist) == 0 { | ||||||
| 		// There are no blocking operations, so no need to transform anything. | 		// There are no blocking operations, so no need to transform anything. | ||||||
| 		return false, c.lowerMakeGoroutineCalls() | 		return false, c.lowerMakeGoroutineCalls(false) | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// Find all async functions. | 	// Find all async functions. | ||||||
|  | @ -269,6 +266,9 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 		if _, ok := asyncFuncs[f]; ok { | 		if _, ok := asyncFuncs[f]; ok { | ||||||
| 			continue // already processed | 			continue // already processed | ||||||
| 		} | 		} | ||||||
|  | 		if f.Name() == "resume" { | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
| 		// Add to set of async functions. | 		// Add to set of async functions. | ||||||
| 		asyncFuncs[f] = &asyncFunc{} | 		asyncFuncs[f] = &asyncFunc{} | ||||||
| 		asyncList = append(asyncList, f) | 		asyncList = append(asyncList, f) | ||||||
|  | @ -312,11 +312,23 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 
 | 
 | ||||||
| 	// Check whether a scheduler is needed. | 	// Check whether a scheduler is needed. | ||||||
| 	makeGoroutine := c.mod.NamedFunction("runtime.makeGoroutine") | 	makeGoroutine := c.mod.NamedFunction("runtime.makeGoroutine") | ||||||
| 	if c.GOOS == "js" && strings.HasPrefix(c.Triple, "wasm") { | 	if strings.HasPrefix(c.Triple, "avr") { | ||||||
| 		// JavaScript always needs a scheduler, as in general no blocking | 		needsScheduler = false | ||||||
| 		// operations are possible. Blocking operations block the browser UI, | 		getCoroutine := c.mod.NamedFunction("runtime.getCoroutine") | ||||||
| 		// which is very bad. | 		for _, inst := range getUses(getCoroutine) { | ||||||
| 		needsScheduler = true | 			inst.ReplaceAllUsesWith(llvm.Undef(inst.Type())) | ||||||
|  | 			inst.EraseFromParentAsInstruction() | ||||||
|  | 		} | ||||||
|  | 		yield := c.mod.NamedFunction("runtime.yield") | ||||||
|  | 		for _, inst := range getUses(yield) { | ||||||
|  | 			inst.EraseFromParentAsInstruction() | ||||||
|  | 		} | ||||||
|  | 		sleep := c.mod.NamedFunction("time.Sleep") | ||||||
|  | 		for _, inst := range getUses(sleep) { | ||||||
|  | 			c.builder.SetInsertPointBefore(inst) | ||||||
|  | 			c.createRuntimeCall("avrSleep", []llvm.Value{inst.Operand(0)}, "") | ||||||
|  | 			inst.EraseFromParentAsInstruction() | ||||||
|  | 		} | ||||||
| 	} else { | 	} else { | ||||||
| 		// Only use a scheduler when an async goroutine is started. When the | 		// Only use a scheduler when an async goroutine is started. When the | ||||||
| 		// goroutine is not async (does not do any blocking operation), no | 		// goroutine is not async (does not do any blocking operation), no | ||||||
|  | @ -328,18 +340,353 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 				panic("expected const ptrtoint operand of runtime.makeGoroutine") | 				panic("expected const ptrtoint operand of runtime.makeGoroutine") | ||||||
| 			} | 			} | ||||||
| 			goroutine := ptrtoint.Operand(0) | 			goroutine := ptrtoint.Operand(0) | ||||||
|  | 			if goroutine.Name() == "runtime.fakeCoroutine" { | ||||||
|  | 				continue | ||||||
|  | 			} | ||||||
| 			if _, ok := asyncFuncs[goroutine]; ok { | 			if _, ok := asyncFuncs[goroutine]; ok { | ||||||
| 				needsScheduler = true | 				needsScheduler = true | ||||||
| 				break | 				break | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
|  | 		if _, ok := asyncFuncs[c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path()+".main")]; ok { | ||||||
|  | 			needsScheduler = true | ||||||
|  | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	if !needsScheduler { | 	if !needsScheduler { | ||||||
|  | 		// on wasm, we may still have calls to deadlock | ||||||
|  | 		// replace these with an abort | ||||||
|  | 		abort := c.mod.NamedFunction("runtime.abort") | ||||||
|  | 		if deadlock := c.mod.NamedFunction("runtime.deadlock"); !deadlock.IsNil() { | ||||||
|  | 			deadlock.ReplaceAllUsesWith(abort) | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
| 		// No scheduler is needed. Do not transform all functions here. | 		// No scheduler is needed. Do not transform all functions here. | ||||||
| 		// However, make sure that all go calls (which are all non-async) are | 		// However, make sure that all go calls (which are all non-async) are | ||||||
| 		// transformed into regular calls. | 		// transformed into regular calls. | ||||||
| 		return false, c.lowerMakeGoroutineCalls() | 		return false, c.lowerMakeGoroutineCalls(false) | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	if noret := c.mod.NamedFunction("runtime.noret"); noret.IsNil() { | ||||||
|  | 		panic("missing noret") | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// replace indefinitely blocking yields | ||||||
|  | 	getCoroutine := c.mod.NamedFunction("runtime.getCoroutine") | ||||||
|  | 	coroDebugPrintln("replace indefinitely blocking yields") | ||||||
|  | 	nonReturning := map[llvm.Value]bool{} | ||||||
|  | 	for _, f := range asyncList { | ||||||
|  | 		if f == yield { | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  | 		coroDebugPrintln("scanning", f.Name()) | ||||||
|  | 
 | ||||||
|  | 		var callsAsyncNotYield bool | ||||||
|  | 		var callsYield bool | ||||||
|  | 		var getsCoroutine bool | ||||||
|  | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 				if !inst.IsACallInst().IsNil() { | ||||||
|  | 					callee := inst.CalledValue() | ||||||
|  | 					if callee == yield { | ||||||
|  | 						callsYield = true | ||||||
|  | 					} else if callee == getCoroutine { | ||||||
|  | 						getsCoroutine = true | ||||||
|  | 					} else if _, ok := asyncFuncs[callee]; ok { | ||||||
|  | 						callsAsyncNotYield = true | ||||||
|  | 					} | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		coroDebugPrintln("result", f.Name(), callsYield, getsCoroutine, callsAsyncNotYield) | ||||||
|  | 
 | ||||||
|  | 		if callsYield && !getsCoroutine && !callsAsyncNotYield { | ||||||
|  | 			coroDebugPrintln("optimizing", f.Name()) | ||||||
|  | 			// calls yield without registering for a wakeup | ||||||
|  | 			// this actually could otherwise wake up, but only in the case of really messed up undefined behavior | ||||||
|  | 			// so everything after a yield is unreachable, so we can just inject a fake return | ||||||
|  | 			delQueue := []llvm.Value{} | ||||||
|  | 			for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 				var broken bool | ||||||
|  | 
 | ||||||
|  | 				for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 					if !broken && !inst.IsACallInst().IsNil() && inst.CalledValue() == yield { | ||||||
|  | 						coroDebugPrintln("broke", f.Name(), bb.AsValue().Name()) | ||||||
|  | 						broken = true | ||||||
|  | 						c.builder.SetInsertPointBefore(inst) | ||||||
|  | 						c.createRuntimeCall("noret", []llvm.Value{}, "") | ||||||
|  | 						if f.Type().ElementType().ReturnType().TypeKind() == llvm.VoidTypeKind { | ||||||
|  | 							c.builder.CreateRetVoid() | ||||||
|  | 						} else { | ||||||
|  | 							c.builder.CreateRet(llvm.Undef(f.Type().ElementType().ReturnType())) | ||||||
|  | 						} | ||||||
|  | 					} | ||||||
|  | 					if broken { | ||||||
|  | 						if inst.Type().TypeKind() != llvm.VoidTypeKind { | ||||||
|  | 							inst.ReplaceAllUsesWith(llvm.Undef(inst.Type())) | ||||||
|  | 						} | ||||||
|  | 						delQueue = append(delQueue, inst) | ||||||
|  | 					} | ||||||
|  | 				} | ||||||
|  | 				if !broken { | ||||||
|  | 					coroDebugPrintln("did not break", f.Name(), bb.AsValue().Name()) | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 
 | ||||||
|  | 			for _, v := range delQueue { | ||||||
|  | 				v.EraseFromParentAsInstruction() | ||||||
|  | 			} | ||||||
|  | 
 | ||||||
|  | 			nonReturning[f] = true | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// convert direct calls into an async call followed by a yield operation | ||||||
|  | 	coroDebugPrintln("convert direct calls into an async call followed by a yield operation") | ||||||
|  | 	for _, f := range asyncList { | ||||||
|  | 		if f == yield { | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  | 		coroDebugPrintln("scanning", f.Name()) | ||||||
|  | 
 | ||||||
|  | 		var retAlloc llvm.Value | ||||||
|  | 
 | ||||||
|  | 		// Rewrite async calls | ||||||
|  | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 				if !inst.IsACallInst().IsNil() { | ||||||
|  | 					callee := inst.CalledValue() | ||||||
|  | 					if _, ok := asyncFuncs[callee]; !ok || callee == yield { | ||||||
|  | 						continue | ||||||
|  | 					} | ||||||
|  | 
 | ||||||
|  | 					uses := getUses(inst) | ||||||
|  | 					next := llvm.NextInstruction(inst) | ||||||
|  | 					switch { | ||||||
|  | 					case nonReturning[callee]: | ||||||
|  | 						// callee blocks forever | ||||||
|  | 						coroDebugPrintln("optimizing indefinitely blocking call", f.Name(), callee.Name()) | ||||||
|  | 
 | ||||||
|  | 						// never calls getCoroutine - coroutine handle is irrelevant | ||||||
|  | 						inst.SetOperand(inst.OperandsCount()-2, llvm.Undef(c.i8ptrType)) | ||||||
|  | 
 | ||||||
|  | 						// insert return | ||||||
|  | 						c.builder.SetInsertPointBefore(next) | ||||||
|  | 						c.createRuntimeCall("noret", []llvm.Value{}, "") | ||||||
|  | 						var retInst llvm.Value | ||||||
|  | 						if f.Type().ElementType().ReturnType().TypeKind() == llvm.VoidTypeKind { | ||||||
|  | 							retInst = c.builder.CreateRetVoid() | ||||||
|  | 						} else { | ||||||
|  | 							retInst = c.builder.CreateRet(llvm.Undef(f.Type().ElementType().ReturnType())) | ||||||
|  | 						} | ||||||
|  | 
 | ||||||
|  | 						// delete everything after return | ||||||
|  | 						for next := llvm.NextInstruction(retInst); !next.IsNil(); next = llvm.NextInstruction(retInst) { | ||||||
|  | 							next.ReplaceAllUsesWith(llvm.Undef(retInst.Type())) | ||||||
|  | 							next.EraseFromParentAsInstruction() | ||||||
|  | 						} | ||||||
|  | 
 | ||||||
|  | 						continue | ||||||
|  | 					case next.IsAReturnInst().IsNil(): | ||||||
|  | 						// not a return instruction | ||||||
|  | 						coroDebugPrintln("not a return instruction", f.Name(), callee.Name()) | ||||||
|  | 					case callee.Type().ElementType().ReturnType() != f.Type().ElementType().ReturnType(): | ||||||
|  | 						// return types do not match | ||||||
|  | 						coroDebugPrintln("return types do not match", f.Name(), callee.Name()) | ||||||
|  | 					case callee.Type().ElementType().ReturnType().TypeKind() == llvm.VoidTypeKind: | ||||||
|  | 						fallthrough | ||||||
|  | 					case next.Operand(0) == inst: | ||||||
|  | 						// async tail call optimization - just pass parent handle | ||||||
|  | 						coroDebugPrintln("doing async tail call opt", f.Name()) | ||||||
|  | 
 | ||||||
|  | 						// insert before call | ||||||
|  | 						c.builder.SetInsertPointBefore(inst) | ||||||
|  | 
 | ||||||
|  | 						// get parent handle | ||||||
|  | 						parentHandle := c.createRuntimeCall("getParentHandle", []llvm.Value{}, "") | ||||||
|  | 
 | ||||||
|  | 						// pass parent handle directly into function | ||||||
|  | 						inst.SetOperand(inst.OperandsCount()-2, parentHandle) | ||||||
|  | 
 | ||||||
|  | 						if inst.Type().TypeKind() != llvm.VoidTypeKind { | ||||||
|  | 							// delete return value | ||||||
|  | 							uses[0].SetOperand(0, llvm.Undef(inst.Type())) | ||||||
|  | 						} | ||||||
|  | 
 | ||||||
|  | 						c.builder.SetInsertPointBefore(next) | ||||||
|  | 						c.createRuntimeCall("yield", []llvm.Value{}, "") | ||||||
|  | 						c.createRuntimeCall("noret", []llvm.Value{}, "") | ||||||
|  | 
 | ||||||
|  | 						continue | ||||||
|  | 					} | ||||||
|  | 
 | ||||||
|  | 					coroDebugPrintln("inserting regular call", f.Name(), callee.Name()) | ||||||
|  | 					c.builder.SetInsertPointBefore(inst) | ||||||
|  | 
 | ||||||
|  | 					// insert call to getCoroutine, this will be lowered later | ||||||
|  | 					coro := c.createRuntimeCall("getCoroutine", []llvm.Value{}, "") | ||||||
|  | 
 | ||||||
|  | 					// provide coroutine handle to function | ||||||
|  | 					inst.SetOperand(inst.OperandsCount()-2, coro) | ||||||
|  | 
 | ||||||
|  | 					// Allocate space for the return value. | ||||||
|  | 					var retvalAlloca llvm.Value | ||||||
|  | 					if inst.Type().TypeKind() != llvm.VoidTypeKind { | ||||||
|  | 						if retAlloc.IsNil() { | ||||||
|  | 							// insert at start of function | ||||||
|  | 							c.builder.SetInsertPointBefore(f.EntryBasicBlock().FirstInstruction()) | ||||||
|  | 
 | ||||||
|  | 							// allocate return value buffer | ||||||
|  | 							retAlloc = c.builder.CreateAlloca(inst.Type(), "coro.retvalAlloca") | ||||||
|  | 						} | ||||||
|  | 						retvalAlloca = retAlloc | ||||||
|  | 
 | ||||||
|  | 						// call before function | ||||||
|  | 						c.builder.SetInsertPointBefore(inst) | ||||||
|  | 
 | ||||||
|  | 						// cast buffer pointer to *i8 | ||||||
|  | 						data := c.builder.CreateBitCast(retvalAlloca, c.i8ptrType, "") | ||||||
|  | 
 | ||||||
|  | 						// set state pointer to return value buffer so it can be written back | ||||||
|  | 						c.createRuntimeCall("setTaskStatePtr", []llvm.Value{coro, data}, "") | ||||||
|  | 					} | ||||||
|  | 
 | ||||||
|  | 					// insert yield after starting function | ||||||
|  | 					c.builder.SetInsertPointBefore(llvm.NextInstruction(inst)) | ||||||
|  | 					yieldCall := c.createRuntimeCall("yield", []llvm.Value{}, "") | ||||||
|  | 
 | ||||||
|  | 					if !retvalAlloca.IsNil() && !inst.FirstUse().IsNil() { | ||||||
|  | 						// Load the return value from the alloca. | ||||||
|  | 						// The callee has written the return value to it. | ||||||
|  | 						c.builder.SetInsertPointBefore(llvm.NextInstruction(yieldCall)) | ||||||
|  | 						retval := c.builder.CreateLoad(retvalAlloca, "coro.retval") | ||||||
|  | 						inst.ReplaceAllUsesWith(retval) | ||||||
|  | 					} | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// ditch unnecessary tail yields | ||||||
|  | 	coroDebugPrintln("ditch unnecessary tail yields") | ||||||
|  | 	noret := c.mod.NamedFunction("runtime.noret") | ||||||
|  | 	for _, f := range asyncList { | ||||||
|  | 		if f == yield { | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  | 		coroDebugPrintln("scanning", f.Name()) | ||||||
|  | 
 | ||||||
|  | 		// we can only ditch a yield if we can ditch all yields | ||||||
|  | 		var yields []llvm.Value | ||||||
|  | 		var canDitch bool | ||||||
|  | 	scanYields: | ||||||
|  | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 				if inst.IsACallInst().IsNil() || inst.CalledValue() != yield { | ||||||
|  | 					continue | ||||||
|  | 				} | ||||||
|  | 
 | ||||||
|  | 				yields = append(yields, inst) | ||||||
|  | 
 | ||||||
|  | 				// we can only ditch the yield if the next instruction is a void return *or* noret | ||||||
|  | 				next := llvm.NextInstruction(inst) | ||||||
|  | 				ditchable := false | ||||||
|  | 				switch { | ||||||
|  | 				case !next.IsACallInst().IsNil() && next.CalledValue() == noret: | ||||||
|  | 					coroDebugPrintln("ditching yield with noret", f.Name()) | ||||||
|  | 					ditchable = true | ||||||
|  | 				case !next.IsAReturnInst().IsNil() && f.Type().ElementType().ReturnType().TypeKind() == llvm.VoidTypeKind: | ||||||
|  | 					coroDebugPrintln("ditching yield with void return", f.Name()) | ||||||
|  | 					ditchable = true | ||||||
|  | 				case !next.IsAReturnInst().IsNil(): | ||||||
|  | 					coroDebugPrintln("not ditching because return is not void", f.Name(), f.Type().ElementType().ReturnType().String()) | ||||||
|  | 				default: | ||||||
|  | 					coroDebugPrintln("not ditching", f.Name()) | ||||||
|  | 				} | ||||||
|  | 				if !ditchable { | ||||||
|  | 					// unditchable yield | ||||||
|  | 					canDitch = false | ||||||
|  | 					break scanYields | ||||||
|  | 				} | ||||||
|  | 
 | ||||||
|  | 				// ditchable yield | ||||||
|  | 				canDitch = true | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		if canDitch { | ||||||
|  | 			coroDebugPrintln("ditching all in", f.Name()) | ||||||
|  | 			for _, inst := range yields { | ||||||
|  | 				if !llvm.NextInstruction(inst).IsAReturnInst().IsNil() { | ||||||
|  | 					// insert noret | ||||||
|  | 					coroDebugPrintln("insering noret", f.Name()) | ||||||
|  | 					c.builder.SetInsertPointBefore(inst) | ||||||
|  | 					c.createRuntimeCall("noret", []llvm.Value{}, "") | ||||||
|  | 				} | ||||||
|  | 
 | ||||||
|  | 				// delete original yield | ||||||
|  | 				inst.EraseFromParentAsInstruction() | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// generate return reactivations | ||||||
|  | 	coroDebugPrintln("generate return reactivations") | ||||||
|  | 	for _, f := range asyncList { | ||||||
|  | 		if f == yield { | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  | 		coroDebugPrintln("scanning", f.Name()) | ||||||
|  | 
 | ||||||
|  | 		var retPtr llvm.Value | ||||||
|  | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 		block: | ||||||
|  | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 				switch { | ||||||
|  | 				case !inst.IsACallInst().IsNil() && inst.CalledValue() == noret: | ||||||
|  | 					// does not return normally - skip this basic block | ||||||
|  | 					coroDebugPrintln("noret found - skipping", f.Name(), bb.AsValue().Name()) | ||||||
|  | 					break block | ||||||
|  | 				case !inst.IsAReturnInst().IsNil(): | ||||||
|  | 					// return instruction - rewrite to reactivation | ||||||
|  | 					coroDebugPrintln("adding return reactivation", f.Name(), bb.AsValue().Name()) | ||||||
|  | 					if f.Type().ElementType().ReturnType().TypeKind() != llvm.VoidTypeKind { | ||||||
|  | 						// returns something | ||||||
|  | 						if retPtr.IsNil() { | ||||||
|  | 							coroDebugPrintln("adding return pointer get", f.Name()) | ||||||
|  | 
 | ||||||
|  | 							// get return pointer in entry block | ||||||
|  | 							c.builder.SetInsertPointBefore(f.EntryBasicBlock().FirstInstruction()) | ||||||
|  | 							parentHandle := c.createRuntimeCall("getParentHandle", []llvm.Value{}, "") | ||||||
|  | 							ptr := c.createRuntimeCall("getTaskStatePtr", []llvm.Value{parentHandle}, "") | ||||||
|  | 							retPtr = c.builder.CreateBitCast(ptr, llvm.PointerType(f.Type().ElementType().ReturnType(), 0), "retPtr") | ||||||
|  | 						} | ||||||
|  | 
 | ||||||
|  | 						coroDebugPrintln("adding return store", f.Name(), bb.AsValue().Name()) | ||||||
|  | 
 | ||||||
|  | 						// store result into return pointer | ||||||
|  | 						c.builder.SetInsertPointBefore(inst) | ||||||
|  | 						c.builder.CreateStore(inst.Operand(0), retPtr) | ||||||
|  | 
 | ||||||
|  | 						// delete return value | ||||||
|  | 						inst.SetOperand(0, llvm.Undef(inst.Type())) | ||||||
|  | 					} | ||||||
|  | 
 | ||||||
|  | 					// insert reactivation call | ||||||
|  | 					c.builder.SetInsertPointBefore(inst) | ||||||
|  | 					parentHandle := c.createRuntimeCall("getParentHandle", []llvm.Value{}, "") | ||||||
|  | 					c.createRuntimeCall("activateTask", []llvm.Value{parentHandle}, "") | ||||||
|  | 
 | ||||||
|  | 					// mark as noret | ||||||
|  | 					c.builder.SetInsertPointBefore(inst) | ||||||
|  | 					c.createRuntimeCall("noret", []llvm.Value{}, "") | ||||||
|  | 					break block | ||||||
|  | 
 | ||||||
|  | 					// DO NOT ERASE THE RETURN!!!!!!! | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// Create a few LLVM intrinsics for coroutine support. | 	// Create a few LLVM intrinsics for coroutine support. | ||||||
|  | @ -362,45 +709,62 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 	coroFreeType := llvm.FunctionType(c.i8ptrType, []llvm.Type{c.ctx.TokenType(), c.i8ptrType}, false) | 	coroFreeType := llvm.FunctionType(c.i8ptrType, []llvm.Type{c.ctx.TokenType(), c.i8ptrType}, false) | ||||||
| 	coroFreeFunc := llvm.AddFunction(c.mod, "llvm.coro.free", coroFreeType) | 	coroFreeFunc := llvm.AddFunction(c.mod, "llvm.coro.free", coroFreeType) | ||||||
| 
 | 
 | ||||||
| 	// Transform all async functions into coroutines. | 	// split blocks and add LLVM coroutine intrinsics | ||||||
|  | 	coroDebugPrintln("split blocks and add LLVM coroutine intrinsics") | ||||||
| 	for _, f := range asyncList { | 	for _, f := range asyncList { | ||||||
| 		if f == sleep || f == deadlock || f == chanSend || f == chanRecv { | 		if f == yield { | ||||||
| 			continue | 			continue | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		frame := asyncFuncs[f] | 		// find calls to yield | ||||||
| 		frame.cleanupBlock = c.ctx.AddBasicBlock(f, "task.cleanup") | 		var yieldCalls []llvm.Value | ||||||
| 		frame.suspendBlock = c.ctx.AddBasicBlock(f, "task.suspend") |  | ||||||
| 		frame.unreachableBlock = c.ctx.AddBasicBlock(f, "task.unreachable") |  | ||||||
| 
 |  | ||||||
| 		// Scan for async calls and return instructions that need to have |  | ||||||
| 		// suspend points inserted. |  | ||||||
| 		var asyncCalls []llvm.Value |  | ||||||
| 		var returns []llvm.Value |  | ||||||
| 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
| 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
| 				if !inst.IsACallInst().IsNil() { | 				if !inst.IsACallInst().IsNil() && inst.CalledValue() == yield { | ||||||
| 					callee := inst.CalledValue() | 					yieldCalls = append(yieldCalls, inst) | ||||||
| 					if _, ok := asyncFuncs[callee]; !ok || callee == sleep || callee == deadlock || callee == chanSend || callee == chanRecv { |  | ||||||
| 						continue |  | ||||||
| 					} |  | ||||||
| 					asyncCalls = append(asyncCalls, inst) |  | ||||||
| 				} else if !inst.IsAReturnInst().IsNil() { |  | ||||||
| 					returns = append(returns, inst) |  | ||||||
| 				} | 				} | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		// Coroutine setup. | 		if len(yieldCalls) == 0 { | ||||||
|  | 			// no yields - we do not have to LLVM-ify this | ||||||
|  | 			coroDebugPrintln("skipping", f.Name()) | ||||||
|  | 			for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 				for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 					if !inst.IsACallInst().IsNil() && inst.CalledValue() == getCoroutine { | ||||||
|  | 						// no seperate local task - replace getCoroutine with getParentHandle | ||||||
|  | 						c.builder.SetInsertPointBefore(inst) | ||||||
|  | 						inst.ReplaceAllUsesWith(c.createRuntimeCall("getParentHandle", []llvm.Value{}, "")) | ||||||
|  | 						inst.EraseFromParentAsInstruction() | ||||||
|  | 					} | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		coroDebugPrintln("converting", f.Name()) | ||||||
|  | 
 | ||||||
|  | 		// get frame data to mess with | ||||||
|  | 		frame := asyncFuncs[f] | ||||||
|  | 
 | ||||||
|  | 		// add basic blocks to put cleanup and suspend code | ||||||
|  | 		frame.cleanupBlock = c.ctx.AddBasicBlock(f, "task.cleanup") | ||||||
|  | 		frame.suspendBlock = c.ctx.AddBasicBlock(f, "task.suspend") | ||||||
|  | 
 | ||||||
|  | 		// at start of function | ||||||
| 		c.builder.SetInsertPointBefore(f.EntryBasicBlock().FirstInstruction()) | 		c.builder.SetInsertPointBefore(f.EntryBasicBlock().FirstInstruction()) | ||||||
| 		taskState := c.builder.CreateAlloca(c.getLLVMRuntimeType("taskState"), "task.state") | 		taskState := c.builder.CreateAlloca(c.getLLVMRuntimeType("taskState"), "task.state") | ||||||
| 		stateI8 := c.builder.CreateBitCast(taskState, c.i8ptrType, "task.state.i8") | 		stateI8 := c.builder.CreateBitCast(taskState, c.i8ptrType, "task.state.i8") | ||||||
|  | 
 | ||||||
|  | 		// get LLVM-assigned coroutine ID | ||||||
| 		id := c.builder.CreateCall(coroIdFunc, []llvm.Value{ | 		id := c.builder.CreateCall(coroIdFunc, []llvm.Value{ | ||||||
| 			llvm.ConstInt(c.ctx.Int32Type(), 0, false), | 			llvm.ConstInt(c.ctx.Int32Type(), 0, false), | ||||||
| 			stateI8, | 			stateI8, | ||||||
| 			llvm.ConstNull(c.i8ptrType), | 			llvm.ConstNull(c.i8ptrType), | ||||||
| 			llvm.ConstNull(c.i8ptrType), | 			llvm.ConstNull(c.i8ptrType), | ||||||
| 		}, "task.token") | 		}, "task.token") | ||||||
|  | 
 | ||||||
|  | 		// allocate buffer for task struct | ||||||
| 		size := c.builder.CreateCall(coroSizeFunc, nil, "task.size") | 		size := c.builder.CreateCall(coroSizeFunc, nil, "task.size") | ||||||
| 		if c.targetData.TypeAllocSize(size.Type()) > c.targetData.TypeAllocSize(c.uintptrType) { | 		if c.targetData.TypeAllocSize(size.Type()) > c.targetData.TypeAllocSize(c.uintptrType) { | ||||||
| 			size = c.builder.CreateTrunc(size, c.uintptrType, "task.size.uintptr") | 			size = c.builder.CreateTrunc(size, c.uintptrType, "task.size.uintptr") | ||||||
|  | @ -411,108 +775,10 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 		if c.needsStackObjects() { | 		if c.needsStackObjects() { | ||||||
| 			c.trackPointer(data) | 			c.trackPointer(data) | ||||||
| 		} | 		} | ||||||
|  | 
 | ||||||
|  | 		// invoke llvm.coro.begin intrinsic and save task pointer | ||||||
| 		frame.taskHandle = c.builder.CreateCall(coroBeginFunc, []llvm.Value{id, data}, "task.handle") | 		frame.taskHandle = c.builder.CreateCall(coroBeginFunc, []llvm.Value{id, data}, "task.handle") | ||||||
| 
 | 
 | ||||||
| 		// Modify async calls so this function suspends right after the child |  | ||||||
| 		// returns, because the child is probably not finished yet. Wait until |  | ||||||
| 		// the child reactivates the parent. |  | ||||||
| 		for _, inst := range asyncCalls { |  | ||||||
| 			inst.SetOperand(inst.OperandsCount()-2, frame.taskHandle) |  | ||||||
| 
 |  | ||||||
| 			// Split this basic block. |  | ||||||
| 			await := c.splitBasicBlock(inst, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.await") |  | ||||||
| 
 |  | ||||||
| 			// Allocate space for the return value. |  | ||||||
| 			var retvalAlloca llvm.Value |  | ||||||
| 			if inst.Type().TypeKind() != llvm.VoidTypeKind { |  | ||||||
| 				c.builder.SetInsertPointBefore(inst.InstructionParent().Parent().EntryBasicBlock().FirstInstruction()) |  | ||||||
| 				retvalAlloca = c.builder.CreateAlloca(inst.Type(), "coro.retvalAlloca") |  | ||||||
| 				c.builder.SetInsertPointBefore(inst) |  | ||||||
| 				data := c.builder.CreateBitCast(retvalAlloca, c.i8ptrType, "") |  | ||||||
| 				c.createRuntimeCall("setTaskStatePtr", []llvm.Value{frame.taskHandle, data}, "") |  | ||||||
| 			} |  | ||||||
| 
 |  | ||||||
| 			// Suspend. |  | ||||||
| 			c.builder.SetInsertPointAtEnd(inst.InstructionParent()) |  | ||||||
| 			continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ |  | ||||||
| 				llvm.ConstNull(c.ctx.TokenType()), |  | ||||||
| 				llvm.ConstInt(c.ctx.Int1Type(), 0, false), |  | ||||||
| 			}, "") |  | ||||||
| 			sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) |  | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), await) |  | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) |  | ||||||
| 
 |  | ||||||
| 			if inst.Type().TypeKind() != llvm.VoidTypeKind { |  | ||||||
| 				// Load the return value from the alloca. The callee has |  | ||||||
| 				// written the return value to it. |  | ||||||
| 				c.builder.SetInsertPointBefore(await.FirstInstruction()) |  | ||||||
| 				retval := c.builder.CreateLoad(retvalAlloca, "coro.retval") |  | ||||||
| 				inst.ReplaceAllUsesWith(retval) |  | ||||||
| 			} |  | ||||||
| 		} |  | ||||||
| 
 |  | ||||||
| 		// Replace return instructions with suspend points that should |  | ||||||
| 		// reactivate the parent coroutine. |  | ||||||
| 		for _, inst := range returns { |  | ||||||
| 			// These properties were added by the functionattrs pass. Remove |  | ||||||
| 			// them, because now we start using the parameter. |  | ||||||
| 			// https://llvm.org/docs/Passes.html#functionattrs-deduce-function-attributes |  | ||||||
| 			for _, kind := range []string{"nocapture", "readnone"} { |  | ||||||
| 				kindID := llvm.AttributeKindID(kind) |  | ||||||
| 				f.RemoveEnumAttributeAtIndex(f.ParamsCount(), kindID) |  | ||||||
| 			} |  | ||||||
| 
 |  | ||||||
| 			c.builder.SetInsertPointBefore(inst) |  | ||||||
| 
 |  | ||||||
| 			var parentHandle llvm.Value |  | ||||||
| 			if f.Linkage() == llvm.ExternalLinkage { |  | ||||||
| 				// Exported function. |  | ||||||
| 				// Note that getTaskStatePtr will panic if it is called with |  | ||||||
| 				// a nil pointer, so blocking exported functions that try to |  | ||||||
| 				// return anything will not work. |  | ||||||
| 				parentHandle = llvm.ConstPointerNull(c.i8ptrType) |  | ||||||
| 			} else { |  | ||||||
| 				parentHandle = f.LastParam() |  | ||||||
| 				if parentHandle.IsNil() || parentHandle.Name() != "parentHandle" { |  | ||||||
| 					// sanity check |  | ||||||
| 					panic("trying to make exported function async: " + f.Name()) |  | ||||||
| 				} |  | ||||||
| 			} |  | ||||||
| 
 |  | ||||||
| 			// Store return values. |  | ||||||
| 			switch inst.OperandsCount() { |  | ||||||
| 			case 0: |  | ||||||
| 				// Nothing to return. |  | ||||||
| 			case 1: |  | ||||||
| 				// Return this value by writing to the pointer stored in the |  | ||||||
| 				// parent handle. The parent coroutine has made an alloca that |  | ||||||
| 				// we can write to to store our return value. |  | ||||||
| 				returnValuePtr := c.createRuntimeCall("getTaskStatePtr", []llvm.Value{parentHandle}, "coro.parentData") |  | ||||||
| 				alloca := c.builder.CreateBitCast(returnValuePtr, llvm.PointerType(inst.Operand(0).Type(), 0), "coro.parentAlloca") |  | ||||||
| 				c.builder.CreateStore(inst.Operand(0), alloca) |  | ||||||
| 			default: |  | ||||||
| 				panic("unreachable") |  | ||||||
| 			} |  | ||||||
| 
 |  | ||||||
| 			// Reactivate the parent coroutine. This adds it back to the run |  | ||||||
| 			// queue, so it is started again by the scheduler when possible |  | ||||||
| 			// (possibly right after the following suspend). |  | ||||||
| 			c.createRuntimeCall("activateTask", []llvm.Value{parentHandle}, "") |  | ||||||
| 
 |  | ||||||
| 			// Suspend this coroutine. |  | ||||||
| 			// It would look like this is unnecessary, but if this |  | ||||||
| 			// suspend point is left out, it leads to undefined |  | ||||||
| 			// behavior somehow (with the unreachable instruction). |  | ||||||
| 			continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ |  | ||||||
| 				llvm.ConstNull(c.ctx.TokenType()), |  | ||||||
| 				llvm.ConstInt(c.ctx.Int1Type(), 0, false), |  | ||||||
| 			}, "ret") |  | ||||||
| 			sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) |  | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), frame.unreachableBlock) |  | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) |  | ||||||
| 			inst.EraseFromParentAsInstruction() |  | ||||||
| 		} |  | ||||||
| 
 |  | ||||||
| 		// Coroutine cleanup. Free resources associated with this coroutine. | 		// Coroutine cleanup. Free resources associated with this coroutine. | ||||||
| 		c.builder.SetInsertPointAtEnd(frame.cleanupBlock) | 		c.builder.SetInsertPointAtEnd(frame.cleanupBlock) | ||||||
| 		mem := c.builder.CreateCall(coroFreeFunc, []llvm.Value{id, frame.taskHandle}, "task.data.free") | 		mem := c.builder.CreateCall(coroFreeFunc, []llvm.Value{id, frame.taskHandle}, "task.data.free") | ||||||
|  | @ -529,106 +795,96 @@ func (c *Compiler) markAsyncFunctions() (needsScheduler bool, err error) { | ||||||
| 			c.builder.CreateRet(llvm.Undef(returnType)) | 			c.builder.CreateRet(llvm.Undef(returnType)) | ||||||
| 		} | 		} | ||||||
| 
 | 
 | ||||||
| 		// Coroutine exit. All final suspends (return instructions) will branch | 		for _, inst := range yieldCalls { | ||||||
| 		// here. | 			// Replace call to yield with a suspension of the coroutine. | ||||||
| 		c.builder.SetInsertPointAtEnd(frame.unreachableBlock) | 			c.builder.SetInsertPointBefore(inst) | ||||||
| 		c.builder.CreateUnreachable() |  | ||||||
| 	} |  | ||||||
| 
 |  | ||||||
| 	// Replace calls to runtime.getCoroutineCall with the coroutine of this |  | ||||||
| 	// frame. |  | ||||||
| 	for _, getCoroutineCall := range getUses(c.mod.NamedFunction("runtime.getCoroutine")) { |  | ||||||
| 		frame := asyncFuncs[getCoroutineCall.InstructionParent().Parent()] |  | ||||||
| 		getCoroutineCall.ReplaceAllUsesWith(frame.taskHandle) |  | ||||||
| 		getCoroutineCall.EraseFromParentAsInstruction() |  | ||||||
| 	} |  | ||||||
| 
 |  | ||||||
| 	// Transform calls to time.Sleep() into coroutine suspend points. |  | ||||||
| 	for _, sleepCall := range getUses(sleep) { |  | ||||||
| 		// sleepCall must be a call instruction. |  | ||||||
| 		frame := asyncFuncs[sleepCall.InstructionParent().Parent()] |  | ||||||
| 		duration := sleepCall.Operand(0) |  | ||||||
| 
 |  | ||||||
| 		// Set task state to TASK_STATE_SLEEP and set the duration. |  | ||||||
| 		c.builder.SetInsertPointBefore(sleepCall) |  | ||||||
| 		c.createRuntimeCall("sleepTask", []llvm.Value{frame.taskHandle, duration}, "") |  | ||||||
| 
 |  | ||||||
| 		// Yield to scheduler. |  | ||||||
| 			continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ | 			continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ | ||||||
| 				llvm.ConstNull(c.ctx.TokenType()), | 				llvm.ConstNull(c.ctx.TokenType()), | ||||||
| 				llvm.ConstInt(c.ctx.Int1Type(), 0, false), | 				llvm.ConstInt(c.ctx.Int1Type(), 0, false), | ||||||
| 			}, "") | 			}, "") | ||||||
| 		wakeup := c.splitBasicBlock(sleepCall, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.wakeup") | 			wakeup := c.splitBasicBlock(inst, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.wakeup") | ||||||
| 		c.builder.SetInsertPointBefore(sleepCall) | 			c.builder.SetInsertPointBefore(inst) | ||||||
| 			sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) | 			sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), wakeup) | 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), wakeup) | ||||||
| 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) | 			sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) | ||||||
| 		sleepCall.EraseFromParentAsInstruction() | 			inst.EraseFromParentAsInstruction() | ||||||
|  | 		} | ||||||
|  | 		ditchQueue := []llvm.Value{} | ||||||
|  | 		for bb := f.EntryBasicBlock(); !bb.IsNil(); bb = llvm.NextBasicBlock(bb) { | ||||||
|  | 			for inst := bb.FirstInstruction(); !inst.IsNil(); inst = llvm.NextInstruction(inst) { | ||||||
|  | 				if !inst.IsACallInst().IsNil() && inst.CalledValue() == getCoroutine { | ||||||
|  | 					// replace getCoroutine calls with the task handle | ||||||
|  | 					inst.ReplaceAllUsesWith(frame.taskHandle) | ||||||
|  | 					ditchQueue = append(ditchQueue, inst) | ||||||
|  | 				} | ||||||
|  | 				if !inst.IsACallInst().IsNil() && inst.CalledValue() == noret { | ||||||
|  | 					// replace tail yield with jump to cleanup, otherwise we end up with undefined behavior | ||||||
|  | 					c.builder.SetInsertPointBefore(inst) | ||||||
|  | 					c.builder.CreateBr(frame.cleanupBlock) | ||||||
|  | 					ditchQueue = append(ditchQueue, inst, llvm.NextInstruction(inst)) | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 		for _, v := range ditchQueue { | ||||||
|  | 			v.EraseFromParentAsInstruction() | ||||||
|  | 		} | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// Transform calls to runtime.deadlock into coroutine suspends (without | 	// check for leftover calls to getCoroutine | ||||||
| 	// resume). | 	if uses := getUses(getCoroutine); len(uses) > 0 { | ||||||
| 	for _, deadlockCall := range getUses(deadlock) { | 		useNames := make([]string, 0, len(uses)) | ||||||
| 		// deadlockCall must be a call instruction. | 		for _, u := range uses { | ||||||
| 		frame := asyncFuncs[deadlockCall.InstructionParent().Parent()] | 			if u.InstructionParent().Parent().Name() == "runtime.llvmCoroRefHolder" { | ||||||
| 
 | 				continue | ||||||
| 		// Exit coroutine. | 			} | ||||||
| 		c.builder.SetInsertPointBefore(deadlockCall) | 			useNames = append(useNames, u.InstructionParent().Parent().Name()) | ||||||
| 		continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ | 		} | ||||||
| 			llvm.ConstNull(c.ctx.TokenType()), | 		if len(useNames) > 0 { | ||||||
| 			llvm.ConstInt(c.ctx.Int1Type(), 0, false), | 			panic("bad use of getCoroutine: " + strings.Join(useNames, ",")) | ||||||
| 		}, "") | 		} | ||||||
| 		c.splitBasicBlock(deadlockCall, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.wakeup.dead") |  | ||||||
| 		c.builder.SetInsertPointBefore(deadlockCall) |  | ||||||
| 		sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), frame.unreachableBlock) |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) |  | ||||||
| 		deadlockCall.EraseFromParentAsInstruction() |  | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// Transform calls to runtime.chanSend into channel send operations. | 	// rewrite calls to getParentHandle | ||||||
| 	for _, sendOp := range getUses(chanSend) { | 	for _, inst := range getUses(c.mod.NamedFunction("runtime.getParentHandle")) { | ||||||
| 		// sendOp must be a call instruction. | 		f := inst.InstructionParent().Parent() | ||||||
| 		frame := asyncFuncs[sendOp.InstructionParent().Parent()] | 		var parentHandle llvm.Value | ||||||
| 
 | 		parentHandle = f.LastParam() | ||||||
| 		// Yield to scheduler. | 		if parentHandle.IsNil() || parentHandle.Name() != "parentHandle" { | ||||||
| 		c.builder.SetInsertPointBefore(llvm.NextInstruction(sendOp)) | 			// sanity check | ||||||
| 		continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ | 			panic("trying to make exported function async: " + f.Name()) | ||||||
| 			llvm.ConstNull(c.ctx.TokenType()), | 		} | ||||||
| 			llvm.ConstInt(c.ctx.Int1Type(), 0, false), | 		inst.ReplaceAllUsesWith(parentHandle) | ||||||
| 		}, "") | 		inst.EraseFromParentAsInstruction() | ||||||
| 		sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) |  | ||||||
| 		wakeup := c.splitBasicBlock(sw, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.sent") |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), wakeup) |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) |  | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// Transform calls to runtime.chanRecv into channel receive operations. | 	// ditch invalid function attributes | ||||||
| 	for _, recvOp := range getUses(chanRecv) { | 	bads := []llvm.Value{c.mod.NamedFunction("runtime.setTaskStatePtr")} | ||||||
| 		// recvOp must be a call instruction. | 	for _, f := range append(bads, asyncList...) { | ||||||
| 		frame := asyncFuncs[recvOp.InstructionParent().Parent()] | 		// These properties were added by the functionattrs pass. Remove | ||||||
| 
 | 		// them, because now we start using the parameter. | ||||||
| 		// Yield to scheduler. | 		// https://llvm.org/docs/Passes.html#functionattrs-deduce-function-attributes | ||||||
| 		c.builder.SetInsertPointBefore(llvm.NextInstruction(recvOp)) | 		for _, kind := range []string{"nocapture", "readnone"} { | ||||||
| 		continuePoint := c.builder.CreateCall(coroSuspendFunc, []llvm.Value{ | 			kindID := llvm.AttributeKindID(kind) | ||||||
| 			llvm.ConstNull(c.ctx.TokenType()), | 			n := f.ParamsCount() | ||||||
| 			llvm.ConstInt(c.ctx.Int1Type(), 0, false), | 			for i := 0; i <= n; i++ { | ||||||
| 		}, "") | 				f.RemoveEnumAttributeAtIndex(i, kindID) | ||||||
| 		sw := c.builder.CreateSwitch(continuePoint, frame.suspendBlock, 2) | 			} | ||||||
| 		wakeup := c.splitBasicBlock(sw, llvm.NextBasicBlock(c.builder.GetInsertBlock()), "task.received") | 		} | ||||||
| 		c.builder.SetInsertPointAtEnd(recvOp.InstructionParent()) |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 0, false), wakeup) |  | ||||||
| 		sw.AddCase(llvm.ConstInt(c.ctx.Int8Type(), 1, false), frame.cleanupBlock) |  | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	return true, c.lowerMakeGoroutineCalls() | 	// eliminate noret | ||||||
|  | 	for _, inst := range getUses(noret) { | ||||||
|  | 		inst.EraseFromParentAsInstruction() | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	return true, c.lowerMakeGoroutineCalls(true) | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // Lower runtime.makeGoroutine calls to regular call instructions. This is done | // Lower runtime.makeGoroutine calls to regular call instructions. This is done | ||||||
| // after the regular goroutine transformations. The started goroutines are | // after the regular goroutine transformations. The started goroutines are | ||||||
| // either non-blocking (in which case they can be called directly) or blocking, | // either non-blocking (in which case they can be called directly) or blocking, | ||||||
| // in which case they will ask the scheduler themselves to be rescheduled. | // in which case they will ask the scheduler themselves to be rescheduled. | ||||||
| func (c *Compiler) lowerMakeGoroutineCalls() error { | func (c *Compiler) lowerMakeGoroutineCalls(sched bool) error { | ||||||
| 	// The following Go code: | 	// The following Go code: | ||||||
| 	//   go startedGoroutine() | 	//   go startedGoroutine() | ||||||
| 	// | 	// | ||||||
|  | @ -661,13 +917,21 @@ func (c *Compiler) lowerMakeGoroutineCalls() error { | ||||||
| 		for i := 0; i < realCall.OperandsCount()-1; i++ { | 		for i := 0; i < realCall.OperandsCount()-1; i++ { | ||||||
| 			params = append(params, realCall.Operand(i)) | 			params = append(params, realCall.Operand(i)) | ||||||
| 		} | 		} | ||||||
| 		params[len(params)-1] = llvm.ConstPointerNull(c.i8ptrType) // parent coroutine handle (must be nil) |  | ||||||
| 		c.builder.SetInsertPointBefore(realCall) | 		c.builder.SetInsertPointBefore(realCall) | ||||||
|  | 		if (!sched) || goroutine.InstructionParent().Parent() == c.mod.NamedFunction("runtime.getFakeCoroutine") { | ||||||
|  | 			params[len(params)-1] = llvm.Undef(c.i8ptrType) | ||||||
|  | 		} else { | ||||||
|  | 			params[len(params)-1] = c.createRuntimeCall("getFakeCoroutine", []llvm.Value{}, "") // parent coroutine handle (must not be nil) | ||||||
|  | 		} | ||||||
| 		c.builder.CreateCall(origFunc, params, "") | 		c.builder.CreateCall(origFunc, params, "") | ||||||
| 		realCall.EraseFromParentAsInstruction() | 		realCall.EraseFromParentAsInstruction() | ||||||
| 		inttoptrOut.EraseFromParentAsInstruction() | 		inttoptrOut.EraseFromParentAsInstruction() | ||||||
| 		goroutine.EraseFromParentAsInstruction() | 		goroutine.EraseFromParentAsInstruction() | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
|  | 	if !sched && len(getUses(c.mod.NamedFunction("runtime.getFakeCoroutine"))) > 0 { | ||||||
|  | 		panic("getFakeCoroutine used without scheduler") | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
| 	return nil | 	return nil | ||||||
| } | } | ||||||
|  |  | ||||||
|  | @ -108,7 +108,7 @@ func (c *Compiler) Optimize(optLevel, sizeLevel int, inlinerThreshold uint) erro | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
| 	// After TinyGo-specific transforms have finished, undo exporting these functions. | 	// After TinyGo-specific transforms have finished, undo exporting these functions. | ||||||
| 	for _, name := range functionsUsedInTransforms { | 	for _, name := range c.getFunctionsUsedInTransforms() { | ||||||
| 		fn := c.mod.NamedFunction(name) | 		fn := c.mod.NamedFunction(name) | ||||||
| 		if fn.IsNil() { | 		if fn.IsNil() { | ||||||
| 			continue | 			continue | ||||||
|  |  | ||||||
|  | @ -27,21 +27,245 @@ import ( | ||||||
| 	"unsafe" | 	"unsafe" | ||||||
| ) | ) | ||||||
| 
 | 
 | ||||||
|  | func chanDebug(ch *channel) { | ||||||
|  | 	if schedulerDebug { | ||||||
|  | 		if ch.bufSize > 0 { | ||||||
|  | 			println("--- channel update:", ch, ch.state.String(), ch.bufSize, ch.bufUsed) | ||||||
|  | 		} else { | ||||||
|  | 			println("--- channel update:", ch, ch.state.String()) | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| type channel struct { | type channel struct { | ||||||
| 	elementSize uint16 // the size of one value in this channel | 	elementSize uintptr // the size of one value in this channel | ||||||
|  | 	bufSize     uintptr // size of buffer (in elements) | ||||||
| 	state       chanState | 	state       chanState | ||||||
| 	blocked     *task | 	blocked     *task | ||||||
|  | 	bufHead     uintptr        // head index of buffer (next push index) | ||||||
|  | 	bufTail     uintptr        // tail index of buffer (next pop index) | ||||||
|  | 	bufUsed     uintptr        // number of elements currently in buffer | ||||||
|  | 	buf         unsafe.Pointer // pointer to first element of buffer | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // chanMake creates a new channel with the given element size and buffer length in number of elements. | ||||||
|  | // This is a compiler intrinsic. | ||||||
|  | func chanMake(elementSize uintptr, bufSize uintptr) *channel { | ||||||
|  | 	return &channel{ | ||||||
|  | 		elementSize: elementSize, | ||||||
|  | 		bufSize:     bufSize, | ||||||
|  | 		buf:         alloc(elementSize * bufSize), | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // push value to end of channel if space is available | ||||||
|  | // returns whether there was space for the value in the buffer | ||||||
|  | func (ch *channel) push(value unsafe.Pointer) bool { | ||||||
|  | 	// immediately return false if the channel is not buffered | ||||||
|  | 	if ch.bufSize == 0 { | ||||||
|  | 		return false | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// ensure space is available | ||||||
|  | 	if ch.bufUsed == ch.bufSize { | ||||||
|  | 		return false | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// copy value to buffer | ||||||
|  | 	memcpy( | ||||||
|  | 		unsafe.Pointer( // pointer to the base of the buffer + offset = pointer to destination element | ||||||
|  | 			uintptr(ch.buf)+ | ||||||
|  | 				uintptr( // element size * equivalent slice index = offset | ||||||
|  | 					ch.elementSize* // element size (bytes) | ||||||
|  | 						ch.bufHead, // index of first available buffer entry | ||||||
|  | 				), | ||||||
|  | 		), | ||||||
|  | 		value, | ||||||
|  | 		ch.elementSize, | ||||||
|  | 	) | ||||||
|  | 
 | ||||||
|  | 	// update buffer state | ||||||
|  | 	ch.bufUsed++ | ||||||
|  | 	ch.bufHead++ | ||||||
|  | 	if ch.bufHead == ch.bufSize { | ||||||
|  | 		ch.bufHead = 0 | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	return true | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // pop value from channel buffer if one is available | ||||||
|  | // returns whether a value was popped or not | ||||||
|  | // result is stored into value pointer | ||||||
|  | func (ch *channel) pop(value unsafe.Pointer) bool { | ||||||
|  | 	// channel is empty | ||||||
|  | 	if ch.bufUsed == 0 { | ||||||
|  | 		return false | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// compute address of source | ||||||
|  | 	addr := unsafe.Pointer(uintptr(ch.buf) + (ch.elementSize * ch.bufTail)) | ||||||
|  | 
 | ||||||
|  | 	// copy value from buffer | ||||||
|  | 	memcpy( | ||||||
|  | 		value, | ||||||
|  | 		addr, | ||||||
|  | 		ch.elementSize, | ||||||
|  | 	) | ||||||
|  | 
 | ||||||
|  | 	// zero buffer element to allow garbage collection of value | ||||||
|  | 	memzero( | ||||||
|  | 		addr, | ||||||
|  | 		ch.elementSize, | ||||||
|  | 	) | ||||||
|  | 
 | ||||||
|  | 	// update buffer state | ||||||
|  | 	ch.bufUsed-- | ||||||
|  | 
 | ||||||
|  | 	// move tail up | ||||||
|  | 	ch.bufTail++ | ||||||
|  | 	if ch.bufTail == ch.bufSize { | ||||||
|  | 		ch.bufTail = 0 | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	return true | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // try to send a value to a channel, without actually blocking | ||||||
|  | // returns whether the value was sent | ||||||
|  | // will panic if channel is closed | ||||||
|  | func (ch *channel) trySend(value unsafe.Pointer) bool { | ||||||
|  | 	if ch == nil { | ||||||
|  | 		// send to nil channel blocks forever | ||||||
|  | 		// this is non-blocking, so just say no | ||||||
|  | 		return false | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	switch ch.state { | ||||||
|  | 	case chanStateEmpty, chanStateBuf: | ||||||
|  | 		// try to dump the value directly into the buffer | ||||||
|  | 		if ch.push(value) { | ||||||
|  | 			ch.state = chanStateBuf | ||||||
|  | 			return true | ||||||
|  | 		} | ||||||
|  | 		return false | ||||||
|  | 	case chanStateRecv: | ||||||
|  | 		// unblock reciever | ||||||
|  | 		receiver := unblockChain(&ch.blocked, nil) | ||||||
|  | 
 | ||||||
|  | 		// copy value to reciever | ||||||
|  | 		receiverState := receiver.state() | ||||||
|  | 		memcpy(receiverState.ptr, value, ch.elementSize) | ||||||
|  | 		receiverState.data = 1 // commaOk = true | ||||||
|  | 
 | ||||||
|  | 		// change state to empty if there are no more receivers | ||||||
|  | 		if ch.blocked == nil { | ||||||
|  | 			ch.state = chanStateEmpty | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		return true | ||||||
|  | 	case chanStateSend: | ||||||
|  | 		// something else is already waiting to send | ||||||
|  | 		return false | ||||||
|  | 	case chanStateClosed: | ||||||
|  | 		runtimePanic("send on closed channel") | ||||||
|  | 	default: | ||||||
|  | 		runtimePanic("invalid channel state") | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	return false | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // try to recieve a value from a channel, without really blocking | ||||||
|  | // returns whether a value was recieved | ||||||
|  | // second return is the comma-ok value | ||||||
|  | func (ch *channel) tryRecv(value unsafe.Pointer) (bool, bool) { | ||||||
|  | 	if ch == nil { | ||||||
|  | 		// recieve from nil channel blocks forever | ||||||
|  | 		// this is non-blocking, so just say no | ||||||
|  | 		return false, false | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	switch ch.state { | ||||||
|  | 	case chanStateBuf, chanStateSend: | ||||||
|  | 		// try to pop the value directly from the buffer | ||||||
|  | 		if ch.pop(value) { | ||||||
|  | 			// unblock next sender if applicable | ||||||
|  | 			if sender := unblockChain(&ch.blocked, nil); sender != nil { | ||||||
|  | 				// push sender's value into buffer | ||||||
|  | 				ch.push(sender.state().ptr) | ||||||
|  | 
 | ||||||
|  | 				if ch.blocked == nil { | ||||||
|  | 					// last sender unblocked - update state | ||||||
|  | 					ch.state = chanStateBuf | ||||||
|  | 				} | ||||||
|  | 			} | ||||||
|  | 
 | ||||||
|  | 			if ch.bufUsed == 0 { | ||||||
|  | 				// channel empty - update state | ||||||
|  | 				ch.state = chanStateEmpty | ||||||
|  | 			} | ||||||
|  | 
 | ||||||
|  | 			return true, true | ||||||
|  | 		} else if sender := unblockChain(&ch.blocked, nil); sender != nil { | ||||||
|  | 			// unblock next sender if applicable | ||||||
|  | 			// copy sender's value | ||||||
|  | 			memcpy(value, sender.state().ptr, ch.elementSize) | ||||||
|  | 
 | ||||||
|  | 			if ch.blocked == nil { | ||||||
|  | 				// last sender unblocked - update state | ||||||
|  | 				ch.state = chanStateEmpty | ||||||
|  | 			} | ||||||
|  | 
 | ||||||
|  | 			return true, true | ||||||
|  | 		} | ||||||
|  | 		return false, false | ||||||
|  | 	case chanStateRecv, chanStateEmpty: | ||||||
|  | 		// something else is already waiting to recieve | ||||||
|  | 		return false, false | ||||||
|  | 	case chanStateClosed: | ||||||
|  | 		if ch.pop(value) { | ||||||
|  | 			return true, true | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		// channel closed - nothing to recieve | ||||||
|  | 		memzero(value, ch.elementSize) | ||||||
|  | 		return true, false | ||||||
|  | 	default: | ||||||
|  | 		runtimePanic("invalid channel state") | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	runtimePanic("unreachable") | ||||||
|  | 	return false, false | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| type chanState uint8 | type chanState uint8 | ||||||
| 
 | 
 | ||||||
| const ( | const ( | ||||||
| 	chanStateEmpty chanState = iota | 	chanStateEmpty  chanState = iota // nothing in channel, no senders/recievers | ||||||
| 	chanStateRecv | 	chanStateRecv                    // nothing in channel, recievers waiting | ||||||
| 	chanStateSend | 	chanStateSend                    // senders waiting, buffer full if present | ||||||
| 	chanStateClosed | 	chanStateBuf                     // buffer not empty, no senders waiting | ||||||
|  | 	chanStateClosed                  // channel closed | ||||||
| ) | ) | ||||||
| 
 | 
 | ||||||
|  | func (s chanState) String() string { | ||||||
|  | 	switch s { | ||||||
|  | 	case chanStateEmpty: | ||||||
|  | 		return "empty" | ||||||
|  | 	case chanStateRecv: | ||||||
|  | 		return "recv" | ||||||
|  | 	case chanStateSend: | ||||||
|  | 		return "send" | ||||||
|  | 	case chanStateBuf: | ||||||
|  | 		return "buffered" | ||||||
|  | 	case chanStateClosed: | ||||||
|  | 		return "closed" | ||||||
|  | 	default: | ||||||
|  | 		return "invalid" | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
| // chanSelectState is a single channel operation (send/recv) in a select | // chanSelectState is a single channel operation (send/recv) in a select | ||||||
| // statement. The value pointer is either nil (for receives) or points to the | // statement. The value pointer is either nil (for receives) or points to the | ||||||
| // value to send (for sends). | // value to send (for sends). | ||||||
|  | @ -50,89 +274,59 @@ type chanSelectState struct { | ||||||
| 	value unsafe.Pointer | 	value unsafe.Pointer | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // chanSend sends a single value over the channel. If this operation can | // chanSend sends a single value over the channel. | ||||||
| // complete immediately (there is a goroutine waiting for a value), it sends the | // This operation will block unless a value is immediately available. | ||||||
| // value and re-activates both goroutines. If not, it sets itself as waiting on | // May panic if the channel is closed. | ||||||
| // a value. | func chanSend(ch *channel, value unsafe.Pointer) { | ||||||
| func chanSend(sender *task, ch *channel, value unsafe.Pointer) { | 	if ch.trySend(value) { | ||||||
| 	if ch == nil { | 		// value immediately sent | ||||||
| 		// A nil channel blocks forever. Do not scheduler this goroutine again. | 		chanDebug(ch) | ||||||
| 		chanYield() |  | ||||||
| 		return | 		return | ||||||
| 	} | 	} | ||||||
| 	switch ch.state { | 
 | ||||||
| 	case chanStateEmpty: | 	if ch == nil { | ||||||
| 		scheduleLogChan("  send: chan is empty    ", ch, sender) | 		// A nil channel blocks forever. Do not schedule this goroutine again. | ||||||
| 		sender.state().ptr = value | 		deadlock() | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
|  | 	// wait for reciever | ||||||
|  | 	sender := getCoroutine() | ||||||
| 	ch.state = chanStateSend | 	ch.state = chanStateSend | ||||||
| 		ch.blocked = sender | 	senderState := sender.state() | ||||||
| 		chanYield() | 	senderState.ptr = value | ||||||
| 	case chanStateRecv: | 	ch.blocked, senderState.next = sender, ch.blocked | ||||||
| 		scheduleLogChan("  send: chan in recv mode", ch, sender) | 	chanDebug(ch) | ||||||
| 		receiver := ch.blocked | 	yield() | ||||||
| 		receiverState := receiver.state() | 	senderState.ptr = nil | ||||||
| 		memcpy(receiverState.ptr, value, uintptr(ch.elementSize)) |  | ||||||
| 		receiverState.data = 1 // commaOk = true |  | ||||||
| 		ch.blocked = receiverState.next |  | ||||||
| 		receiverState.next = nil |  | ||||||
| 		activateTask(receiver) |  | ||||||
| 		reactivateParent(sender) |  | ||||||
| 		if ch.blocked == nil { |  | ||||||
| 			ch.state = chanStateEmpty |  | ||||||
| 		} |  | ||||||
| 	case chanStateClosed: |  | ||||||
| 		runtimePanic("send on closed channel") |  | ||||||
| 	case chanStateSend: |  | ||||||
| 		scheduleLogChan("  send: chan in send mode", ch, sender) |  | ||||||
| 		sender.state().ptr = value |  | ||||||
| 		sender.state().next = ch.blocked |  | ||||||
| 		ch.blocked = sender |  | ||||||
| 		chanYield() |  | ||||||
| 	} |  | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // chanRecv receives a single value over a channel. If there is an available | // chanRecv receives a single value over a channel. | ||||||
| // sender, it receives the value immediately and re-activates both coroutines. | // It blocks if there is no available value to recieve. | ||||||
| // If not, it sets itself as available for receiving. If the channel is closed, | // The recieved value is copied into the value pointer. | ||||||
| // it immediately activates itself with a zero value as the result. | // Returns the comma-ok value. | ||||||
| func chanRecv(receiver *task, ch *channel, value unsafe.Pointer) { | func chanRecv(ch *channel, value unsafe.Pointer) bool { | ||||||
|  | 	if rx, ok := ch.tryRecv(value); rx { | ||||||
|  | 		// value immediately available | ||||||
|  | 		chanDebug(ch) | ||||||
|  | 		return ok | ||||||
|  | 	} | ||||||
|  | 
 | ||||||
| 	if ch == nil { | 	if ch == nil { | ||||||
| 		// A nil channel blocks forever. Do not scheduler this goroutine again. | 		// A nil channel blocks forever. Do not schedule this goroutine again. | ||||||
| 		chanYield() | 		deadlock() | ||||||
| 		return |  | ||||||
| 	} | 	} | ||||||
| 	switch ch.state { | 
 | ||||||
| 	case chanStateSend: | 	// wait for a value | ||||||
| 		scheduleLogChan("  recv: chan in send mode", ch, receiver) | 	receiver := getCoroutine() | ||||||
| 		sender := ch.blocked |  | ||||||
| 		senderState := sender.state() |  | ||||||
| 		memcpy(value, senderState.ptr, uintptr(ch.elementSize)) |  | ||||||
| 		receiver.state().data = 1 // commaOk = true |  | ||||||
| 		ch.blocked = senderState.next |  | ||||||
| 		senderState.next = nil |  | ||||||
| 		reactivateParent(receiver) |  | ||||||
| 		activateTask(sender) |  | ||||||
| 		if ch.blocked == nil { |  | ||||||
| 			ch.state = chanStateEmpty |  | ||||||
| 		} |  | ||||||
| 	case chanStateEmpty: |  | ||||||
| 		scheduleLogChan("  recv: chan is empty    ", ch, receiver) |  | ||||||
| 		receiver.state().ptr = value |  | ||||||
| 	ch.state = chanStateRecv | 	ch.state = chanStateRecv | ||||||
| 		ch.blocked = receiver | 	receiverState := receiver.state() | ||||||
| 		chanYield() | 	receiverState.ptr, receiverState.data = value, 0 | ||||||
| 	case chanStateClosed: | 	ch.blocked, receiverState.next = receiver, ch.blocked | ||||||
| 		scheduleLogChan("  recv: chan is closed   ", ch, receiver) | 	chanDebug(ch) | ||||||
| 		memzero(value, uintptr(ch.elementSize)) | 	yield() | ||||||
| 		receiver.state().data = 0 // commaOk = false | 	ok := receiverState.data == 1 | ||||||
| 		reactivateParent(receiver) | 	receiverState.ptr, receiverState.data = nil, 0 | ||||||
| 	case chanStateRecv: | 	return ok | ||||||
| 		scheduleLogChan("  recv: chan in recv mode", ch, receiver) |  | ||||||
| 		receiver.state().ptr = value |  | ||||||
| 		receiver.state().next = ch.blocked |  | ||||||
| 		ch.blocked = receiver |  | ||||||
| 		chanYield() |  | ||||||
| 	} |  | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // chanClose closes the given channel. If this channel has a receiver or is | // chanClose closes the given channel. If this channel has a receiver or is | ||||||
|  | @ -153,17 +347,22 @@ func chanClose(ch *channel) { | ||||||
| 		// before the close. | 		// before the close. | ||||||
| 		runtimePanic("close channel during send") | 		runtimePanic("close channel during send") | ||||||
| 	case chanStateRecv: | 	case chanStateRecv: | ||||||
| 		// The receiver must be re-activated with a zero value. | 		// unblock all receivers with the zero value | ||||||
| 		receiverState := ch.blocked.state() | 		for rx := unblockChain(&ch.blocked, nil); rx != nil; rx = unblockChain(&ch.blocked, nil) { | ||||||
| 		memzero(receiverState.ptr, uintptr(ch.elementSize)) | 			// get receiver state | ||||||
| 		receiverState.data = 0 // commaOk = false | 			state := rx.state() | ||||||
| 		activateTask(ch.blocked) | 
 | ||||||
| 		ch.state = chanStateClosed | 			// store the zero value | ||||||
| 		ch.blocked = nil | 			memzero(state.ptr, ch.elementSize) | ||||||
| 	case chanStateEmpty: | 
 | ||||||
| 		// Easy case. No available sender or receiver. | 			// set the comma-ok value to false (channel closed) | ||||||
| 		ch.state = chanStateClosed | 			state.data = 0 | ||||||
| 		} | 		} | ||||||
|  | 	case chanStateEmpty, chanStateBuf: | ||||||
|  | 		// Easy case. No available sender or receiver. | ||||||
|  | 	} | ||||||
|  | 	ch.state = chanStateClosed | ||||||
|  | 	chanDebug(ch) | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // chanSelect is the runtime implementation of the select statement. This is | // chanSelect is the runtime implementation of the select statement. This is | ||||||
|  | @ -175,47 +374,17 @@ func chanClose(ch *channel) { | ||||||
| func chanSelect(recvbuf unsafe.Pointer, states []chanSelectState, blocking bool) (uintptr, bool) { | func chanSelect(recvbuf unsafe.Pointer, states []chanSelectState, blocking bool) (uintptr, bool) { | ||||||
| 	// See whether we can receive from one of the channels. | 	// See whether we can receive from one of the channels. | ||||||
| 	for i, state := range states { | 	for i, state := range states { | ||||||
| 		if state.ch == nil { |  | ||||||
| 			// A nil channel blocks forever, so don't consider it here. |  | ||||||
| 			continue |  | ||||||
| 		} |  | ||||||
| 		if state.value == nil { | 		if state.value == nil { | ||||||
| 			// A receive operation. | 			// A receive operation. | ||||||
| 			switch state.ch.state { | 			if rx, ok := state.ch.tryRecv(recvbuf); rx { | ||||||
| 			case chanStateSend: | 				chanDebug(state.ch) | ||||||
| 				// We can receive immediately. | 				return uintptr(i), ok | ||||||
| 				sender := state.ch.blocked |  | ||||||
| 				senderState := sender.state() |  | ||||||
| 				memcpy(recvbuf, senderState.ptr, uintptr(state.ch.elementSize)) |  | ||||||
| 				state.ch.blocked = senderState.next |  | ||||||
| 				senderState.next = nil |  | ||||||
| 				activateTask(sender) |  | ||||||
| 				if state.ch.blocked == nil { |  | ||||||
| 					state.ch.state = chanStateEmpty |  | ||||||
| 				} |  | ||||||
| 				return uintptr(i), true // commaOk = true |  | ||||||
| 			case chanStateClosed: |  | ||||||
| 				// Receive the zero value. |  | ||||||
| 				memzero(recvbuf, uintptr(state.ch.elementSize)) |  | ||||||
| 				return uintptr(i), false // commaOk = false |  | ||||||
| 			} | 			} | ||||||
| 		} else { | 		} else { | ||||||
| 			// A send operation: state.value is not nil. | 			// A send operation: state.value is not nil. | ||||||
| 			switch state.ch.state { | 			if state.ch.trySend(state.value) { | ||||||
| 			case chanStateRecv: | 				chanDebug(state.ch) | ||||||
| 				receiver := state.ch.blocked | 				return uintptr(i), true | ||||||
| 				receiverState := receiver.state() |  | ||||||
| 				memcpy(receiverState.ptr, state.value, uintptr(state.ch.elementSize)) |  | ||||||
| 				receiverState.data = 1 // commaOk = true |  | ||||||
| 				state.ch.blocked = receiverState.next |  | ||||||
| 				receiverState.next = nil |  | ||||||
| 				activateTask(receiver) |  | ||||||
| 				if state.ch.blocked == nil { |  | ||||||
| 					state.ch.state = chanStateEmpty |  | ||||||
| 				} |  | ||||||
| 				return uintptr(i), false |  | ||||||
| 			case chanStateClosed: |  | ||||||
| 				runtimePanic("send on closed channel") |  | ||||||
| 			} | 			} | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
|  | @ -59,16 +59,78 @@ func scheduleLogChan(msg string, ch *channel, t *task) { | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // Set the task to sleep for a given time. | // deadlock is called when a goroutine cannot proceed any more, but is in theory | ||||||
|  | // not exited (so deferred calls won't run). This can happen for example in code | ||||||
|  | // like this, that blocks forever: | ||||||
| // | // | ||||||
| // This is a compiler intrinsic. | //     select{} | ||||||
| func sleepTask(caller *task, duration int64) { | //go:noinline | ||||||
| 	if schedulerDebug { | func deadlock() { | ||||||
| 		println("  set sleep:", caller, uint(duration/tickMicros)) | 	// call yield without requesting a wakeup | ||||||
|  | 	yield() | ||||||
|  | 	panic("unreachable") | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // Goexit terminates the currently running goroutine. No other goroutines are affected. | ||||||
|  | // | ||||||
|  | // Unlike the main Go implementation, no deffered calls will be run. | ||||||
|  | //go:inline | ||||||
|  | func Goexit() { | ||||||
|  | 	// its really just a deadlock | ||||||
|  | 	deadlock() | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // unblock unblocks a task and returns the next value | ||||||
|  | func unblock(t *task) *task { | ||||||
|  | 	state := t.state() | ||||||
|  | 	next := state.next | ||||||
|  | 	state.next = nil | ||||||
|  | 	activateTask(t) | ||||||
|  | 	return next | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // unblockChain unblocks the next task on the stack/queue, returning it | ||||||
|  | // also updates the chain, putting the next element into the chain pointer | ||||||
|  | // if the chain is used as a queue, tail is used as a pointer to the final insertion point | ||||||
|  | // if the chain is used as a stack, tail should be nil | ||||||
|  | func unblockChain(chain **task, tail ***task) *task { | ||||||
|  | 	t := *chain | ||||||
|  | 	if t == nil { | ||||||
|  | 		return nil | ||||||
| 	} | 	} | ||||||
| 	state := caller.state() | 	*chain = unblock(t) | ||||||
| 	state.data = uint(duration / tickMicros) // TODO: longer durations | 	if tail != nil && *chain == nil { | ||||||
| 	addSleepTask(caller) | 		*tail = chain | ||||||
|  | 	} | ||||||
|  | 	return t | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // dropChain drops a task from the given stack or queue | ||||||
|  | // if the chain is used as a queue, tail is used as a pointer to the field containing a pointer to the next insertion point | ||||||
|  | // if the chain is used as a stack, tail should be nil | ||||||
|  | func dropChain(t *task, chain **task, tail ***task) { | ||||||
|  | 	for c := chain; *c != nil; c = &((*c).state().next) { | ||||||
|  | 		if *c == t { | ||||||
|  | 			next := (*c).state().next | ||||||
|  | 			if next == nil && tail != nil { | ||||||
|  | 				*tail = c | ||||||
|  | 			} | ||||||
|  | 			*c = next | ||||||
|  | 			return | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | 	panic("runtime: task not in chain") | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // Pause the current task for a given time. | ||||||
|  | //go:linkname sleep time.Sleep | ||||||
|  | func sleep(duration int64) { | ||||||
|  | 	addSleepTask(getCoroutine(), duration) | ||||||
|  | 	yield() | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func avrSleep(duration int64) { | ||||||
|  | 	sleepTicks(timeUnit(duration / tickMicros)) | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // Add a non-queued task to the run queue. | // Add a non-queued task to the run queue. | ||||||
|  | @ -85,6 +147,7 @@ func activateTask(t *task) { | ||||||
| 
 | 
 | ||||||
| // getTaskStateData is a helper function to get the current .data field of the | // getTaskStateData is a helper function to get the current .data field of the | ||||||
| // goroutine state. | // goroutine state. | ||||||
|  | //go:inline | ||||||
| func getTaskStateData(t *task) uint { | func getTaskStateData(t *task) uint { | ||||||
| 	return t.state().data | 	return t.state().data | ||||||
| } | } | ||||||
|  | @ -93,6 +156,7 @@ func getTaskStateData(t *task) uint { | ||||||
| // done. | // done. | ||||||
| func runqueuePushBack(t *task) { | func runqueuePushBack(t *task) { | ||||||
| 	if schedulerDebug { | 	if schedulerDebug { | ||||||
|  | 		scheduleLogTask("  pushing back:", t) | ||||||
| 		if t.state().next != nil { | 		if t.state().next != nil { | ||||||
| 			panic("runtime: runqueuePushBack: expected next task to be nil") | 			panic("runtime: runqueuePushBack: expected next task to be nil") | ||||||
| 		} | 		} | ||||||
|  | @ -124,12 +188,14 @@ func runqueuePopFront() *task { | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // Add this task to the sleep queue, assuming its state is set to sleeping. | // Add this task to the sleep queue, assuming its state is set to sleeping. | ||||||
| func addSleepTask(t *task) { | func addSleepTask(t *task, duration int64) { | ||||||
| 	if schedulerDebug { | 	if schedulerDebug { | ||||||
|  | 		println("  set sleep:", t, uint(duration/tickMicros)) | ||||||
| 		if t.state().next != nil { | 		if t.state().next != nil { | ||||||
| 			panic("runtime: addSleepTask: expected next task to be nil") | 			panic("runtime: addSleepTask: expected next task to be nil") | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
|  | 	t.state().data = uint(duration / tickMicros) // TODO: longer durations | ||||||
| 	now := ticks() | 	now := ticks() | ||||||
| 	if sleepQueue == nil { | 	if sleepQueue == nil { | ||||||
| 		scheduleLog("  -> sleep new queue") | 		scheduleLog("  -> sleep new queue") | ||||||
|  | @ -209,3 +275,8 @@ func scheduler() { | ||||||
| 		t.resume() | 		t.resume() | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  | 
 | ||||||
|  | func Gosched() { | ||||||
|  | 	runqueuePushBack(getCoroutine()) | ||||||
|  | 	yield() | ||||||
|  | } | ||||||
|  |  | ||||||
|  | @ -50,7 +50,7 @@ func makeGoroutine(uintptr) uintptr | ||||||
| // removed in the goroutine lowering pass. | // removed in the goroutine lowering pass. | ||||||
| func getCoroutine() *task | func getCoroutine() *task | ||||||
| 
 | 
 | ||||||
| // getTaskStatePtr is a helper function to set the current .ptr field of a | // setTaskStatePtr is a helper function to set the current .ptr field of a | ||||||
| // coroutine promise. | // coroutine promise. | ||||||
| func setTaskStatePtr(t *task, value unsafe.Pointer) { | func setTaskStatePtr(t *task, value unsafe.Pointer) { | ||||||
| 	t.state().ptr = value | 	t.state().ptr = value | ||||||
|  | @ -65,37 +65,40 @@ func getTaskStatePtr(t *task) unsafe.Pointer { | ||||||
| 	return t.state().ptr | 	return t.state().ptr | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| //go:linkname sleep time.Sleep | // yield suspends execution of the current goroutine | ||||||
| func sleep(d int64) { | // any wakeups must be configured before calling yield | ||||||
| 	sleepTicks(timeUnit(d / tickMicros)) | func yield() | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // deadlock is called when a goroutine cannot proceed any more, but is in theory |  | ||||||
| // not exited (so deferred calls won't run). This can happen for example in code |  | ||||||
| // like this, that blocks forever: |  | ||||||
| // |  | ||||||
| //     select{} |  | ||||||
| // |  | ||||||
| // The coroutine version is implemented directly in the compiler but it needs |  | ||||||
| // this definition to work. |  | ||||||
| func deadlock() |  | ||||||
| 
 |  | ||||||
| // reactivateParent reactivates the parent goroutine. It is necessary in case of |  | ||||||
| // the coroutine-based scheduler. |  | ||||||
| func reactivateParent(t *task) { |  | ||||||
| 	activateTask(t) |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // chanYield exits the current goroutine. Used in the channel implementation, to |  | ||||||
| // suspend the current goroutine until it is reactivated by a channel operation |  | ||||||
| // of a different goroutine. It is a no-op in the coroutine implementation. |  | ||||||
| func chanYield() { |  | ||||||
| 	// Nothing to do here, simply returning from the channel operation also exits |  | ||||||
| 	// the goroutine temporarily. |  | ||||||
| } |  | ||||||
| 
 | 
 | ||||||
| // getSystemStackPointer returns the current stack pointer of the system stack. | // getSystemStackPointer returns the current stack pointer of the system stack. | ||||||
| // This is always the current stack pointer. | // This is always the current stack pointer. | ||||||
| func getSystemStackPointer() uintptr { | func getSystemStackPointer() uintptr { | ||||||
| 	return getCurrentStackPointer() | 	return getCurrentStackPointer() | ||||||
| } | } | ||||||
|  | 
 | ||||||
|  | func fakeCoroutine(dst **task) { | ||||||
|  | 	*dst = getCoroutine() | ||||||
|  | 	for { | ||||||
|  | 		yield() | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func getFakeCoroutine() *task { | ||||||
|  | 	// this isnt defined behavior, but this is what our implementation does | ||||||
|  | 	// this is really a horrible hack | ||||||
|  | 	var t *task | ||||||
|  | 	go fakeCoroutine(&t) | ||||||
|  | 
 | ||||||
|  | 	// the first line of fakeCoroutine will have completed by now | ||||||
|  | 	return t | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | // noret is a placeholder that can be used to indicate that an async function is not going to directly return here | ||||||
|  | func noret() | ||||||
|  | 
 | ||||||
|  | func getParentHandle() *task | ||||||
|  | 
 | ||||||
|  | func llvmCoroRefHolder() { | ||||||
|  | 	noret() | ||||||
|  | 	getParentHandle() | ||||||
|  | 	getCoroutine() | ||||||
|  | } | ||||||
|  |  | ||||||
|  | @ -17,7 +17,7 @@ tinygo_startTask: | ||||||
|     blx   r4 |     blx   r4 | ||||||
| 
 | 
 | ||||||
|     // After return, exit this goroutine. This is a tail call. |     // After return, exit this goroutine. This is a tail call. | ||||||
|     bl    runtime.Goexit |     bl    runtime.yield | ||||||
| 
 | 
 | ||||||
| .section .text.tinygo_swapTask | .section .text.tinygo_swapTask | ||||||
| .global  tinygo_swapTask
 | .global  tinygo_swapTask
 | ||||||
|  |  | ||||||
|  | @ -31,6 +31,7 @@ type task struct { | ||||||
| // getCoroutine returns the currently executing goroutine. It is used as an | // getCoroutine returns the currently executing goroutine. It is used as an | ||||||
| // intrinsic when compiling channel operations, but is not necessary with the | // intrinsic when compiling channel operations, but is not necessary with the | ||||||
| // task-based scheduler. | // task-based scheduler. | ||||||
|  | //go:inline | ||||||
| func getCoroutine() *task { | func getCoroutine() *task { | ||||||
| 	return currentTask | 	return currentTask | ||||||
| } | } | ||||||
|  | @ -67,15 +68,6 @@ func swapTask(oldTask, newTask *task) { | ||||||
| //go:linkname swapTaskLower tinygo_swapTask | //go:linkname swapTaskLower tinygo_swapTask | ||||||
| func swapTaskLower(oldTask, newTask *task) | func swapTaskLower(oldTask, newTask *task) | ||||||
| 
 | 
 | ||||||
| // Goexit terminates the currently running goroutine. No other goroutines are affected. |  | ||||||
| // |  | ||||||
| // Unlike the main Go implementation, no deffered calls will be run. |  | ||||||
| //export runtime.Goexit |  | ||||||
| func Goexit() { |  | ||||||
| 	// Swap without rescheduling first, effectively exiting the goroutine. |  | ||||||
| 	swapTask(currentTask, &schedulerState) |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // startTask is a small wrapper function that sets up the first (and only) | // startTask is a small wrapper function that sets up the first (and only) | ||||||
| // argument to the new goroutine and makes sure it is exited when the goroutine | // argument to the new goroutine and makes sure it is exited when the goroutine | ||||||
| // finishes. | // finishes. | ||||||
|  | @ -96,40 +88,13 @@ func startGoroutine(fn, args uintptr) { | ||||||
| 	runqueuePushBack(t) | 	runqueuePushBack(t) | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| //go:linkname sleep time.Sleep | // yield suspends execution of the current goroutine | ||||||
| func sleep(d int64) { | // any wakeups must be configured before calling yield | ||||||
| 	sleepTicks(timeUnit(d / tickMicros)) | //export runtime.yield | ||||||
| } | func yield() { | ||||||
| 
 |  | ||||||
| // sleepCurrentTask suspends the current goroutine. This is a compiler |  | ||||||
| // intrinsic. It replaces calls to time.Sleep when a scheduler is in use. |  | ||||||
| func sleepCurrentTask(d int64) { |  | ||||||
| 	sleepTask(currentTask, d) |  | ||||||
| 	swapTask(currentTask, &schedulerState) | 	swapTask(currentTask, &schedulerState) | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| // deadlock is called when a goroutine cannot proceed any more, but is in theory |  | ||||||
| // not exited (so deferred calls won't run). This can happen for example in code |  | ||||||
| // like this, that blocks forever: |  | ||||||
| // |  | ||||||
| //     select{} |  | ||||||
| func deadlock() { |  | ||||||
| 	Goexit() |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // reactivateParent reactivates the parent goroutine. It is a no-op for the task |  | ||||||
| // based scheduler. |  | ||||||
| func reactivateParent(t *task) { |  | ||||||
| 	// Nothing to do here, tasks don't stop automatically. |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // chanYield exits the current goroutine. Used in the channel implementation, to |  | ||||||
| // suspend the current goroutine until it is reactivated by a channel operation |  | ||||||
| // of a different goroutine. |  | ||||||
| func chanYield() { |  | ||||||
| 	Goexit() |  | ||||||
| } |  | ||||||
| 
 |  | ||||||
| // getSystemStackPointer returns the current stack pointer of the system stack. | // getSystemStackPointer returns the current stack pointer of the system stack. | ||||||
| // This is not necessarily the same as the current stack pointer. | // This is not necessarily the same as the current stack pointer. | ||||||
| func getSystemStackPointer() uintptr { | func getSystemStackPointer() uintptr { | ||||||
|  |  | ||||||
							
								
								
									
										112
									
								
								testdata/channel.go
									
										
									
									
										предоставленный
									
									
								
							
							
						
						
									
										112
									
								
								testdata/channel.go
									
										
									
									
										предоставленный
									
									
								
							|  | @ -1,65 +1,110 @@ | ||||||
| package main | package main | ||||||
| 
 | 
 | ||||||
| import "time" | import ( | ||||||
|  | 	"time" | ||||||
|  | 	"runtime" | ||||||
|  | ) | ||||||
|  | 
 | ||||||
|  | // waitGroup is a small type reimplementing some of the behavior of sync.WaitGroup | ||||||
|  | type waitGroup uint | ||||||
|  | 
 | ||||||
|  | func (wg *waitGroup) wait() { | ||||||
|  | 	n := 0 | ||||||
|  | 	for *wg != 0 { | ||||||
|  | 		// pause and wait to be rescheduled | ||||||
|  | 		runtime.Gosched() | ||||||
|  | 
 | ||||||
|  | 		if n > 100 { | ||||||
|  | 			// if something is using the sleep queue, this may be necessary | ||||||
|  | 			time.Sleep(time.Millisecond) | ||||||
|  | 		} | ||||||
|  | 
 | ||||||
|  | 		n++ | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func (wg *waitGroup) add(n uint) { | ||||||
|  | 	*wg += waitGroup(n) | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func (wg *waitGroup) done() { | ||||||
|  | 	if *wg == 0 { | ||||||
|  | 		panic("wait group underflow") | ||||||
|  | 	} | ||||||
|  | 	*wg-- | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | var wg waitGroup | ||||||
| 
 | 
 | ||||||
| func main() { | func main() { | ||||||
| 	ch := make(chan int) | 	ch := make(chan int) | ||||||
| 	println("len, cap of channel:", len(ch), cap(ch), ch == nil) | 	println("len, cap of channel:", len(ch), cap(ch), ch == nil) | ||||||
|  | 
 | ||||||
|  | 	wg.add(1) | ||||||
| 	go sender(ch) | 	go sender(ch) | ||||||
| 
 | 
 | ||||||
| 	n, ok := <-ch | 	n, ok := <-ch | ||||||
| 	println("recv from open channel:", n, ok) | 	println("recv from open channel:", n, ok) | ||||||
| 
 | 
 | ||||||
| 	for n := range ch { | 	for n := range ch { | ||||||
| 		if n == 6 { |  | ||||||
| 			time.Sleep(time.Microsecond) |  | ||||||
| 		} |  | ||||||
| 		println("received num:", n) | 		println("received num:", n) | ||||||
| 	} | 	} | ||||||
| 
 | 
 | ||||||
|  | 	wg.wait() | ||||||
| 	n, ok = <-ch | 	n, ok = <-ch | ||||||
| 	println("recv from closed channel:", n, ok) | 	println("recv from closed channel:", n, ok) | ||||||
| 
 | 
 | ||||||
| 	// Test bigger values | 	// Test bigger values | ||||||
| 	ch2 := make(chan complex128) | 	ch2 := make(chan complex128) | ||||||
|  | 	wg.add(1) | ||||||
| 	go sendComplex(ch2) | 	go sendComplex(ch2) | ||||||
| 	println("complex128:", <-ch2) | 	println("complex128:", <-ch2) | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Test multi-sender. | 	// Test multi-sender. | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(3) | ||||||
| 	go fastsender(ch, 10) | 	go fastsender(ch, 10) | ||||||
| 	go fastsender(ch, 23) | 	go fastsender(ch, 23) | ||||||
| 	go fastsender(ch, 40) | 	go fastsender(ch, 40) | ||||||
| 	slowreceiver(ch) | 	slowreceiver(ch) | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Test multi-receiver. | 	// Test multi-receiver. | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(3) | ||||||
| 	go fastreceiver(ch) | 	go fastreceiver(ch) | ||||||
| 	go fastreceiver(ch) | 	go fastreceiver(ch) | ||||||
| 	go fastreceiver(ch) | 	go fastreceiver(ch) | ||||||
| 	slowsender(ch) | 	slowsender(ch) | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Test iterator style channel. | 	// Test iterator style channel. | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(1) | ||||||
| 	go iterator(ch, 100) | 	go iterator(ch, 100) | ||||||
| 	sum := 0 | 	sum := 0 | ||||||
| 	for i := range ch { | 	for i := range ch { | ||||||
| 		sum += i | 		sum += i | ||||||
| 	} | 	} | ||||||
|  | 	wg.wait() | ||||||
| 	println("sum(100):", sum) | 	println("sum(100):", sum) | ||||||
| 
 | 
 | ||||||
| 	// Test simple selects. | 	// Test simple selects. | ||||||
| 	go selectDeadlock() | 	go selectDeadlock()	// cannot use waitGroup here - never terminates | ||||||
|  | 	wg.add(1) | ||||||
| 	go selectNoOp() | 	go selectNoOp() | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Test select with a single send operation (transformed into chan send). | 	// Test select with a single send operation (transformed into chan send). | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(1) | ||||||
| 	go fastreceiver(ch) | 	go fastreceiver(ch) | ||||||
| 	select { | 	select { | ||||||
| 	case ch <- 5: | 	case ch <- 5: | ||||||
| 	} | 	} | ||||||
| 	close(ch) | 	close(ch) | ||||||
| 	time.Sleep(time.Millisecond) | 	wg.wait() | ||||||
| 	println("did send one") | 	println("did send one") | ||||||
| 
 | 
 | ||||||
| 	// Test select with a single recv operation (transformed into chan recv). | 	// Test select with a single recv operation (transformed into chan recv). | ||||||
|  | @ -70,9 +115,12 @@ func main() { | ||||||
| 
 | 
 | ||||||
| 	// Test select recv with channel that has one entry. | 	// Test select recv with channel that has one entry. | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(1) | ||||||
| 	go func(ch chan int) { | 	go func(ch chan int) { | ||||||
| 		ch <- 55 | 		ch <- 55 | ||||||
|  | 		wg.done() | ||||||
| 	}(ch) | 	}(ch) | ||||||
|  | 	// not defined behavior, but we cant really fix this until select has been fixed | ||||||
| 	time.Sleep(time.Millisecond) | 	time.Sleep(time.Millisecond) | ||||||
| 	select { | 	select { | ||||||
| 	case make(chan int) <- 3: | 	case make(chan int) <- 3: | ||||||
|  | @ -82,6 +130,7 @@ func main() { | ||||||
| 	case n := <-make(chan int): | 	case n := <-make(chan int): | ||||||
| 		println("unreachable:", n) | 		println("unreachable:", n) | ||||||
| 	} | 	} | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Test select recv with closed channel. | 	// Test select recv with closed channel. | ||||||
| 	close(ch) | 	close(ch) | ||||||
|  | @ -96,6 +145,7 @@ func main() { | ||||||
| 
 | 
 | ||||||
| 	// Test select send. | 	// Test select send. | ||||||
| 	ch = make(chan int) | 	ch = make(chan int) | ||||||
|  | 	wg.add(1) | ||||||
| 	go fastreceiver(ch) | 	go fastreceiver(ch) | ||||||
| 	time.Sleep(time.Millisecond) | 	time.Sleep(time.Millisecond) | ||||||
| 	select { | 	select { | ||||||
|  | @ -105,9 +155,49 @@ func main() { | ||||||
| 		println("unreachable:", n) | 		println("unreachable:", n) | ||||||
| 	} | 	} | ||||||
| 	close(ch) | 	close(ch) | ||||||
|  | 	wg.wait() | ||||||
| 
 | 
 | ||||||
| 	// Allow goroutines to exit. | 	// test non-concurrent buffered channels | ||||||
| 	time.Sleep(time.Microsecond) | 	ch = make(chan int, 2) | ||||||
|  | 	ch <- 1 | ||||||
|  | 	ch <- 2 | ||||||
|  | 	println("non-concurrent channel recieve:", <-ch) | ||||||
|  | 	println("non-concurrent channel recieve:", <-ch) | ||||||
|  | 
 | ||||||
|  | 	// test closing channels with buffered data | ||||||
|  | 	ch <- 3 | ||||||
|  | 	ch <- 4 | ||||||
|  | 	close(ch) | ||||||
|  | 	println("closed buffered channel recieve:", <-ch) | ||||||
|  | 	println("closed buffered channel recieve:", <-ch) | ||||||
|  | 	println("closed buffered channel recieve:", <-ch) | ||||||
|  | 
 | ||||||
|  | 	// test using buffered channels as regular channels with special properties | ||||||
|  | 	wg.add(6) | ||||||
|  | 	ch = make(chan int, 2) | ||||||
|  | 	go send(ch) | ||||||
|  | 	go send(ch) | ||||||
|  | 	go send(ch) | ||||||
|  | 	go send(ch) | ||||||
|  | 	go receive(ch) | ||||||
|  | 	go receive(ch) | ||||||
|  | 	wg.wait() | ||||||
|  | 	close(ch) | ||||||
|  | 	var count int | ||||||
|  | 	for range ch { | ||||||
|  | 		count++ | ||||||
|  | 	} | ||||||
|  | 	println("hybrid buffered channel recieve:", count) | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func send(ch chan<- int) { | ||||||
|  | 	ch <- 1 | ||||||
|  | 	wg.done() | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | func receive(ch <-chan int) { | ||||||
|  | 	<-ch | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func sender(ch chan int) { | func sender(ch chan int) { | ||||||
|  | @ -119,15 +209,18 @@ func sender(ch chan int) { | ||||||
| 		ch <- i | 		ch <- i | ||||||
| 	} | 	} | ||||||
| 	close(ch) | 	close(ch) | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func sendComplex(ch chan complex128) { | func sendComplex(ch chan complex128) { | ||||||
| 	ch <- 7 + 10.5i | 	ch <- 7 + 10.5i | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func fastsender(ch chan int, n int) { | func fastsender(ch chan int, n int) { | ||||||
| 	ch <- n | 	ch <- n | ||||||
| 	ch <- n + 1 | 	ch <- n + 1 | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func slowreceiver(ch chan int) { | func slowreceiver(ch chan int) { | ||||||
|  | @ -153,6 +246,7 @@ func fastreceiver(ch chan int) { | ||||||
| 		sum += n | 		sum += n | ||||||
| 	} | 	} | ||||||
| 	println("sum:", sum) | 	println("sum:", sum) | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func iterator(ch chan int, top int) { | func iterator(ch chan int, top int) { | ||||||
|  | @ -160,6 +254,7 @@ func iterator(ch chan int, top int) { | ||||||
| 		ch <- i | 		ch <- i | ||||||
| 	} | 	} | ||||||
| 	close(ch) | 	close(ch) | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| func selectDeadlock() { | func selectDeadlock() { | ||||||
|  | @ -174,4 +269,5 @@ func selectNoOp() { | ||||||
| 	default: | 	default: | ||||||
| 	} | 	} | ||||||
| 	println("after no-op") | 	println("after no-op") | ||||||
|  | 	wg.done() | ||||||
| } | } | ||||||
|  |  | ||||||
							
								
								
									
										6
									
								
								testdata/channel.txt
									
										
									
									
										предоставленный
									
									
								
							
							
						
						
									
										6
									
								
								testdata/channel.txt
									
										
									
									
										предоставленный
									
									
								
							|  | @ -25,3 +25,9 @@ select n from chan: 55 | ||||||
| select n from closed chan: 0 | select n from closed chan: 0 | ||||||
| select send | select send | ||||||
| sum: 235 | sum: 235 | ||||||
|  | non-concurrent channel recieve: 1 | ||||||
|  | non-concurrent channel recieve: 2 | ||||||
|  | closed buffered channel recieve: 3 | ||||||
|  | closed buffered channel recieve: 4 | ||||||
|  | closed buffered channel recieve: 0 | ||||||
|  | hybrid buffered channel recieve: 2 | ||||||
|  |  | ||||||
		Загрузка…
	
	Создание таблицы
		
		Сослаться в новой задаче
	
	 Jaden Weiss
						Jaden Weiss