 b5e29bf0c1
			
		
	
	
		b5e29bf0c1
		
	
	
	
	
		
			
			This is the first commit in a series to refactor the compiler. The
intention is to make sure every function to be compiled eventually has
its own IR builder. This will make it much easier to do other
refactorings in the future:
  * Most code won't depend (directly) on the central Compiler object,
    perhaps making it possible to eliminate it in the future. Right now
    it's embedded in the `builder` struct but individual fields from the
    `Compiler` can easily be moved into the `builder` object.
  * Some functions are not directly exposed in Go SSA, they are wrapper
    functions for something. At the moment they are included in the list
    of functions to be compiled with the reachability analysis
    (SimpleDCE) in the ir package, but eventually this reachability
    analys will be removed. At that point, it would be very convenient
    to be able to simply build a function with a new IR builder.
The `compilerContext` struct makes sure that it is not possible for
`builder` methods to accidentally use global state such as the global IR
builder. It is a transitional mechanism and may be removed when
finished.
		
	
			
		
			
				
	
	
		
			2611 строки
		
	
	
	
		
			94 КиБ
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			2611 строки
		
	
	
	
		
			94 КиБ
		
	
	
	
		
			Go
		
	
	
	
	
	
| package compiler
 | |
| 
 | |
| import (
 | |
| 	"debug/dwarf"
 | |
| 	"errors"
 | |
| 	"fmt"
 | |
| 	"go/ast"
 | |
| 	"go/build"
 | |
| 	"go/constant"
 | |
| 	"go/token"
 | |
| 	"go/types"
 | |
| 	"os"
 | |
| 	"path/filepath"
 | |
| 	"strconv"
 | |
| 	"strings"
 | |
| 
 | |
| 	"github.com/tinygo-org/tinygo/compileopts"
 | |
| 	"github.com/tinygo-org/tinygo/compiler/llvmutil"
 | |
| 	"github.com/tinygo-org/tinygo/goenv"
 | |
| 	"github.com/tinygo-org/tinygo/ir"
 | |
| 	"github.com/tinygo-org/tinygo/loader"
 | |
| 	"golang.org/x/tools/go/ssa"
 | |
| 	"tinygo.org/x/go-llvm"
 | |
| )
 | |
| 
 | |
| func init() {
 | |
| 	llvm.InitializeAllTargets()
 | |
| 	llvm.InitializeAllTargetMCs()
 | |
| 	llvm.InitializeAllTargetInfos()
 | |
| 	llvm.InitializeAllAsmParsers()
 | |
| 	llvm.InitializeAllAsmPrinters()
 | |
| }
 | |
| 
 | |
| // The TinyGo import path.
 | |
| const tinygoPath = "github.com/tinygo-org/tinygo"
 | |
| 
 | |
| // compilerContext contains function-independent data that should still be
 | |
| // available while compiling every function. It is not strictly read-only, but
 | |
| // must not contain function-dependent data such as an IR builder.
 | |
| type compilerContext struct {
 | |
| 	*compileopts.Config
 | |
| 	mod              llvm.Module
 | |
| 	ctx              llvm.Context
 | |
| 	dibuilder        *llvm.DIBuilder
 | |
| 	cu               llvm.Metadata
 | |
| 	difiles          map[string]llvm.Metadata
 | |
| 	ditypes          map[types.Type]llvm.Metadata
 | |
| 	machine          llvm.TargetMachine
 | |
| 	targetData       llvm.TargetData
 | |
| 	intType          llvm.Type
 | |
| 	i8ptrType        llvm.Type // for convenience
 | |
| 	funcPtrAddrSpace int
 | |
| 	uintptrType      llvm.Type
 | |
| 	ir               *ir.Program
 | |
| 	diagnostics      []error
 | |
| }
 | |
| 
 | |
| type Compiler struct {
 | |
| 	compilerContext
 | |
| 	builder                 llvm.Builder
 | |
| 	initFuncs               []llvm.Value
 | |
| 	interfaceInvokeWrappers []interfaceInvokeWrapper
 | |
| 	astComments             map[string]*ast.CommentGroup
 | |
| }
 | |
| 
 | |
| type Frame struct {
 | |
| 	builder
 | |
| }
 | |
| 
 | |
| // builder contains all information relevant to build a single function.
 | |
| type builder struct {
 | |
| 	*compilerContext
 | |
| 	llvm.Builder
 | |
| 	fn                *ir.Function
 | |
| 	locals            map[ssa.Value]llvm.Value            // local variables
 | |
| 	blockEntries      map[*ssa.BasicBlock]llvm.BasicBlock // a *ssa.BasicBlock may be split up
 | |
| 	blockExits        map[*ssa.BasicBlock]llvm.BasicBlock // these are the exit blocks
 | |
| 	currentBlock      *ssa.BasicBlock
 | |
| 	phis              []Phi
 | |
| 	taskHandle        llvm.Value
 | |
| 	deferPtr          llvm.Value
 | |
| 	difunc            llvm.Metadata
 | |
| 	dilocals          map[*types.Var]llvm.Metadata
 | |
| 	allDeferFuncs     []interface{}
 | |
| 	deferFuncs        map[*ir.Function]int
 | |
| 	deferInvokeFuncs  map[string]int
 | |
| 	deferClosureFuncs map[*ir.Function]int
 | |
| 	selectRecvBuf     map[*ssa.Select]llvm.Value
 | |
| }
 | |
| 
 | |
| type Phi struct {
 | |
| 	ssa  *ssa.Phi
 | |
| 	llvm llvm.Value
 | |
| }
 | |
| 
 | |
| func NewCompiler(pkgName string, config *compileopts.Config) (*Compiler, error) {
 | |
| 	c := &Compiler{
 | |
| 		compilerContext: compilerContext{
 | |
| 			Config:  config,
 | |
| 			difiles: make(map[string]llvm.Metadata),
 | |
| 			ditypes: make(map[types.Type]llvm.Metadata),
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	target, err := llvm.GetTargetFromTriple(config.Triple())
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	}
 | |
| 	features := strings.Join(config.Features(), ",")
 | |
| 	c.machine = target.CreateTargetMachine(config.Triple(), config.CPU(), features, llvm.CodeGenLevelDefault, llvm.RelocStatic, llvm.CodeModelDefault)
 | |
| 	c.targetData = c.machine.CreateTargetData()
 | |
| 
 | |
| 	c.ctx = llvm.NewContext()
 | |
| 	c.mod = c.ctx.NewModule(pkgName)
 | |
| 	c.mod.SetTarget(config.Triple())
 | |
| 	c.mod.SetDataLayout(c.targetData.String())
 | |
| 	c.builder = c.ctx.NewBuilder()
 | |
| 	if c.Debug() {
 | |
| 		c.dibuilder = llvm.NewDIBuilder(c.mod)
 | |
| 	}
 | |
| 
 | |
| 	c.uintptrType = c.ctx.IntType(c.targetData.PointerSize() * 8)
 | |
| 	if c.targetData.PointerSize() <= 4 {
 | |
| 		// 8, 16, 32 bits targets
 | |
| 		c.intType = c.ctx.Int32Type()
 | |
| 	} else if c.targetData.PointerSize() == 8 {
 | |
| 		// 64 bits target
 | |
| 		c.intType = c.ctx.Int64Type()
 | |
| 	} else {
 | |
| 		panic("unknown pointer size")
 | |
| 	}
 | |
| 	c.i8ptrType = llvm.PointerType(c.ctx.Int8Type(), 0)
 | |
| 
 | |
| 	dummyFuncType := llvm.FunctionType(c.ctx.VoidType(), nil, false)
 | |
| 	dummyFunc := llvm.AddFunction(c.mod, "tinygo.dummy", dummyFuncType)
 | |
| 	c.funcPtrAddrSpace = dummyFunc.Type().PointerAddressSpace()
 | |
| 	dummyFunc.EraseFromParentAsFunction()
 | |
| 
 | |
| 	return c, nil
 | |
| }
 | |
| 
 | |
| func (c *Compiler) Packages() []*loader.Package {
 | |
| 	return c.ir.LoaderProgram.Sorted()
 | |
| }
 | |
| 
 | |
| // Return the LLVM module. Only valid after a successful compile.
 | |
| func (c *Compiler) Module() llvm.Module {
 | |
| 	return c.mod
 | |
| }
 | |
| 
 | |
| // Compile the given package path or .go file path. Return an error when this
 | |
| // fails (in any stage).
 | |
| func (c *Compiler) Compile(mainPath string) []error {
 | |
| 	// Prefix the GOPATH with the system GOROOT, as GOROOT is already set to
 | |
| 	// the TinyGo root.
 | |
| 	overlayGopath := goenv.Get("GOPATH")
 | |
| 	if overlayGopath == "" {
 | |
| 		overlayGopath = goenv.Get("GOROOT")
 | |
| 	} else {
 | |
| 		overlayGopath = goenv.Get("GOROOT") + string(filepath.ListSeparator) + overlayGopath
 | |
| 	}
 | |
| 
 | |
| 	wd, err := os.Getwd()
 | |
| 	if err != nil {
 | |
| 		return []error{err}
 | |
| 	}
 | |
| 	lprogram := &loader.Program{
 | |
| 		Build: &build.Context{
 | |
| 			GOARCH:      c.GOARCH(),
 | |
| 			GOOS:        c.GOOS(),
 | |
| 			GOROOT:      goenv.Get("GOROOT"),
 | |
| 			GOPATH:      goenv.Get("GOPATH"),
 | |
| 			CgoEnabled:  c.CgoEnabled(),
 | |
| 			UseAllFiles: false,
 | |
| 			Compiler:    "gc", // must be one of the recognized compilers
 | |
| 			BuildTags:   c.BuildTags(),
 | |
| 		},
 | |
| 		OverlayBuild: &build.Context{
 | |
| 			GOARCH:      c.GOARCH(),
 | |
| 			GOOS:        c.GOOS(),
 | |
| 			GOROOT:      goenv.Get("TINYGOROOT"),
 | |
| 			GOPATH:      overlayGopath,
 | |
| 			CgoEnabled:  c.CgoEnabled(),
 | |
| 			UseAllFiles: false,
 | |
| 			Compiler:    "gc", // must be one of the recognized compilers
 | |
| 			BuildTags:   c.BuildTags(),
 | |
| 		},
 | |
| 		OverlayPath: func(path string) string {
 | |
| 			// Return the (overlay) import path when it should be overlaid, and
 | |
| 			// "" if it should not.
 | |
| 			if strings.HasPrefix(path, tinygoPath+"/src/") {
 | |
| 				// Avoid issues with packages that are imported twice, one from
 | |
| 				// GOPATH and one from TINYGOPATH.
 | |
| 				path = path[len(tinygoPath+"/src/"):]
 | |
| 			}
 | |
| 			switch path {
 | |
| 			case "machine", "os", "reflect", "runtime", "runtime/interrupt", "runtime/volatile", "sync", "testing", "internal/reflectlite", "internal/task":
 | |
| 				return path
 | |
| 			default:
 | |
| 				if strings.HasPrefix(path, "device/") || strings.HasPrefix(path, "examples/") {
 | |
| 					return path
 | |
| 				} else if path == "syscall" {
 | |
| 					for _, tag := range c.BuildTags() {
 | |
| 						if tag == "baremetal" || tag == "darwin" {
 | |
| 							return path
 | |
| 						}
 | |
| 					}
 | |
| 				}
 | |
| 			}
 | |
| 			return ""
 | |
| 		},
 | |
| 		TypeChecker: types.Config{
 | |
| 			Sizes: &StdSizes{
 | |
| 				IntSize:  int64(c.targetData.TypeAllocSize(c.intType)),
 | |
| 				PtrSize:  int64(c.targetData.PointerSize()),
 | |
| 				MaxAlign: int64(c.targetData.PrefTypeAlignment(c.i8ptrType)),
 | |
| 			},
 | |
| 		},
 | |
| 		Dir:          wd,
 | |
| 		TINYGOROOT:   goenv.Get("TINYGOROOT"),
 | |
| 		CFlags:       c.CFlags(),
 | |
| 		ClangHeaders: c.ClangHeaders,
 | |
| 	}
 | |
| 
 | |
| 	if strings.HasSuffix(mainPath, ".go") {
 | |
| 		_, err = lprogram.ImportFile(mainPath)
 | |
| 		if err != nil {
 | |
| 			return []error{err}
 | |
| 		}
 | |
| 	} else {
 | |
| 		_, err = lprogram.Import(mainPath, wd, token.Position{
 | |
| 			Filename: "build command-line-arguments",
 | |
| 		})
 | |
| 		if err != nil {
 | |
| 			return []error{err}
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	_, err = lprogram.Import("runtime", "", token.Position{
 | |
| 		Filename: "build default import",
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return []error{err}
 | |
| 	}
 | |
| 
 | |
| 	err = lprogram.Parse(c.TestConfig.CompileTestBinary)
 | |
| 	if err != nil {
 | |
| 		return []error{err}
 | |
| 	}
 | |
| 
 | |
| 	c.ir = ir.NewProgram(lprogram, mainPath)
 | |
| 
 | |
| 	// Run a simple dead code elimination pass.
 | |
| 	c.ir.SimpleDCE()
 | |
| 
 | |
| 	// Initialize debug information.
 | |
| 	if c.Debug() {
 | |
| 		c.cu = c.dibuilder.CreateCompileUnit(llvm.DICompileUnit{
 | |
| 			Language:  0xb, // DW_LANG_C99 (0xc, off-by-one?)
 | |
| 			File:      mainPath,
 | |
| 			Dir:       "",
 | |
| 			Producer:  "TinyGo",
 | |
| 			Optimized: true,
 | |
| 		})
 | |
| 	}
 | |
| 
 | |
| 	var frames []*Frame
 | |
| 
 | |
| 	c.loadASTComments(lprogram)
 | |
| 
 | |
| 	// Declare runtime types.
 | |
| 	// TODO: lazily create runtime types in getLLVMRuntimeType when they are
 | |
| 	// needed. Eventually this will be required anyway, when packages are
 | |
| 	// compiled independently (and the runtime types are not available).
 | |
| 	for _, member := range c.ir.Program.ImportedPackage("runtime").Members {
 | |
| 		if member, ok := member.(*ssa.Type); ok {
 | |
| 			if typ, ok := member.Type().(*types.Named); ok {
 | |
| 				if _, ok := typ.Underlying().(*types.Struct); ok {
 | |
| 					c.getLLVMType(typ)
 | |
| 				}
 | |
| 			}
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	// Declare all functions.
 | |
| 	for _, f := range c.ir.Functions {
 | |
| 		frames = append(frames, c.parseFuncDecl(f))
 | |
| 	}
 | |
| 
 | |
| 	// Add definitions to declarations.
 | |
| 	for _, frame := range frames {
 | |
| 		if frame.fn.Synthetic == "package initializer" {
 | |
| 			c.initFuncs = append(c.initFuncs, frame.fn.LLVMFn)
 | |
| 		}
 | |
| 		if frame.fn.CName() != "" {
 | |
| 			continue
 | |
| 		}
 | |
| 		if frame.fn.Blocks == nil {
 | |
| 			continue // external function
 | |
| 		}
 | |
| 		c.parseFunc(frame)
 | |
| 	}
 | |
| 
 | |
| 	// Define the already declared functions that wrap methods for use in
 | |
| 	// interfaces.
 | |
| 	for _, state := range c.interfaceInvokeWrappers {
 | |
| 		c.createInterfaceInvokeWrapper(state)
 | |
| 	}
 | |
| 
 | |
| 	// After all packages are imported, add a synthetic initializer function
 | |
| 	// that calls the initializer of each package.
 | |
| 	initFn := c.ir.GetFunction(c.ir.Program.ImportedPackage("runtime").Members["initAll"].(*ssa.Function))
 | |
| 	initFn.LLVMFn.SetLinkage(llvm.InternalLinkage)
 | |
| 	initFn.LLVMFn.SetUnnamedAddr(true)
 | |
| 	if c.Debug() {
 | |
| 		difunc := c.attachDebugInfo(initFn)
 | |
| 		pos := c.ir.Program.Fset.Position(initFn.Pos())
 | |
| 		c.builder.SetCurrentDebugLocation(uint(pos.Line), uint(pos.Column), difunc, llvm.Metadata{})
 | |
| 	}
 | |
| 	block := c.ctx.AddBasicBlock(initFn.LLVMFn, "entry")
 | |
| 	c.builder.SetInsertPointAtEnd(block)
 | |
| 	for _, fn := range c.initFuncs {
 | |
| 		c.builder.CreateCall(fn, []llvm.Value{llvm.Undef(c.i8ptrType), llvm.Undef(c.i8ptrType)}, "")
 | |
| 	}
 | |
| 	c.builder.CreateRetVoid()
 | |
| 
 | |
| 	// Conserve for goroutine lowering. Without marking these as external, they
 | |
| 	// would be optimized away.
 | |
| 	realMain := c.mod.NamedFunction(c.ir.MainPkg().Pkg.Path() + ".main")
 | |
| 	realMain.SetLinkage(llvm.ExternalLinkage) // keep alive until goroutine lowering
 | |
| 
 | |
| 	// Replace callMain placeholder with actual main function.
 | |
| 	c.mod.NamedFunction("runtime.callMain").ReplaceAllUsesWith(realMain)
 | |
| 
 | |
| 	// Load some attributes
 | |
| 	getAttr := func(attrName string) llvm.Attribute {
 | |
| 		attrKind := llvm.AttributeKindID(attrName)
 | |
| 		return c.ctx.CreateEnumAttribute(attrKind, 0)
 | |
| 	}
 | |
| 	nocapture := getAttr("nocapture")
 | |
| 	writeonly := getAttr("writeonly")
 | |
| 	readonly := getAttr("readonly")
 | |
| 
 | |
| 	// Tell the optimizer that runtime.alloc is an allocator, meaning that it
 | |
| 	// returns values that are never null and never alias to an existing value.
 | |
| 	for _, attrName := range []string{"noalias", "nonnull"} {
 | |
| 		c.mod.NamedFunction("runtime.alloc").AddAttributeAtIndex(0, getAttr(attrName))
 | |
| 	}
 | |
| 
 | |
| 	// See emitNilCheck in asserts.go.
 | |
| 	c.mod.NamedFunction("runtime.isnil").AddAttributeAtIndex(1, nocapture)
 | |
| 
 | |
| 	// On *nix systems, the "abort" functuion in libc is used to handle fatal panics.
 | |
| 	// Mark it as noreturn so LLVM can optimize away code.
 | |
| 	if abort := c.mod.NamedFunction("abort"); !abort.IsNil() && abort.IsDeclaration() {
 | |
| 		abort.AddFunctionAttr(getAttr("noreturn"))
 | |
| 	}
 | |
| 
 | |
| 	// This function is necessary for tracking pointers on the stack in a
 | |
| 	// portable way (see gc.go). Indicate to the optimizer that the only thing
 | |
| 	// we'll do is read the pointer.
 | |
| 	trackPointer := c.mod.NamedFunction("runtime.trackPointer")
 | |
| 	if !trackPointer.IsNil() {
 | |
| 		trackPointer.AddAttributeAtIndex(1, nocapture)
 | |
| 		trackPointer.AddAttributeAtIndex(1, readonly)
 | |
| 	}
 | |
| 
 | |
| 	// Memory copy operations do not capture pointers, even though some weird
 | |
| 	// pointer arithmetic is happening in the Go implementation.
 | |
| 	for _, fnName := range []string{"runtime.memcpy", "runtime.memmove"} {
 | |
| 		fn := c.mod.NamedFunction(fnName)
 | |
| 		fn.AddAttributeAtIndex(1, nocapture)
 | |
| 		fn.AddAttributeAtIndex(1, writeonly)
 | |
| 		fn.AddAttributeAtIndex(2, nocapture)
 | |
| 		fn.AddAttributeAtIndex(2, readonly)
 | |
| 	}
 | |
| 
 | |
| 	// see: https://reviews.llvm.org/D18355
 | |
| 	if c.Debug() {
 | |
| 		c.mod.AddNamedMetadataOperand("llvm.module.flags",
 | |
| 			c.ctx.MDNode([]llvm.Metadata{
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 1, false).ConstantAsMetadata(), // Error on mismatch
 | |
| 				llvm.GlobalContext().MDString("Debug Info Version"),
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 3, false).ConstantAsMetadata(), // DWARF version
 | |
| 			}),
 | |
| 		)
 | |
| 		c.mod.AddNamedMetadataOperand("llvm.module.flags",
 | |
| 			c.ctx.MDNode([]llvm.Metadata{
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 1, false).ConstantAsMetadata(),
 | |
| 				llvm.GlobalContext().MDString("Dwarf Version"),
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 4, false).ConstantAsMetadata(),
 | |
| 			}),
 | |
| 		)
 | |
| 		c.dibuilder.Finalize()
 | |
| 	}
 | |
| 
 | |
| 	return c.diagnostics
 | |
| }
 | |
| 
 | |
| // getLLVMRuntimeType obtains a named type from the runtime package and returns
 | |
| // it as a LLVM type, creating it if necessary. It is a shorthand for
 | |
| // getLLVMType(getRuntimeType(name)).
 | |
| func (c *compilerContext) getLLVMRuntimeType(name string) llvm.Type {
 | |
| 	fullName := "runtime." + name
 | |
| 	typ := c.mod.GetTypeByName(fullName)
 | |
| 	if typ.IsNil() {
 | |
| 		println(c.mod.String())
 | |
| 		panic("could not find runtime type: " + fullName)
 | |
| 	}
 | |
| 	return typ
 | |
| }
 | |
| 
 | |
| // getLLVMType creates and returns a LLVM type for a Go type. In the case of
 | |
| // named struct types (or Go types implemented as named LLVM structs such as
 | |
| // strings) it also creates it first if necessary.
 | |
| func (c *compilerContext) getLLVMType(goType types.Type) llvm.Type {
 | |
| 	switch typ := goType.(type) {
 | |
| 	case *types.Array:
 | |
| 		elemType := c.getLLVMType(typ.Elem())
 | |
| 		return llvm.ArrayType(elemType, int(typ.Len()))
 | |
| 	case *types.Basic:
 | |
| 		switch typ.Kind() {
 | |
| 		case types.Bool, types.UntypedBool:
 | |
| 			return c.ctx.Int1Type()
 | |
| 		case types.Int8, types.Uint8:
 | |
| 			return c.ctx.Int8Type()
 | |
| 		case types.Int16, types.Uint16:
 | |
| 			return c.ctx.Int16Type()
 | |
| 		case types.Int32, types.Uint32:
 | |
| 			return c.ctx.Int32Type()
 | |
| 		case types.Int, types.Uint:
 | |
| 			return c.intType
 | |
| 		case types.Int64, types.Uint64:
 | |
| 			return c.ctx.Int64Type()
 | |
| 		case types.Float32:
 | |
| 			return c.ctx.FloatType()
 | |
| 		case types.Float64:
 | |
| 			return c.ctx.DoubleType()
 | |
| 		case types.Complex64:
 | |
| 			return c.ctx.StructType([]llvm.Type{c.ctx.FloatType(), c.ctx.FloatType()}, false)
 | |
| 		case types.Complex128:
 | |
| 			return c.ctx.StructType([]llvm.Type{c.ctx.DoubleType(), c.ctx.DoubleType()}, false)
 | |
| 		case types.String, types.UntypedString:
 | |
| 			return c.getLLVMRuntimeType("_string")
 | |
| 		case types.Uintptr:
 | |
| 			return c.uintptrType
 | |
| 		case types.UnsafePointer:
 | |
| 			return c.i8ptrType
 | |
| 		default:
 | |
| 			panic("unknown basic type: " + typ.String())
 | |
| 		}
 | |
| 	case *types.Chan:
 | |
| 		return llvm.PointerType(c.getLLVMRuntimeType("channel"), 0)
 | |
| 	case *types.Interface:
 | |
| 		return c.getLLVMRuntimeType("_interface")
 | |
| 	case *types.Map:
 | |
| 		return llvm.PointerType(c.getLLVMRuntimeType("hashmap"), 0)
 | |
| 	case *types.Named:
 | |
| 		if st, ok := typ.Underlying().(*types.Struct); ok {
 | |
| 			// Structs are a special case. While other named types are ignored
 | |
| 			// in LLVM IR, named structs are implemented as named structs in
 | |
| 			// LLVM. This is because it is otherwise impossible to create
 | |
| 			// self-referencing types such as linked lists.
 | |
| 			llvmName := typ.Obj().Pkg().Path() + "." + typ.Obj().Name()
 | |
| 			llvmType := c.mod.GetTypeByName(llvmName)
 | |
| 			if llvmType.IsNil() {
 | |
| 				llvmType = c.ctx.StructCreateNamed(llvmName)
 | |
| 				underlying := c.getLLVMType(st)
 | |
| 				llvmType.StructSetBody(underlying.StructElementTypes(), false)
 | |
| 			}
 | |
| 			return llvmType
 | |
| 		}
 | |
| 		return c.getLLVMType(typ.Underlying())
 | |
| 	case *types.Pointer:
 | |
| 		ptrTo := c.getLLVMType(typ.Elem())
 | |
| 		return llvm.PointerType(ptrTo, 0)
 | |
| 	case *types.Signature: // function value
 | |
| 		return c.getFuncType(typ)
 | |
| 	case *types.Slice:
 | |
| 		elemType := c.getLLVMType(typ.Elem())
 | |
| 		members := []llvm.Type{
 | |
| 			llvm.PointerType(elemType, 0),
 | |
| 			c.uintptrType, // len
 | |
| 			c.uintptrType, // cap
 | |
| 		}
 | |
| 		return c.ctx.StructType(members, false)
 | |
| 	case *types.Struct:
 | |
| 		members := make([]llvm.Type, typ.NumFields())
 | |
| 		for i := 0; i < typ.NumFields(); i++ {
 | |
| 			members[i] = c.getLLVMType(typ.Field(i).Type())
 | |
| 		}
 | |
| 		return c.ctx.StructType(members, false)
 | |
| 	case *types.Tuple:
 | |
| 		members := make([]llvm.Type, typ.Len())
 | |
| 		for i := 0; i < typ.Len(); i++ {
 | |
| 			members[i] = c.getLLVMType(typ.At(i).Type())
 | |
| 		}
 | |
| 		return c.ctx.StructType(members, false)
 | |
| 	default:
 | |
| 		panic("unknown type: " + goType.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // Is this a pointer type of some sort? Can be unsafe.Pointer or any *T pointer.
 | |
| func isPointer(typ types.Type) bool {
 | |
| 	if _, ok := typ.(*types.Pointer); ok {
 | |
| 		return true
 | |
| 	} else if typ, ok := typ.(*types.Basic); ok && typ.Kind() == types.UnsafePointer {
 | |
| 		return true
 | |
| 	} else {
 | |
| 		return false
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // Get the DWARF type for this Go type.
 | |
| func (c *Compiler) getDIType(typ types.Type) llvm.Metadata {
 | |
| 	if md, ok := c.ditypes[typ]; ok {
 | |
| 		return md
 | |
| 	}
 | |
| 	md := c.createDIType(typ)
 | |
| 	c.ditypes[typ] = md
 | |
| 	return md
 | |
| }
 | |
| 
 | |
| // createDIType creates a new DWARF type. Don't call this function directly,
 | |
| // call getDIType instead.
 | |
| func (c *Compiler) createDIType(typ types.Type) llvm.Metadata {
 | |
| 	llvmType := c.getLLVMType(typ)
 | |
| 	sizeInBytes := c.targetData.TypeAllocSize(llvmType)
 | |
| 	switch typ := typ.(type) {
 | |
| 	case *types.Array:
 | |
| 		return c.dibuilder.CreateArrayType(llvm.DIArrayType{
 | |
| 			SizeInBits:  sizeInBytes * 8,
 | |
| 			AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 			ElementType: c.getDIType(typ.Elem()),
 | |
| 			Subscripts: []llvm.DISubrange{
 | |
| 				llvm.DISubrange{
 | |
| 					Lo:    0,
 | |
| 					Count: typ.Len(),
 | |
| 				},
 | |
| 			},
 | |
| 		})
 | |
| 	case *types.Basic:
 | |
| 		var encoding llvm.DwarfTypeEncoding
 | |
| 		if typ.Info()&types.IsBoolean != 0 {
 | |
| 			encoding = llvm.DW_ATE_boolean
 | |
| 		} else if typ.Info()&types.IsFloat != 0 {
 | |
| 			encoding = llvm.DW_ATE_float
 | |
| 		} else if typ.Info()&types.IsComplex != 0 {
 | |
| 			encoding = llvm.DW_ATE_complex_float
 | |
| 		} else if typ.Info()&types.IsUnsigned != 0 {
 | |
| 			encoding = llvm.DW_ATE_unsigned
 | |
| 		} else if typ.Info()&types.IsInteger != 0 {
 | |
| 			encoding = llvm.DW_ATE_signed
 | |
| 		} else if typ.Kind() == types.UnsafePointer {
 | |
| 			return c.dibuilder.CreatePointerType(llvm.DIPointerType{
 | |
| 				Name:         "unsafe.Pointer",
 | |
| 				SizeInBits:   c.targetData.TypeAllocSize(llvmType) * 8,
 | |
| 				AlignInBits:  uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 				AddressSpace: 0,
 | |
| 			})
 | |
| 		} else if typ.Info()&types.IsString != 0 {
 | |
| 			return c.dibuilder.CreateStructType(llvm.Metadata{}, llvm.DIStructType{
 | |
| 				Name:        "string",
 | |
| 				SizeInBits:  sizeInBytes * 8,
 | |
| 				AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 				Elements: []llvm.Metadata{
 | |
| 					c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 						Name:         "ptr",
 | |
| 						SizeInBits:   c.targetData.TypeAllocSize(c.i8ptrType) * 8,
 | |
| 						AlignInBits:  uint32(c.targetData.ABITypeAlignment(c.i8ptrType)) * 8,
 | |
| 						OffsetInBits: 0,
 | |
| 						Type:         c.getDIType(types.NewPointer(types.Typ[types.Byte])),
 | |
| 					}),
 | |
| 					c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 						Name:         "len",
 | |
| 						SizeInBits:   c.targetData.TypeAllocSize(c.uintptrType) * 8,
 | |
| 						AlignInBits:  uint32(c.targetData.ABITypeAlignment(c.uintptrType)) * 8,
 | |
| 						OffsetInBits: c.targetData.ElementOffset(llvmType, 1) * 8,
 | |
| 						Type:         c.getDIType(types.Typ[types.Uintptr]),
 | |
| 					}),
 | |
| 				},
 | |
| 			})
 | |
| 		} else {
 | |
| 			panic("unknown basic type")
 | |
| 		}
 | |
| 		return c.dibuilder.CreateBasicType(llvm.DIBasicType{
 | |
| 			Name:       typ.String(),
 | |
| 			SizeInBits: sizeInBytes * 8,
 | |
| 			Encoding:   encoding,
 | |
| 		})
 | |
| 	case *types.Chan:
 | |
| 		return c.getDIType(types.NewPointer(c.ir.Program.ImportedPackage("runtime").Members["channel"].(*ssa.Type).Type()))
 | |
| 	case *types.Interface:
 | |
| 		return c.getDIType(c.ir.Program.ImportedPackage("runtime").Members["_interface"].(*ssa.Type).Type())
 | |
| 	case *types.Map:
 | |
| 		return c.getDIType(types.NewPointer(c.ir.Program.ImportedPackage("runtime").Members["hashmap"].(*ssa.Type).Type()))
 | |
| 	case *types.Named:
 | |
| 		return c.dibuilder.CreateTypedef(llvm.DITypedef{
 | |
| 			Type: c.getDIType(typ.Underlying()),
 | |
| 			Name: typ.String(),
 | |
| 		})
 | |
| 	case *types.Pointer:
 | |
| 		return c.dibuilder.CreatePointerType(llvm.DIPointerType{
 | |
| 			Pointee:      c.getDIType(typ.Elem()),
 | |
| 			SizeInBits:   c.targetData.TypeAllocSize(llvmType) * 8,
 | |
| 			AlignInBits:  uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 			AddressSpace: 0,
 | |
| 		})
 | |
| 	case *types.Signature:
 | |
| 		// actually a closure
 | |
| 		fields := llvmType.StructElementTypes()
 | |
| 		return c.dibuilder.CreateStructType(llvm.Metadata{}, llvm.DIStructType{
 | |
| 			SizeInBits:  sizeInBytes * 8,
 | |
| 			AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 			Elements: []llvm.Metadata{
 | |
| 				c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 					Name:         "context",
 | |
| 					SizeInBits:   c.targetData.TypeAllocSize(fields[1]) * 8,
 | |
| 					AlignInBits:  uint32(c.targetData.ABITypeAlignment(fields[1])) * 8,
 | |
| 					OffsetInBits: 0,
 | |
| 					Type:         c.getDIType(types.Typ[types.UnsafePointer]),
 | |
| 				}),
 | |
| 				c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 					Name:         "fn",
 | |
| 					SizeInBits:   c.targetData.TypeAllocSize(fields[0]) * 8,
 | |
| 					AlignInBits:  uint32(c.targetData.ABITypeAlignment(fields[0])) * 8,
 | |
| 					OffsetInBits: c.targetData.ElementOffset(llvmType, 1) * 8,
 | |
| 					Type:         c.getDIType(types.Typ[types.UnsafePointer]),
 | |
| 				}),
 | |
| 			},
 | |
| 		})
 | |
| 	case *types.Slice:
 | |
| 		fields := llvmType.StructElementTypes()
 | |
| 		return c.dibuilder.CreateStructType(llvm.Metadata{}, llvm.DIStructType{
 | |
| 			Name:        typ.String(),
 | |
| 			SizeInBits:  sizeInBytes * 8,
 | |
| 			AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 			Elements: []llvm.Metadata{
 | |
| 				c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 					Name:         "ptr",
 | |
| 					SizeInBits:   c.targetData.TypeAllocSize(fields[0]) * 8,
 | |
| 					AlignInBits:  uint32(c.targetData.ABITypeAlignment(fields[0])) * 8,
 | |
| 					OffsetInBits: 0,
 | |
| 					Type:         c.getDIType(types.NewPointer(typ.Elem())),
 | |
| 				}),
 | |
| 				c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 					Name:         "len",
 | |
| 					SizeInBits:   c.targetData.TypeAllocSize(c.uintptrType) * 8,
 | |
| 					AlignInBits:  uint32(c.targetData.ABITypeAlignment(c.uintptrType)) * 8,
 | |
| 					OffsetInBits: c.targetData.ElementOffset(llvmType, 1) * 8,
 | |
| 					Type:         c.getDIType(types.Typ[types.Uintptr]),
 | |
| 				}),
 | |
| 				c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 					Name:         "cap",
 | |
| 					SizeInBits:   c.targetData.TypeAllocSize(c.uintptrType) * 8,
 | |
| 					AlignInBits:  uint32(c.targetData.ABITypeAlignment(c.uintptrType)) * 8,
 | |
| 					OffsetInBits: c.targetData.ElementOffset(llvmType, 2) * 8,
 | |
| 					Type:         c.getDIType(types.Typ[types.Uintptr]),
 | |
| 				}),
 | |
| 			},
 | |
| 		})
 | |
| 	case *types.Struct:
 | |
| 		// Placeholder metadata node, to be replaced afterwards.
 | |
| 		temporaryMDNode := c.dibuilder.CreateReplaceableCompositeType(llvm.Metadata{}, llvm.DIReplaceableCompositeType{
 | |
| 			Tag:         dwarf.TagStructType,
 | |
| 			SizeInBits:  sizeInBytes * 8,
 | |
| 			AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 		})
 | |
| 		c.ditypes[typ] = temporaryMDNode
 | |
| 		elements := make([]llvm.Metadata, typ.NumFields())
 | |
| 		for i := range elements {
 | |
| 			field := typ.Field(i)
 | |
| 			fieldType := field.Type()
 | |
| 			llvmField := c.getLLVMType(fieldType)
 | |
| 			elements[i] = c.dibuilder.CreateMemberType(llvm.Metadata{}, llvm.DIMemberType{
 | |
| 				Name:         field.Name(),
 | |
| 				SizeInBits:   c.targetData.TypeAllocSize(llvmField) * 8,
 | |
| 				AlignInBits:  uint32(c.targetData.ABITypeAlignment(llvmField)) * 8,
 | |
| 				OffsetInBits: c.targetData.ElementOffset(llvmType, i) * 8,
 | |
| 				Type:         c.getDIType(fieldType),
 | |
| 			})
 | |
| 		}
 | |
| 		md := c.dibuilder.CreateStructType(llvm.Metadata{}, llvm.DIStructType{
 | |
| 			SizeInBits:  sizeInBytes * 8,
 | |
| 			AlignInBits: uint32(c.targetData.ABITypeAlignment(llvmType)) * 8,
 | |
| 			Elements:    elements,
 | |
| 		})
 | |
| 		temporaryMDNode.ReplaceAllUsesWith(md)
 | |
| 		return md
 | |
| 	default:
 | |
| 		panic("unknown type while generating DWARF debug type: " + typ.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // getLocalVariable returns a debug info entry for a local variable, which may
 | |
| // either be a parameter or a regular variable. It will create a new metadata
 | |
| // entry if there isn't one for the variable yet.
 | |
| func (c *Compiler) getLocalVariable(frame *Frame, variable *types.Var) llvm.Metadata {
 | |
| 	if dilocal, ok := frame.dilocals[variable]; ok {
 | |
| 		// DILocalVariable was already created, return it directly.
 | |
| 		return dilocal
 | |
| 	}
 | |
| 
 | |
| 	pos := c.ir.Program.Fset.Position(variable.Pos())
 | |
| 
 | |
| 	// Check whether this is a function parameter.
 | |
| 	for i, param := range frame.fn.Params {
 | |
| 		if param.Object().(*types.Var) == variable {
 | |
| 			// Yes it is, create it as a function parameter.
 | |
| 			dilocal := c.dibuilder.CreateParameterVariable(frame.difunc, llvm.DIParameterVariable{
 | |
| 				Name:           param.Name(),
 | |
| 				File:           c.getDIFile(pos.Filename),
 | |
| 				Line:           pos.Line,
 | |
| 				Type:           c.getDIType(variable.Type()),
 | |
| 				AlwaysPreserve: true,
 | |
| 				ArgNo:          i + 1,
 | |
| 			})
 | |
| 			frame.dilocals[variable] = dilocal
 | |
| 			return dilocal
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	// No, it's not a parameter. Create a regular (auto) variable.
 | |
| 	dilocal := c.dibuilder.CreateAutoVariable(frame.difunc, llvm.DIAutoVariable{
 | |
| 		Name:           variable.Name(),
 | |
| 		File:           c.getDIFile(pos.Filename),
 | |
| 		Line:           pos.Line,
 | |
| 		Type:           c.getDIType(variable.Type()),
 | |
| 		AlwaysPreserve: true,
 | |
| 	})
 | |
| 	frame.dilocals[variable] = dilocal
 | |
| 	return dilocal
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseFuncDecl(f *ir.Function) *Frame {
 | |
| 	frame := &Frame{
 | |
| 		builder: builder{
 | |
| 			compilerContext: &c.compilerContext,
 | |
| 			Builder:         c.builder, // TODO: use a separate builder per function
 | |
| 			fn:              f,
 | |
| 			locals:          make(map[ssa.Value]llvm.Value),
 | |
| 			dilocals:        make(map[*types.Var]llvm.Metadata),
 | |
| 			blockEntries:    make(map[*ssa.BasicBlock]llvm.BasicBlock),
 | |
| 			blockExits:      make(map[*ssa.BasicBlock]llvm.BasicBlock),
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	var retType llvm.Type
 | |
| 	if f.Signature.Results() == nil {
 | |
| 		retType = c.ctx.VoidType()
 | |
| 	} else if f.Signature.Results().Len() == 1 {
 | |
| 		retType = c.getLLVMType(f.Signature.Results().At(0).Type())
 | |
| 	} else {
 | |
| 		results := make([]llvm.Type, 0, f.Signature.Results().Len())
 | |
| 		for i := 0; i < f.Signature.Results().Len(); i++ {
 | |
| 			results = append(results, c.getLLVMType(f.Signature.Results().At(i).Type()))
 | |
| 		}
 | |
| 		retType = c.ctx.StructType(results, false)
 | |
| 	}
 | |
| 
 | |
| 	var paramTypes []llvm.Type
 | |
| 	for _, param := range f.Params {
 | |
| 		paramType := c.getLLVMType(param.Type())
 | |
| 		paramTypeFragments := expandFormalParamType(paramType)
 | |
| 		paramTypes = append(paramTypes, paramTypeFragments...)
 | |
| 	}
 | |
| 
 | |
| 	// Add an extra parameter as the function context. This context is used in
 | |
| 	// closures and bound methods, but should be optimized away when not used.
 | |
| 	if !f.IsExported() {
 | |
| 		paramTypes = append(paramTypes, c.i8ptrType) // context
 | |
| 		paramTypes = append(paramTypes, c.i8ptrType) // parent coroutine
 | |
| 	}
 | |
| 
 | |
| 	fnType := llvm.FunctionType(retType, paramTypes, false)
 | |
| 
 | |
| 	name := f.LinkName()
 | |
| 	frame.fn.LLVMFn = c.mod.NamedFunction(name)
 | |
| 	if frame.fn.LLVMFn.IsNil() {
 | |
| 		frame.fn.LLVMFn = llvm.AddFunction(c.mod, name, fnType)
 | |
| 	}
 | |
| 
 | |
| 	// External/exported functions may not retain pointer values.
 | |
| 	// https://golang.org/cmd/cgo/#hdr-Passing_pointers
 | |
| 	if f.IsExported() {
 | |
| 		// Set the wasm-import-module attribute if the function's module is set.
 | |
| 		if f.Module() != "" {
 | |
| 			wasmImportModuleAttr := c.ctx.CreateStringAttribute("wasm-import-module", f.Module())
 | |
| 			frame.fn.LLVMFn.AddFunctionAttr(wasmImportModuleAttr)
 | |
| 		}
 | |
| 		nocaptureKind := llvm.AttributeKindID("nocapture")
 | |
| 		nocapture := c.ctx.CreateEnumAttribute(nocaptureKind, 0)
 | |
| 		for i, typ := range paramTypes {
 | |
| 			if typ.TypeKind() == llvm.PointerTypeKind {
 | |
| 				frame.fn.LLVMFn.AddAttributeAtIndex(i+1, nocapture)
 | |
| 			}
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	return frame
 | |
| }
 | |
| 
 | |
| func (c *Compiler) attachDebugInfo(f *ir.Function) llvm.Metadata {
 | |
| 	pos := c.ir.Program.Fset.Position(f.Syntax().Pos())
 | |
| 	return c.attachDebugInfoRaw(f, f.LLVMFn, "", pos.Filename, pos.Line)
 | |
| }
 | |
| 
 | |
| func (c *Compiler) attachDebugInfoRaw(f *ir.Function, llvmFn llvm.Value, suffix, filename string, line int) llvm.Metadata {
 | |
| 	// Debug info for this function.
 | |
| 	diparams := make([]llvm.Metadata, 0, len(f.Params))
 | |
| 	for _, param := range f.Params {
 | |
| 		diparams = append(diparams, c.getDIType(param.Type()))
 | |
| 	}
 | |
| 	diFuncType := c.dibuilder.CreateSubroutineType(llvm.DISubroutineType{
 | |
| 		File:       c.getDIFile(filename),
 | |
| 		Parameters: diparams,
 | |
| 		Flags:      0, // ?
 | |
| 	})
 | |
| 	difunc := c.dibuilder.CreateFunction(c.getDIFile(filename), llvm.DIFunction{
 | |
| 		Name:         f.RelString(nil) + suffix,
 | |
| 		LinkageName:  f.LinkName() + suffix,
 | |
| 		File:         c.getDIFile(filename),
 | |
| 		Line:         line,
 | |
| 		Type:         diFuncType,
 | |
| 		LocalToUnit:  true,
 | |
| 		IsDefinition: true,
 | |
| 		ScopeLine:    0,
 | |
| 		Flags:        llvm.FlagPrototyped,
 | |
| 		Optimized:    true,
 | |
| 	})
 | |
| 	llvmFn.SetSubprogram(difunc)
 | |
| 	return difunc
 | |
| }
 | |
| 
 | |
| // getDIFile returns a DIFile metadata node for the given filename. It tries to
 | |
| // use one that was already created, otherwise it falls back to creating a new
 | |
| // one.
 | |
| func (c *Compiler) getDIFile(filename string) llvm.Metadata {
 | |
| 	if _, ok := c.difiles[filename]; !ok {
 | |
| 		dir, file := filepath.Split(filename)
 | |
| 		if dir != "" {
 | |
| 			dir = dir[:len(dir)-1]
 | |
| 		}
 | |
| 		c.difiles[filename] = c.dibuilder.CreateFile(file, dir)
 | |
| 	}
 | |
| 	return c.difiles[filename]
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseFunc(frame *Frame) {
 | |
| 	if c.DumpSSA() {
 | |
| 		fmt.Printf("\nfunc %s:\n", frame.fn.Function)
 | |
| 	}
 | |
| 	if !frame.fn.LLVMFn.IsDeclaration() {
 | |
| 		errValue := frame.fn.LLVMFn.Name() + " redeclared in this program"
 | |
| 		fnPos := getPosition(frame.fn.LLVMFn)
 | |
| 		if fnPos.IsValid() {
 | |
| 			errValue += "\n\tprevious declaration at " + fnPos.String()
 | |
| 		}
 | |
| 		c.addError(frame.fn.Pos(), errValue)
 | |
| 		return
 | |
| 	}
 | |
| 	if !frame.fn.IsExported() {
 | |
| 		frame.fn.LLVMFn.SetLinkage(llvm.InternalLinkage)
 | |
| 		frame.fn.LLVMFn.SetUnnamedAddr(true)
 | |
| 	}
 | |
| 
 | |
| 	// Some functions have a pragma controlling the inlining level.
 | |
| 	switch frame.fn.Inline() {
 | |
| 	case ir.InlineHint:
 | |
| 		// Add LLVM inline hint to functions with //go:inline pragma.
 | |
| 		inline := c.ctx.CreateEnumAttribute(llvm.AttributeKindID("inlinehint"), 0)
 | |
| 		frame.fn.LLVMFn.AddFunctionAttr(inline)
 | |
| 	case ir.InlineNone:
 | |
| 		// Add LLVM attribute to always avoid inlining this function.
 | |
| 		noinline := c.ctx.CreateEnumAttribute(llvm.AttributeKindID("noinline"), 0)
 | |
| 		frame.fn.LLVMFn.AddFunctionAttr(noinline)
 | |
| 	}
 | |
| 
 | |
| 	// Add debug info, if needed.
 | |
| 	if c.Debug() {
 | |
| 		if frame.fn.Synthetic == "package initializer" {
 | |
| 			// Package initializers have no debug info. Create some fake debug
 | |
| 			// info to at least have *something*.
 | |
| 			frame.difunc = c.attachDebugInfoRaw(frame.fn, frame.fn.LLVMFn, "", "", 0)
 | |
| 		} else if frame.fn.Syntax() != nil {
 | |
| 			// Create debug info file if needed.
 | |
| 			frame.difunc = c.attachDebugInfo(frame.fn)
 | |
| 		}
 | |
| 		pos := c.ir.Program.Fset.Position(frame.fn.Pos())
 | |
| 		c.builder.SetCurrentDebugLocation(uint(pos.Line), uint(pos.Column), frame.difunc, llvm.Metadata{})
 | |
| 	}
 | |
| 
 | |
| 	// Pre-create all basic blocks in the function.
 | |
| 	for _, block := range frame.fn.DomPreorder() {
 | |
| 		llvmBlock := c.ctx.AddBasicBlock(frame.fn.LLVMFn, block.Comment)
 | |
| 		frame.blockEntries[block] = llvmBlock
 | |
| 		frame.blockExits[block] = llvmBlock
 | |
| 	}
 | |
| 	entryBlock := frame.blockEntries[frame.fn.Blocks[0]]
 | |
| 	c.builder.SetInsertPointAtEnd(entryBlock)
 | |
| 
 | |
| 	// Load function parameters
 | |
| 	llvmParamIndex := 0
 | |
| 	for _, param := range frame.fn.Params {
 | |
| 		llvmType := c.getLLVMType(param.Type())
 | |
| 		fields := make([]llvm.Value, 0, 1)
 | |
| 		for range expandFormalParamType(llvmType) {
 | |
| 			fields = append(fields, frame.fn.LLVMFn.Param(llvmParamIndex))
 | |
| 			llvmParamIndex++
 | |
| 		}
 | |
| 		frame.locals[param] = c.collapseFormalParam(llvmType, fields)
 | |
| 
 | |
| 		// Add debug information to this parameter (if available)
 | |
| 		if c.Debug() && frame.fn.Syntax() != nil {
 | |
| 			dbgParam := c.getLocalVariable(frame, param.Object().(*types.Var))
 | |
| 			loc := c.builder.GetCurrentDebugLocation()
 | |
| 			if len(fields) == 1 {
 | |
| 				expr := c.dibuilder.CreateExpression(nil)
 | |
| 				c.dibuilder.InsertValueAtEnd(fields[0], dbgParam, expr, loc, entryBlock)
 | |
| 			} else {
 | |
| 				fieldOffsets := c.expandFormalParamOffsets(llvmType)
 | |
| 				for i, field := range fields {
 | |
| 					expr := c.dibuilder.CreateExpression([]int64{
 | |
| 						0x1000,                     // DW_OP_LLVM_fragment
 | |
| 						int64(fieldOffsets[i]) * 8, // offset in bits
 | |
| 						int64(c.targetData.TypeAllocSize(field.Type())) * 8, // size in bits
 | |
| 					})
 | |
| 					c.dibuilder.InsertValueAtEnd(field, dbgParam, expr, loc, entryBlock)
 | |
| 				}
 | |
| 			}
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	// Load free variables from the context. This is a closure (or bound
 | |
| 	// method).
 | |
| 	var context llvm.Value
 | |
| 	if !frame.fn.IsExported() {
 | |
| 		parentHandle := frame.fn.LLVMFn.LastParam()
 | |
| 		parentHandle.SetName("parentHandle")
 | |
| 		context = llvm.PrevParam(parentHandle)
 | |
| 		context.SetName("context")
 | |
| 	}
 | |
| 	if len(frame.fn.FreeVars) != 0 {
 | |
| 		// Get a list of all variable types in the context.
 | |
| 		freeVarTypes := make([]llvm.Type, len(frame.fn.FreeVars))
 | |
| 		for i, freeVar := range frame.fn.FreeVars {
 | |
| 			freeVarTypes[i] = c.getLLVMType(freeVar.Type())
 | |
| 		}
 | |
| 
 | |
| 		// Load each free variable from the context pointer.
 | |
| 		// A free variable is always a pointer when this is a closure, but it
 | |
| 		// can be another type when it is a wrapper for a bound method (these
 | |
| 		// wrappers are generated by the ssa package).
 | |
| 		for i, val := range c.emitPointerUnpack(context, freeVarTypes) {
 | |
| 			frame.locals[frame.fn.FreeVars[i]] = val
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	if frame.fn.Recover != nil {
 | |
| 		// This function has deferred function calls. Set some things up for
 | |
| 		// them.
 | |
| 		c.deferInitFunc(frame)
 | |
| 	}
 | |
| 
 | |
| 	// Fill blocks with instructions.
 | |
| 	for _, block := range frame.fn.DomPreorder() {
 | |
| 		if c.DumpSSA() {
 | |
| 			fmt.Printf("%d: %s:\n", block.Index, block.Comment)
 | |
| 		}
 | |
| 		c.builder.SetInsertPointAtEnd(frame.blockEntries[block])
 | |
| 		frame.currentBlock = block
 | |
| 		for _, instr := range block.Instrs {
 | |
| 			if instr, ok := instr.(*ssa.DebugRef); ok {
 | |
| 				if !c.Debug() {
 | |
| 					continue
 | |
| 				}
 | |
| 				object := instr.Object()
 | |
| 				variable, ok := object.(*types.Var)
 | |
| 				if !ok {
 | |
| 					// Not a local variable.
 | |
| 					continue
 | |
| 				}
 | |
| 				if instr.IsAddr {
 | |
| 					// TODO, this may happen for *ssa.Alloc and *ssa.FieldAddr
 | |
| 					// for example.
 | |
| 					continue
 | |
| 				}
 | |
| 				dbgVar := c.getLocalVariable(frame, variable)
 | |
| 				pos := c.ir.Program.Fset.Position(instr.Pos())
 | |
| 				c.dibuilder.InsertValueAtEnd(c.getValue(frame, instr.X), dbgVar, c.dibuilder.CreateExpression(nil), llvm.DebugLoc{
 | |
| 					Line:  uint(pos.Line),
 | |
| 					Col:   uint(pos.Column),
 | |
| 					Scope: frame.difunc,
 | |
| 				}, c.builder.GetInsertBlock())
 | |
| 				continue
 | |
| 			}
 | |
| 			if c.DumpSSA() {
 | |
| 				if val, ok := instr.(ssa.Value); ok && val.Name() != "" {
 | |
| 					fmt.Printf("\t%s = %s\n", val.Name(), val.String())
 | |
| 				} else {
 | |
| 					fmt.Printf("\t%s\n", instr.String())
 | |
| 				}
 | |
| 			}
 | |
| 			c.parseInstr(frame, instr)
 | |
| 		}
 | |
| 		if frame.fn.Name() == "init" && len(block.Instrs) == 0 {
 | |
| 			c.builder.CreateRetVoid()
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	// Resolve phi nodes
 | |
| 	for _, phi := range frame.phis {
 | |
| 		block := phi.ssa.Block()
 | |
| 		for i, edge := range phi.ssa.Edges {
 | |
| 			llvmVal := c.getValue(frame, edge)
 | |
| 			llvmBlock := frame.blockExits[block.Preds[i]]
 | |
| 			phi.llvm.AddIncoming([]llvm.Value{llvmVal}, []llvm.BasicBlock{llvmBlock})
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseInstr(frame *Frame, instr ssa.Instruction) {
 | |
| 	if c.Debug() {
 | |
| 		pos := c.ir.Program.Fset.Position(instr.Pos())
 | |
| 		c.builder.SetCurrentDebugLocation(uint(pos.Line), uint(pos.Column), frame.difunc, llvm.Metadata{})
 | |
| 	}
 | |
| 
 | |
| 	switch instr := instr.(type) {
 | |
| 	case ssa.Value:
 | |
| 		if value, err := c.parseExpr(frame, instr); err != nil {
 | |
| 			// This expression could not be parsed. Add the error to the list
 | |
| 			// of diagnostics and continue with an undef value.
 | |
| 			// The resulting IR will be incorrect (but valid). However,
 | |
| 			// compilation can proceed which is useful because there may be
 | |
| 			// more compilation errors which can then all be shown together to
 | |
| 			// the user.
 | |
| 			c.diagnostics = append(c.diagnostics, err)
 | |
| 			frame.locals[instr] = llvm.Undef(c.getLLVMType(instr.Type()))
 | |
| 		} else {
 | |
| 			frame.locals[instr] = value
 | |
| 			if len(*instr.Referrers()) != 0 && c.NeedsStackObjects() {
 | |
| 				c.trackExpr(frame, instr, value)
 | |
| 			}
 | |
| 		}
 | |
| 	case *ssa.DebugRef:
 | |
| 		// ignore
 | |
| 	case *ssa.Defer:
 | |
| 		c.emitDefer(frame, instr)
 | |
| 	case *ssa.Go:
 | |
| 		// Get all function parameters to pass to the goroutine.
 | |
| 		var params []llvm.Value
 | |
| 		for _, param := range instr.Call.Args {
 | |
| 			params = append(params, c.getValue(frame, param))
 | |
| 		}
 | |
| 
 | |
| 		// Start a new goroutine.
 | |
| 		if callee := instr.Call.StaticCallee(); callee != nil {
 | |
| 			// Static callee is known. This makes it easier to start a new
 | |
| 			// goroutine.
 | |
| 			calleeFn := c.ir.GetFunction(callee)
 | |
| 			var context llvm.Value
 | |
| 			switch value := instr.Call.Value.(type) {
 | |
| 			case *ssa.Function:
 | |
| 				// Goroutine call is regular function call. No context is necessary.
 | |
| 				context = llvm.Undef(c.i8ptrType)
 | |
| 			case *ssa.MakeClosure:
 | |
| 				// A goroutine call on a func value, but the callee is trivial to find. For
 | |
| 				// example: immediately applied functions.
 | |
| 				funcValue := c.getValue(frame, value)
 | |
| 				context = c.extractFuncContext(funcValue)
 | |
| 			default:
 | |
| 				panic("StaticCallee returned an unexpected value")
 | |
| 			}
 | |
| 			params = append(params, context) // context parameter
 | |
| 			c.emitStartGoroutine(calleeFn.LLVMFn, params)
 | |
| 		} else if !instr.Call.IsInvoke() {
 | |
| 			// This is a function pointer.
 | |
| 			// At the moment, two extra params are passed to the newly started
 | |
| 			// goroutine:
 | |
| 			//   * The function context, for closures.
 | |
| 			//   * The function pointer (for tasks).
 | |
| 			funcPtr, context := c.decodeFuncValue(c.getValue(frame, instr.Call.Value), instr.Call.Value.Type().(*types.Signature))
 | |
| 			params = append(params, context) // context parameter
 | |
| 			switch c.Scheduler() {
 | |
| 			case "none", "coroutines":
 | |
| 				// There are no additional parameters needed for the goroutine start operation.
 | |
| 			case "tasks":
 | |
| 				// Add the function pointer as a parameter to start the goroutine.
 | |
| 				params = append(params, funcPtr)
 | |
| 			default:
 | |
| 				panic("unknown scheduler type")
 | |
| 			}
 | |
| 			c.emitStartGoroutine(funcPtr, params)
 | |
| 		} else {
 | |
| 			c.addError(instr.Pos(), "todo: go on interface call")
 | |
| 		}
 | |
| 	case *ssa.If:
 | |
| 		cond := c.getValue(frame, instr.Cond)
 | |
| 		block := instr.Block()
 | |
| 		blockThen := frame.blockEntries[block.Succs[0]]
 | |
| 		blockElse := frame.blockEntries[block.Succs[1]]
 | |
| 		c.builder.CreateCondBr(cond, blockThen, blockElse)
 | |
| 	case *ssa.Jump:
 | |
| 		blockJump := frame.blockEntries[instr.Block().Succs[0]]
 | |
| 		c.builder.CreateBr(blockJump)
 | |
| 	case *ssa.MapUpdate:
 | |
| 		m := c.getValue(frame, instr.Map)
 | |
| 		key := c.getValue(frame, instr.Key)
 | |
| 		value := c.getValue(frame, instr.Value)
 | |
| 		mapType := instr.Map.Type().Underlying().(*types.Map)
 | |
| 		c.emitMapUpdate(mapType.Key(), m, key, value, instr.Pos())
 | |
| 	case *ssa.Panic:
 | |
| 		value := c.getValue(frame, instr.X)
 | |
| 		c.createRuntimeCall("_panic", []llvm.Value{value}, "")
 | |
| 		c.builder.CreateUnreachable()
 | |
| 	case *ssa.Return:
 | |
| 		if len(instr.Results) == 0 {
 | |
| 			c.builder.CreateRetVoid()
 | |
| 		} else if len(instr.Results) == 1 {
 | |
| 			c.builder.CreateRet(c.getValue(frame, instr.Results[0]))
 | |
| 		} else {
 | |
| 			// Multiple return values. Put them all in a struct.
 | |
| 			retVal := llvm.ConstNull(frame.fn.LLVMFn.Type().ElementType().ReturnType())
 | |
| 			for i, result := range instr.Results {
 | |
| 				val := c.getValue(frame, result)
 | |
| 				retVal = c.builder.CreateInsertValue(retVal, val, i, "")
 | |
| 			}
 | |
| 			c.builder.CreateRet(retVal)
 | |
| 		}
 | |
| 	case *ssa.RunDefers:
 | |
| 		c.emitRunDefers(frame)
 | |
| 	case *ssa.Send:
 | |
| 		c.emitChanSend(frame, instr)
 | |
| 	case *ssa.Store:
 | |
| 		llvmAddr := c.getValue(frame, instr.Addr)
 | |
| 		llvmVal := c.getValue(frame, instr.Val)
 | |
| 		c.emitNilCheck(frame, llvmAddr, "store")
 | |
| 		if c.targetData.TypeAllocSize(llvmVal.Type()) == 0 {
 | |
| 			// nothing to store
 | |
| 			return
 | |
| 		}
 | |
| 		c.builder.CreateStore(llvmVal, llvmAddr)
 | |
| 	default:
 | |
| 		c.addError(instr.Pos(), "unknown instruction: "+instr.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseBuiltin(frame *Frame, args []ssa.Value, callName string, pos token.Pos) (llvm.Value, error) {
 | |
| 	switch callName {
 | |
| 	case "append":
 | |
| 		src := c.getValue(frame, args[0])
 | |
| 		elems := c.getValue(frame, args[1])
 | |
| 		srcBuf := c.builder.CreateExtractValue(src, 0, "append.srcBuf")
 | |
| 		srcPtr := c.builder.CreateBitCast(srcBuf, c.i8ptrType, "append.srcPtr")
 | |
| 		srcLen := c.builder.CreateExtractValue(src, 1, "append.srcLen")
 | |
| 		srcCap := c.builder.CreateExtractValue(src, 2, "append.srcCap")
 | |
| 		elemsBuf := c.builder.CreateExtractValue(elems, 0, "append.elemsBuf")
 | |
| 		elemsPtr := c.builder.CreateBitCast(elemsBuf, c.i8ptrType, "append.srcPtr")
 | |
| 		elemsLen := c.builder.CreateExtractValue(elems, 1, "append.elemsLen")
 | |
| 		elemType := srcBuf.Type().ElementType()
 | |
| 		elemSize := llvm.ConstInt(c.uintptrType, c.targetData.TypeAllocSize(elemType), false)
 | |
| 		result := c.createRuntimeCall("sliceAppend", []llvm.Value{srcPtr, elemsPtr, srcLen, srcCap, elemsLen, elemSize}, "append.new")
 | |
| 		newPtr := c.builder.CreateExtractValue(result, 0, "append.newPtr")
 | |
| 		newBuf := c.builder.CreateBitCast(newPtr, srcBuf.Type(), "append.newBuf")
 | |
| 		newLen := c.builder.CreateExtractValue(result, 1, "append.newLen")
 | |
| 		newCap := c.builder.CreateExtractValue(result, 2, "append.newCap")
 | |
| 		newSlice := llvm.Undef(src.Type())
 | |
| 		newSlice = c.builder.CreateInsertValue(newSlice, newBuf, 0, "")
 | |
| 		newSlice = c.builder.CreateInsertValue(newSlice, newLen, 1, "")
 | |
| 		newSlice = c.builder.CreateInsertValue(newSlice, newCap, 2, "")
 | |
| 		return newSlice, nil
 | |
| 	case "cap":
 | |
| 		value := c.getValue(frame, args[0])
 | |
| 		var llvmCap llvm.Value
 | |
| 		switch args[0].Type().(type) {
 | |
| 		case *types.Chan:
 | |
| 			// Channel. Buffered channels haven't been implemented yet so always
 | |
| 			// return 0.
 | |
| 			llvmCap = llvm.ConstInt(c.intType, 0, false)
 | |
| 		case *types.Slice:
 | |
| 			llvmCap = c.builder.CreateExtractValue(value, 2, "cap")
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "todo: cap: unknown type")
 | |
| 		}
 | |
| 		if c.targetData.TypeAllocSize(llvmCap.Type()) < c.targetData.TypeAllocSize(c.intType) {
 | |
| 			llvmCap = c.builder.CreateZExt(llvmCap, c.intType, "len.int")
 | |
| 		}
 | |
| 		return llvmCap, nil
 | |
| 	case "close":
 | |
| 		c.emitChanClose(frame, args[0])
 | |
| 		return llvm.Value{}, nil
 | |
| 	case "complex":
 | |
| 		r := c.getValue(frame, args[0])
 | |
| 		i := c.getValue(frame, args[1])
 | |
| 		t := args[0].Type().Underlying().(*types.Basic)
 | |
| 		var cplx llvm.Value
 | |
| 		switch t.Kind() {
 | |
| 		case types.Float32:
 | |
| 			cplx = llvm.Undef(c.ctx.StructType([]llvm.Type{c.ctx.FloatType(), c.ctx.FloatType()}, false))
 | |
| 		case types.Float64:
 | |
| 			cplx = llvm.Undef(c.ctx.StructType([]llvm.Type{c.ctx.DoubleType(), c.ctx.DoubleType()}, false))
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "unsupported type in complex builtin: "+t.String())
 | |
| 		}
 | |
| 		cplx = c.builder.CreateInsertValue(cplx, r, 0, "")
 | |
| 		cplx = c.builder.CreateInsertValue(cplx, i, 1, "")
 | |
| 		return cplx, nil
 | |
| 	case "copy":
 | |
| 		dst := c.getValue(frame, args[0])
 | |
| 		src := c.getValue(frame, args[1])
 | |
| 		dstLen := c.builder.CreateExtractValue(dst, 1, "copy.dstLen")
 | |
| 		srcLen := c.builder.CreateExtractValue(src, 1, "copy.srcLen")
 | |
| 		dstBuf := c.builder.CreateExtractValue(dst, 0, "copy.dstArray")
 | |
| 		srcBuf := c.builder.CreateExtractValue(src, 0, "copy.srcArray")
 | |
| 		elemType := dstBuf.Type().ElementType()
 | |
| 		dstBuf = c.builder.CreateBitCast(dstBuf, c.i8ptrType, "copy.dstPtr")
 | |
| 		srcBuf = c.builder.CreateBitCast(srcBuf, c.i8ptrType, "copy.srcPtr")
 | |
| 		elemSize := llvm.ConstInt(c.uintptrType, c.targetData.TypeAllocSize(elemType), false)
 | |
| 		return c.createRuntimeCall("sliceCopy", []llvm.Value{dstBuf, srcBuf, dstLen, srcLen, elemSize}, "copy.n"), nil
 | |
| 	case "delete":
 | |
| 		m := c.getValue(frame, args[0])
 | |
| 		key := c.getValue(frame, args[1])
 | |
| 		return llvm.Value{}, c.emitMapDelete(args[1].Type(), m, key, pos)
 | |
| 	case "imag":
 | |
| 		cplx := c.getValue(frame, args[0])
 | |
| 		return c.builder.CreateExtractValue(cplx, 1, "imag"), nil
 | |
| 	case "len":
 | |
| 		value := c.getValue(frame, args[0])
 | |
| 		var llvmLen llvm.Value
 | |
| 		switch args[0].Type().Underlying().(type) {
 | |
| 		case *types.Basic, *types.Slice:
 | |
| 			// string or slice
 | |
| 			llvmLen = c.builder.CreateExtractValue(value, 1, "len")
 | |
| 		case *types.Chan:
 | |
| 			// Channel. Buffered channels haven't been implemented yet so always
 | |
| 			// return 0.
 | |
| 			llvmLen = llvm.ConstInt(c.intType, 0, false)
 | |
| 		case *types.Map:
 | |
| 			llvmLen = c.createRuntimeCall("hashmapLen", []llvm.Value{value}, "len")
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "todo: len: unknown type")
 | |
| 		}
 | |
| 		if c.targetData.TypeAllocSize(llvmLen.Type()) < c.targetData.TypeAllocSize(c.intType) {
 | |
| 			llvmLen = c.builder.CreateZExt(llvmLen, c.intType, "len.int")
 | |
| 		}
 | |
| 		return llvmLen, nil
 | |
| 	case "print", "println":
 | |
| 		for i, arg := range args {
 | |
| 			if i >= 1 && callName == "println" {
 | |
| 				c.createRuntimeCall("printspace", nil, "")
 | |
| 			}
 | |
| 			value := c.getValue(frame, arg)
 | |
| 			typ := arg.Type().Underlying()
 | |
| 			switch typ := typ.(type) {
 | |
| 			case *types.Basic:
 | |
| 				switch typ.Kind() {
 | |
| 				case types.String, types.UntypedString:
 | |
| 					c.createRuntimeCall("printstring", []llvm.Value{value}, "")
 | |
| 				case types.Uintptr:
 | |
| 					c.createRuntimeCall("printptr", []llvm.Value{value}, "")
 | |
| 				case types.UnsafePointer:
 | |
| 					ptrValue := c.builder.CreatePtrToInt(value, c.uintptrType, "")
 | |
| 					c.createRuntimeCall("printptr", []llvm.Value{ptrValue}, "")
 | |
| 				default:
 | |
| 					// runtime.print{int,uint}{8,16,32,64}
 | |
| 					if typ.Info()&types.IsInteger != 0 {
 | |
| 						name := "print"
 | |
| 						if typ.Info()&types.IsUnsigned != 0 {
 | |
| 							name += "uint"
 | |
| 						} else {
 | |
| 							name += "int"
 | |
| 						}
 | |
| 						name += strconv.FormatUint(c.targetData.TypeAllocSize(value.Type())*8, 10)
 | |
| 						c.createRuntimeCall(name, []llvm.Value{value}, "")
 | |
| 					} else if typ.Kind() == types.Bool {
 | |
| 						c.createRuntimeCall("printbool", []llvm.Value{value}, "")
 | |
| 					} else if typ.Kind() == types.Float32 {
 | |
| 						c.createRuntimeCall("printfloat32", []llvm.Value{value}, "")
 | |
| 					} else if typ.Kind() == types.Float64 {
 | |
| 						c.createRuntimeCall("printfloat64", []llvm.Value{value}, "")
 | |
| 					} else if typ.Kind() == types.Complex64 {
 | |
| 						c.createRuntimeCall("printcomplex64", []llvm.Value{value}, "")
 | |
| 					} else if typ.Kind() == types.Complex128 {
 | |
| 						c.createRuntimeCall("printcomplex128", []llvm.Value{value}, "")
 | |
| 					} else {
 | |
| 						return llvm.Value{}, c.makeError(pos, "unknown basic arg type: "+typ.String())
 | |
| 					}
 | |
| 				}
 | |
| 			case *types.Interface:
 | |
| 				c.createRuntimeCall("printitf", []llvm.Value{value}, "")
 | |
| 			case *types.Map:
 | |
| 				c.createRuntimeCall("printmap", []llvm.Value{value}, "")
 | |
| 			case *types.Pointer:
 | |
| 				ptrValue := c.builder.CreatePtrToInt(value, c.uintptrType, "")
 | |
| 				c.createRuntimeCall("printptr", []llvm.Value{ptrValue}, "")
 | |
| 			default:
 | |
| 				return llvm.Value{}, c.makeError(pos, "unknown arg type: "+typ.String())
 | |
| 			}
 | |
| 		}
 | |
| 		if callName == "println" {
 | |
| 			c.createRuntimeCall("printnl", nil, "")
 | |
| 		}
 | |
| 		return llvm.Value{}, nil // print() or println() returns void
 | |
| 	case "real":
 | |
| 		cplx := c.getValue(frame, args[0])
 | |
| 		return c.builder.CreateExtractValue(cplx, 0, "real"), nil
 | |
| 	case "recover":
 | |
| 		return c.createRuntimeCall("_recover", nil, ""), nil
 | |
| 	case "ssa:wrapnilchk":
 | |
| 		// TODO: do an actual nil check?
 | |
| 		return c.getValue(frame, args[0]), nil
 | |
| 	default:
 | |
| 		return llvm.Value{}, c.makeError(pos, "todo: builtin: "+callName)
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseFunctionCall(frame *Frame, args []ssa.Value, llvmFn, context llvm.Value, exported bool) llvm.Value {
 | |
| 	var params []llvm.Value
 | |
| 	for _, param := range args {
 | |
| 		params = append(params, c.getValue(frame, param))
 | |
| 	}
 | |
| 
 | |
| 	if !exported {
 | |
| 		// This function takes a context parameter.
 | |
| 		// Add it to the end of the parameter list.
 | |
| 		params = append(params, context)
 | |
| 
 | |
| 		// Parent coroutine handle.
 | |
| 		params = append(params, llvm.Undef(c.i8ptrType))
 | |
| 	}
 | |
| 
 | |
| 	return c.createCall(llvmFn, params, "")
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseCall(frame *Frame, instr *ssa.CallCommon) (llvm.Value, error) {
 | |
| 	if instr.IsInvoke() {
 | |
| 		fnCast, args := c.getInvokeCall(frame, instr)
 | |
| 		return c.createCall(fnCast, args, ""), nil
 | |
| 	}
 | |
| 
 | |
| 	// Try to call the function directly for trivially static calls.
 | |
| 	if fn := instr.StaticCallee(); fn != nil {
 | |
| 		name := fn.RelString(nil)
 | |
| 		switch {
 | |
| 		case name == "device/arm.ReadRegister" || name == "device/riscv.ReadRegister":
 | |
| 			return c.emitReadRegister(name, instr.Args)
 | |
| 		case name == "device/arm.Asm" || name == "device/avr.Asm" || name == "device/riscv.Asm":
 | |
| 			return c.emitAsm(instr.Args)
 | |
| 		case name == "device/arm.AsmFull" || name == "device/avr.AsmFull" || name == "device/riscv.AsmFull":
 | |
| 			return c.emitAsmFull(frame, instr)
 | |
| 		case strings.HasPrefix(name, "device/arm.SVCall"):
 | |
| 			return c.emitSVCall(frame, instr.Args)
 | |
| 		case strings.HasPrefix(name, "(device/riscv.CSR)."):
 | |
| 			return c.emitCSROperation(frame, instr)
 | |
| 		case strings.HasPrefix(name, "syscall.Syscall"):
 | |
| 			return c.emitSyscall(frame, instr)
 | |
| 		case strings.HasPrefix(name, "runtime/volatile.Load"):
 | |
| 			return c.emitVolatileLoad(frame, instr)
 | |
| 		case strings.HasPrefix(name, "runtime/volatile.Store"):
 | |
| 			return c.emitVolatileStore(frame, instr)
 | |
| 		case name == "runtime/interrupt.New":
 | |
| 			return c.emitInterruptGlobal(frame, instr)
 | |
| 		}
 | |
| 
 | |
| 		targetFunc := c.ir.GetFunction(fn)
 | |
| 		if targetFunc.LLVMFn.IsNil() {
 | |
| 			return llvm.Value{}, c.makeError(instr.Pos(), "undefined function: "+targetFunc.LinkName())
 | |
| 		}
 | |
| 		var context llvm.Value
 | |
| 		switch value := instr.Value.(type) {
 | |
| 		case *ssa.Function:
 | |
| 			// Regular function call. No context is necessary.
 | |
| 			context = llvm.Undef(c.i8ptrType)
 | |
| 		case *ssa.MakeClosure:
 | |
| 			// A call on a func value, but the callee is trivial to find. For
 | |
| 			// example: immediately applied functions.
 | |
| 			funcValue := c.getValue(frame, value)
 | |
| 			context = c.extractFuncContext(funcValue)
 | |
| 		default:
 | |
| 			panic("StaticCallee returned an unexpected value")
 | |
| 		}
 | |
| 		return c.parseFunctionCall(frame, instr.Args, targetFunc.LLVMFn, context, targetFunc.IsExported()), nil
 | |
| 	}
 | |
| 
 | |
| 	// Builtin or function pointer.
 | |
| 	switch call := instr.Value.(type) {
 | |
| 	case *ssa.Builtin:
 | |
| 		return c.parseBuiltin(frame, instr.Args, call.Name(), instr.Pos())
 | |
| 	default: // function pointer
 | |
| 		value := c.getValue(frame, instr.Value)
 | |
| 		// This is a func value, which cannot be called directly. We have to
 | |
| 		// extract the function pointer and context first from the func value.
 | |
| 		funcPtr, context := c.decodeFuncValue(value, instr.Value.Type().Underlying().(*types.Signature))
 | |
| 		c.emitNilCheck(frame, funcPtr, "fpcall")
 | |
| 		return c.parseFunctionCall(frame, instr.Args, funcPtr, context, false), nil
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // getValue returns the LLVM value of a constant, function value, global, or
 | |
| // already processed SSA expression.
 | |
| func (c *Compiler) getValue(frame *Frame, expr ssa.Value) llvm.Value {
 | |
| 	switch expr := expr.(type) {
 | |
| 	case *ssa.Const:
 | |
| 		return frame.createConst(frame.fn.LinkName(), expr)
 | |
| 	case *ssa.Function:
 | |
| 		fn := c.ir.GetFunction(expr)
 | |
| 		if fn.IsExported() {
 | |
| 			c.addError(expr.Pos(), "cannot use an exported function as value: "+expr.String())
 | |
| 			return llvm.Undef(c.getLLVMType(expr.Type()))
 | |
| 		}
 | |
| 		return c.createFuncValue(fn.LLVMFn, llvm.Undef(c.i8ptrType), fn.Signature)
 | |
| 	case *ssa.Global:
 | |
| 		value := c.getGlobal(expr)
 | |
| 		if value.IsNil() {
 | |
| 			c.addError(expr.Pos(), "global not found: "+expr.RelString(nil))
 | |
| 			return llvm.Undef(c.getLLVMType(expr.Type()))
 | |
| 		}
 | |
| 		return value
 | |
| 	default:
 | |
| 		// other (local) SSA value
 | |
| 		if value, ok := frame.locals[expr]; ok {
 | |
| 			return value
 | |
| 		} else {
 | |
| 			// indicates a compiler bug
 | |
| 			panic("local has not been parsed: " + expr.String())
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // parseExpr translates a Go SSA expression to a LLVM instruction.
 | |
| func (c *Compiler) parseExpr(frame *Frame, expr ssa.Value) (llvm.Value, error) {
 | |
| 	if _, ok := frame.locals[expr]; ok {
 | |
| 		// sanity check
 | |
| 		panic("local has already been parsed: " + expr.String())
 | |
| 	}
 | |
| 
 | |
| 	switch expr := expr.(type) {
 | |
| 	case *ssa.Alloc:
 | |
| 		typ := c.getLLVMType(expr.Type().Underlying().(*types.Pointer).Elem())
 | |
| 		if expr.Heap {
 | |
| 			size := c.targetData.TypeAllocSize(typ)
 | |
| 			// Calculate ^uintptr(0)
 | |
| 			maxSize := llvm.ConstNot(llvm.ConstInt(c.uintptrType, 0, false)).ZExtValue()
 | |
| 			if size > maxSize {
 | |
| 				// Size would be truncated if truncated to uintptr.
 | |
| 				return llvm.Value{}, c.makeError(expr.Pos(), fmt.Sprintf("value is too big (%v bytes)", size))
 | |
| 			}
 | |
| 			sizeValue := llvm.ConstInt(c.uintptrType, size, false)
 | |
| 			buf := c.createRuntimeCall("alloc", []llvm.Value{sizeValue}, expr.Comment)
 | |
| 			buf = c.builder.CreateBitCast(buf, llvm.PointerType(typ, 0), "")
 | |
| 			return buf, nil
 | |
| 		} else {
 | |
| 			buf := llvmutil.CreateEntryBlockAlloca(c.builder, typ, expr.Comment)
 | |
| 			if c.targetData.TypeAllocSize(typ) != 0 {
 | |
| 				c.builder.CreateStore(llvm.ConstNull(typ), buf) // zero-initialize var
 | |
| 			}
 | |
| 			return buf, nil
 | |
| 		}
 | |
| 	case *ssa.BinOp:
 | |
| 		x := c.getValue(frame, expr.X)
 | |
| 		y := c.getValue(frame, expr.Y)
 | |
| 		return c.parseBinOp(expr.Op, expr.X.Type(), x, y, expr.Pos())
 | |
| 	case *ssa.Call:
 | |
| 		// Passing the current task here to the subroutine. It is only used when
 | |
| 		// the subroutine is blocking.
 | |
| 		return c.parseCall(frame, expr.Common())
 | |
| 	case *ssa.ChangeInterface:
 | |
| 		// Do not change between interface types: always use the underlying
 | |
| 		// (concrete) type in the type number of the interface. Every method
 | |
| 		// call on an interface will do a lookup which method to call.
 | |
| 		// This is different from how the official Go compiler works, because of
 | |
| 		// heap allocation and because it's easier to implement, see:
 | |
| 		// https://research.swtch.com/interfaces
 | |
| 		return c.getValue(frame, expr.X), nil
 | |
| 	case *ssa.ChangeType:
 | |
| 		// This instruction changes the type, but the underlying value remains
 | |
| 		// the same. This is often a no-op, but sometimes we have to change the
 | |
| 		// LLVM type as well.
 | |
| 		x := c.getValue(frame, expr.X)
 | |
| 		llvmType := c.getLLVMType(expr.Type())
 | |
| 		if x.Type() == llvmType {
 | |
| 			// Different Go type but same LLVM type (for example, named int).
 | |
| 			// This is the common case.
 | |
| 			return x, nil
 | |
| 		}
 | |
| 		// Figure out what kind of type we need to cast.
 | |
| 		switch llvmType.TypeKind() {
 | |
| 		case llvm.StructTypeKind:
 | |
| 			// Unfortunately, we can't just bitcast structs. We have to
 | |
| 			// actually create a new struct of the correct type and insert the
 | |
| 			// values from the previous struct in there.
 | |
| 			value := llvm.Undef(llvmType)
 | |
| 			for i := 0; i < llvmType.StructElementTypesCount(); i++ {
 | |
| 				field := c.builder.CreateExtractValue(x, i, "changetype.field")
 | |
| 				value = c.builder.CreateInsertValue(value, field, i, "changetype.struct")
 | |
| 			}
 | |
| 			return value, nil
 | |
| 		case llvm.PointerTypeKind:
 | |
| 			// This can happen with pointers to structs. This case is easy:
 | |
| 			// simply bitcast the pointer to the destination type.
 | |
| 			return c.builder.CreateBitCast(x, llvmType, "changetype.pointer"), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, errors.New("todo: unknown ChangeType type: " + expr.X.Type().String())
 | |
| 		}
 | |
| 	case *ssa.Const:
 | |
| 		panic("const is not an expression")
 | |
| 	case *ssa.Convert:
 | |
| 		x := c.getValue(frame, expr.X)
 | |
| 		return c.parseConvert(expr.X.Type(), expr.Type(), x, expr.Pos())
 | |
| 	case *ssa.Extract:
 | |
| 		if _, ok := expr.Tuple.(*ssa.Select); ok {
 | |
| 			return c.getChanSelectResult(frame, expr), nil
 | |
| 		}
 | |
| 		value := c.getValue(frame, expr.Tuple)
 | |
| 		return c.builder.CreateExtractValue(value, expr.Index, ""), nil
 | |
| 	case *ssa.Field:
 | |
| 		value := c.getValue(frame, expr.X)
 | |
| 		result := c.builder.CreateExtractValue(value, expr.Field, "")
 | |
| 		return result, nil
 | |
| 	case *ssa.FieldAddr:
 | |
| 		val := c.getValue(frame, expr.X)
 | |
| 		// Check for nil pointer before calculating the address, from the spec:
 | |
| 		// > For an operand x of type T, the address operation &x generates a
 | |
| 		// > pointer of type *T to x. [...] If the evaluation of x would cause a
 | |
| 		// > run-time panic, then the evaluation of &x does too.
 | |
| 		c.emitNilCheck(frame, val, "gep")
 | |
| 		// Do a GEP on the pointer to get the field address.
 | |
| 		indices := []llvm.Value{
 | |
| 			llvm.ConstInt(c.ctx.Int32Type(), 0, false),
 | |
| 			llvm.ConstInt(c.ctx.Int32Type(), uint64(expr.Field), false),
 | |
| 		}
 | |
| 		return c.builder.CreateInBoundsGEP(val, indices, ""), nil
 | |
| 	case *ssa.Function:
 | |
| 		panic("function is not an expression")
 | |
| 	case *ssa.Global:
 | |
| 		panic("global is not an expression")
 | |
| 	case *ssa.Index:
 | |
| 		array := c.getValue(frame, expr.X)
 | |
| 		index := c.getValue(frame, expr.Index)
 | |
| 
 | |
| 		// Check bounds.
 | |
| 		arrayLen := expr.X.Type().(*types.Array).Len()
 | |
| 		arrayLenLLVM := llvm.ConstInt(c.uintptrType, uint64(arrayLen), false)
 | |
| 		c.emitLookupBoundsCheck(frame, arrayLenLLVM, index, expr.Index.Type())
 | |
| 
 | |
| 		// Can't load directly from array (as index is non-constant), so have to
 | |
| 		// do it using an alloca+gep+load.
 | |
| 		alloca, allocaPtr, allocaSize := c.createTemporaryAlloca(array.Type(), "index.alloca")
 | |
| 		c.builder.CreateStore(array, alloca)
 | |
| 		zero := llvm.ConstInt(c.ctx.Int32Type(), 0, false)
 | |
| 		ptr := c.builder.CreateInBoundsGEP(alloca, []llvm.Value{zero, index}, "index.gep")
 | |
| 		result := c.builder.CreateLoad(ptr, "index.load")
 | |
| 		c.emitLifetimeEnd(allocaPtr, allocaSize)
 | |
| 		return result, nil
 | |
| 	case *ssa.IndexAddr:
 | |
| 		val := c.getValue(frame, expr.X)
 | |
| 		index := c.getValue(frame, expr.Index)
 | |
| 
 | |
| 		// Get buffer pointer and length
 | |
| 		var bufptr, buflen llvm.Value
 | |
| 		switch ptrTyp := expr.X.Type().Underlying().(type) {
 | |
| 		case *types.Pointer:
 | |
| 			typ := expr.X.Type().Underlying().(*types.Pointer).Elem().Underlying()
 | |
| 			switch typ := typ.(type) {
 | |
| 			case *types.Array:
 | |
| 				bufptr = val
 | |
| 				buflen = llvm.ConstInt(c.uintptrType, uint64(typ.Len()), false)
 | |
| 				// Check for nil pointer before calculating the address, from
 | |
| 				// the spec:
 | |
| 				// > For an operand x of type T, the address operation &x
 | |
| 				// > generates a pointer of type *T to x. [...] If the
 | |
| 				// > evaluation of x would cause a run-time panic, then the
 | |
| 				// > evaluation of &x does too.
 | |
| 				c.emitNilCheck(frame, bufptr, "gep")
 | |
| 			default:
 | |
| 				return llvm.Value{}, c.makeError(expr.Pos(), "todo: indexaddr: "+typ.String())
 | |
| 			}
 | |
| 		case *types.Slice:
 | |
| 			bufptr = c.builder.CreateExtractValue(val, 0, "indexaddr.ptr")
 | |
| 			buflen = c.builder.CreateExtractValue(val, 1, "indexaddr.len")
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(expr.Pos(), "todo: indexaddr: "+ptrTyp.String())
 | |
| 		}
 | |
| 
 | |
| 		// Bounds check.
 | |
| 		c.emitLookupBoundsCheck(frame, buflen, index, expr.Index.Type())
 | |
| 
 | |
| 		switch expr.X.Type().Underlying().(type) {
 | |
| 		case *types.Pointer:
 | |
| 			indices := []llvm.Value{
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 0, false),
 | |
| 				index,
 | |
| 			}
 | |
| 			return c.builder.CreateInBoundsGEP(bufptr, indices, ""), nil
 | |
| 		case *types.Slice:
 | |
| 			return c.builder.CreateInBoundsGEP(bufptr, []llvm.Value{index}, ""), nil
 | |
| 		default:
 | |
| 			panic("unreachable")
 | |
| 		}
 | |
| 	case *ssa.Lookup:
 | |
| 		value := c.getValue(frame, expr.X)
 | |
| 		index := c.getValue(frame, expr.Index)
 | |
| 		switch xType := expr.X.Type().Underlying().(type) {
 | |
| 		case *types.Basic:
 | |
| 			// Value type must be a string, which is a basic type.
 | |
| 			if xType.Info()&types.IsString == 0 {
 | |
| 				panic("lookup on non-string?")
 | |
| 			}
 | |
| 
 | |
| 			// Bounds check.
 | |
| 			length := c.builder.CreateExtractValue(value, 1, "len")
 | |
| 			c.emitLookupBoundsCheck(frame, length, index, expr.Index.Type())
 | |
| 
 | |
| 			// Lookup byte
 | |
| 			buf := c.builder.CreateExtractValue(value, 0, "")
 | |
| 			bufPtr := c.builder.CreateInBoundsGEP(buf, []llvm.Value{index}, "")
 | |
| 			return c.builder.CreateLoad(bufPtr, ""), nil
 | |
| 		case *types.Map:
 | |
| 			valueType := expr.Type()
 | |
| 			if expr.CommaOk {
 | |
| 				valueType = valueType.(*types.Tuple).At(0).Type()
 | |
| 			}
 | |
| 			return c.emitMapLookup(xType.Key(), valueType, value, index, expr.CommaOk, expr.Pos())
 | |
| 		default:
 | |
| 			panic("unknown lookup type: " + expr.String())
 | |
| 		}
 | |
| 	case *ssa.MakeChan:
 | |
| 		return c.emitMakeChan(frame, expr), nil
 | |
| 	case *ssa.MakeClosure:
 | |
| 		return c.parseMakeClosure(frame, expr)
 | |
| 	case *ssa.MakeInterface:
 | |
| 		val := c.getValue(frame, expr.X)
 | |
| 		return c.parseMakeInterface(val, expr.X.Type(), expr.Pos()), nil
 | |
| 	case *ssa.MakeMap:
 | |
| 		return c.emitMakeMap(frame, expr)
 | |
| 	case *ssa.MakeSlice:
 | |
| 		sliceLen := c.getValue(frame, expr.Len)
 | |
| 		sliceCap := c.getValue(frame, expr.Cap)
 | |
| 		sliceType := expr.Type().Underlying().(*types.Slice)
 | |
| 		llvmElemType := c.getLLVMType(sliceType.Elem())
 | |
| 		elemSize := c.targetData.TypeAllocSize(llvmElemType)
 | |
| 		elemSizeValue := llvm.ConstInt(c.uintptrType, elemSize, false)
 | |
| 
 | |
| 		// Calculate (^uintptr(0)) >> 1, which is the max value that fits in
 | |
| 		// uintptr if uintptr were signed.
 | |
| 		maxSize := llvm.ConstLShr(llvm.ConstNot(llvm.ConstInt(c.uintptrType, 0, false)), llvm.ConstInt(c.uintptrType, 1, false))
 | |
| 		if elemSize > maxSize.ZExtValue() {
 | |
| 			// This seems to be checked by the typechecker already, but let's
 | |
| 			// check it again just to be sure.
 | |
| 			return llvm.Value{}, c.makeError(expr.Pos(), fmt.Sprintf("slice element type is too big (%v bytes)", elemSize))
 | |
| 		}
 | |
| 
 | |
| 		// Bounds checking.
 | |
| 		lenType := expr.Len.Type().(*types.Basic)
 | |
| 		capType := expr.Cap.Type().(*types.Basic)
 | |
| 		c.emitSliceBoundsCheck(frame, maxSize, sliceLen, sliceCap, sliceCap, lenType, capType, capType)
 | |
| 
 | |
| 		// Allocate the backing array.
 | |
| 		sliceCapCast, err := c.parseConvert(expr.Cap.Type(), types.Typ[types.Uintptr], sliceCap, expr.Pos())
 | |
| 		if err != nil {
 | |
| 			return llvm.Value{}, err
 | |
| 		}
 | |
| 		sliceSize := c.builder.CreateBinOp(llvm.Mul, elemSizeValue, sliceCapCast, "makeslice.cap")
 | |
| 		slicePtr := c.createRuntimeCall("alloc", []llvm.Value{sliceSize}, "makeslice.buf")
 | |
| 		slicePtr = c.builder.CreateBitCast(slicePtr, llvm.PointerType(llvmElemType, 0), "makeslice.array")
 | |
| 
 | |
| 		// Extend or truncate if necessary. This is safe as we've already done
 | |
| 		// the bounds check.
 | |
| 		sliceLen, err = c.parseConvert(expr.Len.Type(), types.Typ[types.Uintptr], sliceLen, expr.Pos())
 | |
| 		if err != nil {
 | |
| 			return llvm.Value{}, err
 | |
| 		}
 | |
| 		sliceCap, err = c.parseConvert(expr.Cap.Type(), types.Typ[types.Uintptr], sliceCap, expr.Pos())
 | |
| 		if err != nil {
 | |
| 			return llvm.Value{}, err
 | |
| 		}
 | |
| 
 | |
| 		// Create the slice.
 | |
| 		slice := c.ctx.ConstStruct([]llvm.Value{
 | |
| 			llvm.Undef(slicePtr.Type()),
 | |
| 			llvm.Undef(c.uintptrType),
 | |
| 			llvm.Undef(c.uintptrType),
 | |
| 		}, false)
 | |
| 		slice = c.builder.CreateInsertValue(slice, slicePtr, 0, "")
 | |
| 		slice = c.builder.CreateInsertValue(slice, sliceLen, 1, "")
 | |
| 		slice = c.builder.CreateInsertValue(slice, sliceCap, 2, "")
 | |
| 		return slice, nil
 | |
| 	case *ssa.Next:
 | |
| 		rangeVal := expr.Iter.(*ssa.Range).X
 | |
| 		llvmRangeVal := c.getValue(frame, rangeVal)
 | |
| 		it := c.getValue(frame, expr.Iter)
 | |
| 		if expr.IsString {
 | |
| 			return c.createRuntimeCall("stringNext", []llvm.Value{llvmRangeVal, it}, "range.next"), nil
 | |
| 		} else { // map
 | |
| 			llvmKeyType := c.getLLVMType(rangeVal.Type().Underlying().(*types.Map).Key())
 | |
| 			llvmValueType := c.getLLVMType(rangeVal.Type().Underlying().(*types.Map).Elem())
 | |
| 
 | |
| 			mapKeyAlloca, mapKeyPtr, mapKeySize := c.createTemporaryAlloca(llvmKeyType, "range.key")
 | |
| 			mapValueAlloca, mapValuePtr, mapValueSize := c.createTemporaryAlloca(llvmValueType, "range.value")
 | |
| 			ok := c.createRuntimeCall("hashmapNext", []llvm.Value{llvmRangeVal, it, mapKeyPtr, mapValuePtr}, "range.next")
 | |
| 
 | |
| 			tuple := llvm.Undef(c.ctx.StructType([]llvm.Type{c.ctx.Int1Type(), llvmKeyType, llvmValueType}, false))
 | |
| 			tuple = c.builder.CreateInsertValue(tuple, ok, 0, "")
 | |
| 			tuple = c.builder.CreateInsertValue(tuple, c.builder.CreateLoad(mapKeyAlloca, ""), 1, "")
 | |
| 			tuple = c.builder.CreateInsertValue(tuple, c.builder.CreateLoad(mapValueAlloca, ""), 2, "")
 | |
| 			c.emitLifetimeEnd(mapKeyPtr, mapKeySize)
 | |
| 			c.emitLifetimeEnd(mapValuePtr, mapValueSize)
 | |
| 			return tuple, nil
 | |
| 		}
 | |
| 	case *ssa.Phi:
 | |
| 		phi := c.builder.CreatePHI(c.getLLVMType(expr.Type()), "")
 | |
| 		frame.phis = append(frame.phis, Phi{expr, phi})
 | |
| 		return phi, nil
 | |
| 	case *ssa.Range:
 | |
| 		var iteratorType llvm.Type
 | |
| 		switch typ := expr.X.Type().Underlying().(type) {
 | |
| 		case *types.Basic: // string
 | |
| 			iteratorType = c.getLLVMRuntimeType("stringIterator")
 | |
| 		case *types.Map:
 | |
| 			iteratorType = c.getLLVMRuntimeType("hashmapIterator")
 | |
| 		default:
 | |
| 			panic("unknown type in range: " + typ.String())
 | |
| 		}
 | |
| 		it, _, _ := c.createTemporaryAlloca(iteratorType, "range.it")
 | |
| 		c.builder.CreateStore(llvm.ConstNull(iteratorType), it)
 | |
| 		return it, nil
 | |
| 	case *ssa.Select:
 | |
| 		return c.emitSelect(frame, expr), nil
 | |
| 	case *ssa.Slice:
 | |
| 		value := c.getValue(frame, expr.X)
 | |
| 
 | |
| 		var lowType, highType, maxType *types.Basic
 | |
| 		var low, high, max llvm.Value
 | |
| 
 | |
| 		if expr.Low != nil {
 | |
| 			lowType = expr.Low.Type().Underlying().(*types.Basic)
 | |
| 			low = c.getValue(frame, expr.Low)
 | |
| 			if low.Type().IntTypeWidth() < c.uintptrType.IntTypeWidth() {
 | |
| 				if lowType.Info()&types.IsUnsigned != 0 {
 | |
| 					low = c.builder.CreateZExt(low, c.uintptrType, "")
 | |
| 				} else {
 | |
| 					low = c.builder.CreateSExt(low, c.uintptrType, "")
 | |
| 				}
 | |
| 			}
 | |
| 		} else {
 | |
| 			lowType = types.Typ[types.Uintptr]
 | |
| 			low = llvm.ConstInt(c.uintptrType, 0, false)
 | |
| 		}
 | |
| 
 | |
| 		if expr.High != nil {
 | |
| 			highType = expr.High.Type().Underlying().(*types.Basic)
 | |
| 			high = c.getValue(frame, expr.High)
 | |
| 			if high.Type().IntTypeWidth() < c.uintptrType.IntTypeWidth() {
 | |
| 				if highType.Info()&types.IsUnsigned != 0 {
 | |
| 					high = c.builder.CreateZExt(high, c.uintptrType, "")
 | |
| 				} else {
 | |
| 					high = c.builder.CreateSExt(high, c.uintptrType, "")
 | |
| 				}
 | |
| 			}
 | |
| 		} else {
 | |
| 			highType = types.Typ[types.Uintptr]
 | |
| 		}
 | |
| 
 | |
| 		if expr.Max != nil {
 | |
| 			maxType = expr.Max.Type().Underlying().(*types.Basic)
 | |
| 			max = c.getValue(frame, expr.Max)
 | |
| 			if max.Type().IntTypeWidth() < c.uintptrType.IntTypeWidth() {
 | |
| 				if maxType.Info()&types.IsUnsigned != 0 {
 | |
| 					max = c.builder.CreateZExt(max, c.uintptrType, "")
 | |
| 				} else {
 | |
| 					max = c.builder.CreateSExt(max, c.uintptrType, "")
 | |
| 				}
 | |
| 			}
 | |
| 		} else {
 | |
| 			maxType = types.Typ[types.Uintptr]
 | |
| 		}
 | |
| 
 | |
| 		switch typ := expr.X.Type().Underlying().(type) {
 | |
| 		case *types.Pointer: // pointer to array
 | |
| 			// slice an array
 | |
| 			length := typ.Elem().Underlying().(*types.Array).Len()
 | |
| 			llvmLen := llvm.ConstInt(c.uintptrType, uint64(length), false)
 | |
| 			if high.IsNil() {
 | |
| 				high = llvmLen
 | |
| 			}
 | |
| 			if max.IsNil() {
 | |
| 				max = llvmLen
 | |
| 			}
 | |
| 			indices := []llvm.Value{
 | |
| 				llvm.ConstInt(c.ctx.Int32Type(), 0, false),
 | |
| 				low,
 | |
| 			}
 | |
| 
 | |
| 			c.emitSliceBoundsCheck(frame, llvmLen, low, high, max, lowType, highType, maxType)
 | |
| 
 | |
| 			// Truncate ints bigger than uintptr. This is after the bounds
 | |
| 			// check so it's safe.
 | |
| 			if c.targetData.TypeAllocSize(low.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				low = c.builder.CreateTrunc(low, c.uintptrType, "")
 | |
| 			}
 | |
| 			if c.targetData.TypeAllocSize(high.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				high = c.builder.CreateTrunc(high, c.uintptrType, "")
 | |
| 			}
 | |
| 			if c.targetData.TypeAllocSize(max.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				max = c.builder.CreateTrunc(max, c.uintptrType, "")
 | |
| 			}
 | |
| 
 | |
| 			sliceLen := c.builder.CreateSub(high, low, "slice.len")
 | |
| 			slicePtr := c.builder.CreateInBoundsGEP(value, indices, "slice.ptr")
 | |
| 			sliceCap := c.builder.CreateSub(max, low, "slice.cap")
 | |
| 
 | |
| 			slice := c.ctx.ConstStruct([]llvm.Value{
 | |
| 				llvm.Undef(slicePtr.Type()),
 | |
| 				llvm.Undef(c.uintptrType),
 | |
| 				llvm.Undef(c.uintptrType),
 | |
| 			}, false)
 | |
| 			slice = c.builder.CreateInsertValue(slice, slicePtr, 0, "")
 | |
| 			slice = c.builder.CreateInsertValue(slice, sliceLen, 1, "")
 | |
| 			slice = c.builder.CreateInsertValue(slice, sliceCap, 2, "")
 | |
| 			return slice, nil
 | |
| 
 | |
| 		case *types.Slice:
 | |
| 			// slice a slice
 | |
| 			oldPtr := c.builder.CreateExtractValue(value, 0, "")
 | |
| 			oldLen := c.builder.CreateExtractValue(value, 1, "")
 | |
| 			oldCap := c.builder.CreateExtractValue(value, 2, "")
 | |
| 			if high.IsNil() {
 | |
| 				high = oldLen
 | |
| 			}
 | |
| 			if max.IsNil() {
 | |
| 				max = oldCap
 | |
| 			}
 | |
| 
 | |
| 			c.emitSliceBoundsCheck(frame, oldCap, low, high, max, lowType, highType, maxType)
 | |
| 
 | |
| 			// Truncate ints bigger than uintptr. This is after the bounds
 | |
| 			// check so it's safe.
 | |
| 			if c.targetData.TypeAllocSize(low.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				low = c.builder.CreateTrunc(low, c.uintptrType, "")
 | |
| 			}
 | |
| 			if c.targetData.TypeAllocSize(high.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				high = c.builder.CreateTrunc(high, c.uintptrType, "")
 | |
| 			}
 | |
| 			if c.targetData.TypeAllocSize(max.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				max = c.builder.CreateTrunc(max, c.uintptrType, "")
 | |
| 			}
 | |
| 
 | |
| 			newPtr := c.builder.CreateInBoundsGEP(oldPtr, []llvm.Value{low}, "")
 | |
| 			newLen := c.builder.CreateSub(high, low, "")
 | |
| 			newCap := c.builder.CreateSub(max, low, "")
 | |
| 			slice := c.ctx.ConstStruct([]llvm.Value{
 | |
| 				llvm.Undef(newPtr.Type()),
 | |
| 				llvm.Undef(c.uintptrType),
 | |
| 				llvm.Undef(c.uintptrType),
 | |
| 			}, false)
 | |
| 			slice = c.builder.CreateInsertValue(slice, newPtr, 0, "")
 | |
| 			slice = c.builder.CreateInsertValue(slice, newLen, 1, "")
 | |
| 			slice = c.builder.CreateInsertValue(slice, newCap, 2, "")
 | |
| 			return slice, nil
 | |
| 
 | |
| 		case *types.Basic:
 | |
| 			if typ.Info()&types.IsString == 0 {
 | |
| 				return llvm.Value{}, c.makeError(expr.Pos(), "unknown slice type: "+typ.String())
 | |
| 			}
 | |
| 			// slice a string
 | |
| 			if expr.Max != nil {
 | |
| 				// This might as well be a panic, as the frontend should have
 | |
| 				// handled this already.
 | |
| 				return llvm.Value{}, c.makeError(expr.Pos(), "slicing a string with a max parameter is not allowed by the spec")
 | |
| 			}
 | |
| 			oldPtr := c.builder.CreateExtractValue(value, 0, "")
 | |
| 			oldLen := c.builder.CreateExtractValue(value, 1, "")
 | |
| 			if high.IsNil() {
 | |
| 				high = oldLen
 | |
| 			}
 | |
| 
 | |
| 			c.emitSliceBoundsCheck(frame, oldLen, low, high, high, lowType, highType, maxType)
 | |
| 
 | |
| 			// Truncate ints bigger than uintptr. This is after the bounds
 | |
| 			// check so it's safe.
 | |
| 			if c.targetData.TypeAllocSize(low.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				low = c.builder.CreateTrunc(low, c.uintptrType, "")
 | |
| 			}
 | |
| 			if c.targetData.TypeAllocSize(high.Type()) > c.targetData.TypeAllocSize(c.uintptrType) {
 | |
| 				high = c.builder.CreateTrunc(high, c.uintptrType, "")
 | |
| 			}
 | |
| 
 | |
| 			newPtr := c.builder.CreateInBoundsGEP(oldPtr, []llvm.Value{low}, "")
 | |
| 			newLen := c.builder.CreateSub(high, low, "")
 | |
| 			str := llvm.Undef(c.getLLVMRuntimeType("_string"))
 | |
| 			str = c.builder.CreateInsertValue(str, newPtr, 0, "")
 | |
| 			str = c.builder.CreateInsertValue(str, newLen, 1, "")
 | |
| 			return str, nil
 | |
| 
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(expr.Pos(), "unknown slice type: "+typ.String())
 | |
| 		}
 | |
| 	case *ssa.TypeAssert:
 | |
| 		return c.parseTypeAssert(frame, expr), nil
 | |
| 	case *ssa.UnOp:
 | |
| 		return c.parseUnOp(frame, expr)
 | |
| 	default:
 | |
| 		return llvm.Value{}, c.makeError(expr.Pos(), "todo: unknown expression: "+expr.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseBinOp(op token.Token, typ types.Type, x, y llvm.Value, pos token.Pos) (llvm.Value, error) {
 | |
| 	switch typ := typ.Underlying().(type) {
 | |
| 	case *types.Basic:
 | |
| 		if typ.Info()&types.IsInteger != 0 {
 | |
| 			// Operations on integers
 | |
| 			signed := typ.Info()&types.IsUnsigned == 0
 | |
| 			switch op {
 | |
| 			case token.ADD: // +
 | |
| 				return c.builder.CreateAdd(x, y, ""), nil
 | |
| 			case token.SUB: // -
 | |
| 				return c.builder.CreateSub(x, y, ""), nil
 | |
| 			case token.MUL: // *
 | |
| 				return c.builder.CreateMul(x, y, ""), nil
 | |
| 			case token.QUO: // /
 | |
| 				if signed {
 | |
| 					return c.builder.CreateSDiv(x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateUDiv(x, y, ""), nil
 | |
| 				}
 | |
| 			case token.REM: // %
 | |
| 				if signed {
 | |
| 					return c.builder.CreateSRem(x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateURem(x, y, ""), nil
 | |
| 				}
 | |
| 			case token.AND: // &
 | |
| 				return c.builder.CreateAnd(x, y, ""), nil
 | |
| 			case token.OR: // |
 | |
| 				return c.builder.CreateOr(x, y, ""), nil
 | |
| 			case token.XOR: // ^
 | |
| 				return c.builder.CreateXor(x, y, ""), nil
 | |
| 			case token.SHL, token.SHR:
 | |
| 				sizeX := c.targetData.TypeAllocSize(x.Type())
 | |
| 				sizeY := c.targetData.TypeAllocSize(y.Type())
 | |
| 				if sizeX > sizeY {
 | |
| 					// x and y must have equal sizes, make Y bigger in this case.
 | |
| 					// y is unsigned, this has been checked by the Go type checker.
 | |
| 					y = c.builder.CreateZExt(y, x.Type(), "")
 | |
| 				} else if sizeX < sizeY {
 | |
| 					// What about shifting more than the integer width?
 | |
| 					// I'm not entirely sure what the Go spec is on that, but as
 | |
| 					// Intel CPUs have undefined behavior when shifting more
 | |
| 					// than the integer width I'm assuming it is also undefined
 | |
| 					// in Go.
 | |
| 					y = c.builder.CreateTrunc(y, x.Type(), "")
 | |
| 				}
 | |
| 				switch op {
 | |
| 				case token.SHL: // <<
 | |
| 					return c.builder.CreateShl(x, y, ""), nil
 | |
| 				case token.SHR: // >>
 | |
| 					if signed {
 | |
| 						return c.builder.CreateAShr(x, y, ""), nil
 | |
| 					} else {
 | |
| 						return c.builder.CreateLShr(x, y, ""), nil
 | |
| 					}
 | |
| 				default:
 | |
| 					panic("unreachable")
 | |
| 				}
 | |
| 			case token.EQL: // ==
 | |
| 				return c.builder.CreateICmp(llvm.IntEQ, x, y, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				return c.builder.CreateICmp(llvm.IntNE, x, y, ""), nil
 | |
| 			case token.AND_NOT: // &^
 | |
| 				// Go specific. Calculate "and not" with x & (~y)
 | |
| 				inv := c.builder.CreateNot(y, "") // ~y
 | |
| 				return c.builder.CreateAnd(x, inv, ""), nil
 | |
| 			case token.LSS: // <
 | |
| 				if signed {
 | |
| 					return c.builder.CreateICmp(llvm.IntSLT, x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateICmp(llvm.IntULT, x, y, ""), nil
 | |
| 				}
 | |
| 			case token.LEQ: // <=
 | |
| 				if signed {
 | |
| 					return c.builder.CreateICmp(llvm.IntSLE, x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateICmp(llvm.IntULE, x, y, ""), nil
 | |
| 				}
 | |
| 			case token.GTR: // >
 | |
| 				if signed {
 | |
| 					return c.builder.CreateICmp(llvm.IntSGT, x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateICmp(llvm.IntUGT, x, y, ""), nil
 | |
| 				}
 | |
| 			case token.GEQ: // >=
 | |
| 				if signed {
 | |
| 					return c.builder.CreateICmp(llvm.IntSGE, x, y, ""), nil
 | |
| 				} else {
 | |
| 					return c.builder.CreateICmp(llvm.IntUGE, x, y, ""), nil
 | |
| 				}
 | |
| 			default:
 | |
| 				panic("binop on integer: " + op.String())
 | |
| 			}
 | |
| 		} else if typ.Info()&types.IsFloat != 0 {
 | |
| 			// Operations on floats
 | |
| 			switch op {
 | |
| 			case token.ADD: // +
 | |
| 				return c.builder.CreateFAdd(x, y, ""), nil
 | |
| 			case token.SUB: // -
 | |
| 				return c.builder.CreateFSub(x, y, ""), nil
 | |
| 			case token.MUL: // *
 | |
| 				return c.builder.CreateFMul(x, y, ""), nil
 | |
| 			case token.QUO: // /
 | |
| 				return c.builder.CreateFDiv(x, y, ""), nil
 | |
| 			case token.EQL: // ==
 | |
| 				return c.builder.CreateFCmp(llvm.FloatUEQ, x, y, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				return c.builder.CreateFCmp(llvm.FloatUNE, x, y, ""), nil
 | |
| 			case token.LSS: // <
 | |
| 				return c.builder.CreateFCmp(llvm.FloatULT, x, y, ""), nil
 | |
| 			case token.LEQ: // <=
 | |
| 				return c.builder.CreateFCmp(llvm.FloatULE, x, y, ""), nil
 | |
| 			case token.GTR: // >
 | |
| 				return c.builder.CreateFCmp(llvm.FloatUGT, x, y, ""), nil
 | |
| 			case token.GEQ: // >=
 | |
| 				return c.builder.CreateFCmp(llvm.FloatUGE, x, y, ""), nil
 | |
| 			default:
 | |
| 				panic("binop on float: " + op.String())
 | |
| 			}
 | |
| 		} else if typ.Info()&types.IsComplex != 0 {
 | |
| 			r1 := c.builder.CreateExtractValue(x, 0, "r1")
 | |
| 			r2 := c.builder.CreateExtractValue(y, 0, "r2")
 | |
| 			i1 := c.builder.CreateExtractValue(x, 1, "i1")
 | |
| 			i2 := c.builder.CreateExtractValue(y, 1, "i2")
 | |
| 			switch op {
 | |
| 			case token.EQL: // ==
 | |
| 				req := c.builder.CreateFCmp(llvm.FloatOEQ, r1, r2, "")
 | |
| 				ieq := c.builder.CreateFCmp(llvm.FloatOEQ, i1, i2, "")
 | |
| 				return c.builder.CreateAnd(req, ieq, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				req := c.builder.CreateFCmp(llvm.FloatOEQ, r1, r2, "")
 | |
| 				ieq := c.builder.CreateFCmp(llvm.FloatOEQ, i1, i2, "")
 | |
| 				neq := c.builder.CreateAnd(req, ieq, "")
 | |
| 				return c.builder.CreateNot(neq, ""), nil
 | |
| 			case token.ADD, token.SUB:
 | |
| 				var r, i llvm.Value
 | |
| 				switch op {
 | |
| 				case token.ADD:
 | |
| 					r = c.builder.CreateFAdd(r1, r2, "")
 | |
| 					i = c.builder.CreateFAdd(i1, i2, "")
 | |
| 				case token.SUB:
 | |
| 					r = c.builder.CreateFSub(r1, r2, "")
 | |
| 					i = c.builder.CreateFSub(i1, i2, "")
 | |
| 				default:
 | |
| 					panic("unreachable")
 | |
| 				}
 | |
| 				cplx := llvm.Undef(c.ctx.StructType([]llvm.Type{r.Type(), i.Type()}, false))
 | |
| 				cplx = c.builder.CreateInsertValue(cplx, r, 0, "")
 | |
| 				cplx = c.builder.CreateInsertValue(cplx, i, 1, "")
 | |
| 				return cplx, nil
 | |
| 			case token.MUL:
 | |
| 				// Complex multiplication follows the current implementation in
 | |
| 				// the Go compiler, with the difference that complex64
 | |
| 				// components are not first scaled up to float64 for increased
 | |
| 				// precision.
 | |
| 				// https://github.com/golang/go/blob/170b8b4b12be50eeccbcdadb8523fb4fc670ca72/src/cmd/compile/internal/gc/ssa.go#L2089-L2127
 | |
| 				// The implementation is as follows:
 | |
| 				//   r := real(a) * real(b) - imag(a) * imag(b)
 | |
| 				//   i := real(a) * imag(b) + imag(a) * real(b)
 | |
| 				// Note: this does NOT follow the C11 specification (annex G):
 | |
| 				// http://www.open-std.org/jtc1/sc22/wg14/www/docs/n1548.pdf#page=549
 | |
| 				// See https://github.com/golang/go/issues/29846 for a related
 | |
| 				// discussion.
 | |
| 				r := c.builder.CreateFSub(c.builder.CreateFMul(r1, r2, ""), c.builder.CreateFMul(i1, i2, ""), "")
 | |
| 				i := c.builder.CreateFAdd(c.builder.CreateFMul(r1, i2, ""), c.builder.CreateFMul(i1, r2, ""), "")
 | |
| 				cplx := llvm.Undef(c.ctx.StructType([]llvm.Type{r.Type(), i.Type()}, false))
 | |
| 				cplx = c.builder.CreateInsertValue(cplx, r, 0, "")
 | |
| 				cplx = c.builder.CreateInsertValue(cplx, i, 1, "")
 | |
| 				return cplx, nil
 | |
| 			case token.QUO:
 | |
| 				// Complex division.
 | |
| 				// Do this in a library call because it's too difficult to do
 | |
| 				// inline.
 | |
| 				switch r1.Type().TypeKind() {
 | |
| 				case llvm.FloatTypeKind:
 | |
| 					return c.createRuntimeCall("complex64div", []llvm.Value{x, y}, ""), nil
 | |
| 				case llvm.DoubleTypeKind:
 | |
| 					return c.createRuntimeCall("complex128div", []llvm.Value{x, y}, ""), nil
 | |
| 				default:
 | |
| 					panic("unexpected complex type")
 | |
| 				}
 | |
| 			default:
 | |
| 				panic("binop on complex: " + op.String())
 | |
| 			}
 | |
| 		} else if typ.Info()&types.IsBoolean != 0 {
 | |
| 			// Operations on booleans
 | |
| 			switch op {
 | |
| 			case token.EQL: // ==
 | |
| 				return c.builder.CreateICmp(llvm.IntEQ, x, y, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				return c.builder.CreateICmp(llvm.IntNE, x, y, ""), nil
 | |
| 			default:
 | |
| 				panic("binop on bool: " + op.String())
 | |
| 			}
 | |
| 		} else if typ.Kind() == types.UnsafePointer {
 | |
| 			// Operations on pointers
 | |
| 			switch op {
 | |
| 			case token.EQL: // ==
 | |
| 				return c.builder.CreateICmp(llvm.IntEQ, x, y, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				return c.builder.CreateICmp(llvm.IntNE, x, y, ""), nil
 | |
| 			default:
 | |
| 				panic("binop on pointer: " + op.String())
 | |
| 			}
 | |
| 		} else if typ.Info()&types.IsString != 0 {
 | |
| 			// Operations on strings
 | |
| 			switch op {
 | |
| 			case token.ADD: // +
 | |
| 				return c.createRuntimeCall("stringConcat", []llvm.Value{x, y}, ""), nil
 | |
| 			case token.EQL: // ==
 | |
| 				return c.createRuntimeCall("stringEqual", []llvm.Value{x, y}, ""), nil
 | |
| 			case token.NEQ: // !=
 | |
| 				result := c.createRuntimeCall("stringEqual", []llvm.Value{x, y}, "")
 | |
| 				return c.builder.CreateNot(result, ""), nil
 | |
| 			case token.LSS: // <
 | |
| 				return c.createRuntimeCall("stringLess", []llvm.Value{x, y}, ""), nil
 | |
| 			case token.LEQ: // <=
 | |
| 				result := c.createRuntimeCall("stringLess", []llvm.Value{y, x}, "")
 | |
| 				return c.builder.CreateNot(result, ""), nil
 | |
| 			case token.GTR: // >
 | |
| 				result := c.createRuntimeCall("stringLess", []llvm.Value{x, y}, "")
 | |
| 				return c.builder.CreateNot(result, ""), nil
 | |
| 			case token.GEQ: // >=
 | |
| 				return c.createRuntimeCall("stringLess", []llvm.Value{y, x}, ""), nil
 | |
| 			default:
 | |
| 				panic("binop on string: " + op.String())
 | |
| 			}
 | |
| 		} else {
 | |
| 			return llvm.Value{}, c.makeError(pos, "todo: unknown basic type in binop: "+typ.String())
 | |
| 		}
 | |
| 	case *types.Signature:
 | |
| 		// Get raw scalars from the function value and compare those.
 | |
| 		// Function values may be implemented in multiple ways, but they all
 | |
| 		// have some way of getting a scalar value identifying the function.
 | |
| 		// This is safe: function pointers are generally not comparable
 | |
| 		// against each other, only against nil. So one of these has to be nil.
 | |
| 		x = c.extractFuncScalar(x)
 | |
| 		y = c.extractFuncScalar(y)
 | |
| 		switch op {
 | |
| 		case token.EQL: // ==
 | |
| 			return c.builder.CreateICmp(llvm.IntEQ, x, y, ""), nil
 | |
| 		case token.NEQ: // !=
 | |
| 			return c.builder.CreateICmp(llvm.IntNE, x, y, ""), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "binop on signature: "+op.String())
 | |
| 		}
 | |
| 	case *types.Interface:
 | |
| 		switch op {
 | |
| 		case token.EQL, token.NEQ: // ==, !=
 | |
| 			result := c.createRuntimeCall("interfaceEqual", []llvm.Value{x, y}, "")
 | |
| 			if op == token.NEQ {
 | |
| 				result = c.builder.CreateNot(result, "")
 | |
| 			}
 | |
| 			return result, nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "binop on interface: "+op.String())
 | |
| 		}
 | |
| 	case *types.Chan, *types.Map, *types.Pointer:
 | |
| 		// Maps are in general not comparable, but can be compared against nil
 | |
| 		// (which is a nil pointer). This means they can be trivially compared
 | |
| 		// by treating them as a pointer.
 | |
| 		// Channels behave as pointers in that they are equal as long as they
 | |
| 		// are created with the same call to make or if both are nil.
 | |
| 		switch op {
 | |
| 		case token.EQL: // ==
 | |
| 			return c.builder.CreateICmp(llvm.IntEQ, x, y, ""), nil
 | |
| 		case token.NEQ: // !=
 | |
| 			return c.builder.CreateICmp(llvm.IntNE, x, y, ""), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "todo: binop on pointer: "+op.String())
 | |
| 		}
 | |
| 	case *types.Slice:
 | |
| 		// Slices are in general not comparable, but can be compared against
 | |
| 		// nil. Assume at least one of them is nil to make the code easier.
 | |
| 		xPtr := c.builder.CreateExtractValue(x, 0, "")
 | |
| 		yPtr := c.builder.CreateExtractValue(y, 0, "")
 | |
| 		switch op {
 | |
| 		case token.EQL: // ==
 | |
| 			return c.builder.CreateICmp(llvm.IntEQ, xPtr, yPtr, ""), nil
 | |
| 		case token.NEQ: // !=
 | |
| 			return c.builder.CreateICmp(llvm.IntNE, xPtr, yPtr, ""), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "todo: binop on slice: "+op.String())
 | |
| 		}
 | |
| 	case *types.Array:
 | |
| 		// Compare each array element and combine the result. From the spec:
 | |
| 		//     Array values are comparable if values of the array element type
 | |
| 		//     are comparable. Two array values are equal if their corresponding
 | |
| 		//     elements are equal.
 | |
| 		result := llvm.ConstInt(c.ctx.Int1Type(), 1, true)
 | |
| 		for i := 0; i < int(typ.Len()); i++ {
 | |
| 			xField := c.builder.CreateExtractValue(x, i, "")
 | |
| 			yField := c.builder.CreateExtractValue(y, i, "")
 | |
| 			fieldEqual, err := c.parseBinOp(token.EQL, typ.Elem(), xField, yField, pos)
 | |
| 			if err != nil {
 | |
| 				return llvm.Value{}, err
 | |
| 			}
 | |
| 			result = c.builder.CreateAnd(result, fieldEqual, "")
 | |
| 		}
 | |
| 		switch op {
 | |
| 		case token.EQL: // ==
 | |
| 			return result, nil
 | |
| 		case token.NEQ: // !=
 | |
| 			return c.builder.CreateNot(result, ""), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "unknown: binop on struct: "+op.String())
 | |
| 		}
 | |
| 	case *types.Struct:
 | |
| 		// Compare each struct field and combine the result. From the spec:
 | |
| 		//     Struct values are comparable if all their fields are comparable.
 | |
| 		//     Two struct values are equal if their corresponding non-blank
 | |
| 		//     fields are equal.
 | |
| 		result := llvm.ConstInt(c.ctx.Int1Type(), 1, true)
 | |
| 		for i := 0; i < typ.NumFields(); i++ {
 | |
| 			if typ.Field(i).Name() == "_" {
 | |
| 				// skip blank fields
 | |
| 				continue
 | |
| 			}
 | |
| 			fieldType := typ.Field(i).Type()
 | |
| 			xField := c.builder.CreateExtractValue(x, i, "")
 | |
| 			yField := c.builder.CreateExtractValue(y, i, "")
 | |
| 			fieldEqual, err := c.parseBinOp(token.EQL, fieldType, xField, yField, pos)
 | |
| 			if err != nil {
 | |
| 				return llvm.Value{}, err
 | |
| 			}
 | |
| 			result = c.builder.CreateAnd(result, fieldEqual, "")
 | |
| 		}
 | |
| 		switch op {
 | |
| 		case token.EQL: // ==
 | |
| 			return result, nil
 | |
| 		case token.NEQ: // !=
 | |
| 			return c.builder.CreateNot(result, ""), nil
 | |
| 		default:
 | |
| 			return llvm.Value{}, c.makeError(pos, "unknown: binop on struct: "+op.String())
 | |
| 		}
 | |
| 	default:
 | |
| 		return llvm.Value{}, c.makeError(pos, "todo: binop type: "+typ.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // createConst creates a LLVM constant value from a Go constant.
 | |
| func (b *builder) createConst(prefix string, expr *ssa.Const) llvm.Value {
 | |
| 	switch typ := expr.Type().Underlying().(type) {
 | |
| 	case *types.Basic:
 | |
| 		llvmType := b.getLLVMType(typ)
 | |
| 		if typ.Info()&types.IsBoolean != 0 {
 | |
| 			b := constant.BoolVal(expr.Value)
 | |
| 			n := uint64(0)
 | |
| 			if b {
 | |
| 				n = 1
 | |
| 			}
 | |
| 			return llvm.ConstInt(llvmType, n, false)
 | |
| 		} else if typ.Info()&types.IsString != 0 {
 | |
| 			str := constant.StringVal(expr.Value)
 | |
| 			strLen := llvm.ConstInt(b.uintptrType, uint64(len(str)), false)
 | |
| 			objname := prefix + "$string"
 | |
| 			global := llvm.AddGlobal(b.mod, llvm.ArrayType(b.ctx.Int8Type(), len(str)), objname)
 | |
| 			global.SetInitializer(b.ctx.ConstString(str, false))
 | |
| 			global.SetLinkage(llvm.InternalLinkage)
 | |
| 			global.SetGlobalConstant(true)
 | |
| 			global.SetUnnamedAddr(true)
 | |
| 			zero := llvm.ConstInt(b.ctx.Int32Type(), 0, false)
 | |
| 			strPtr := b.CreateInBoundsGEP(global, []llvm.Value{zero, zero}, "")
 | |
| 			strObj := llvm.ConstNamedStruct(b.getLLVMRuntimeType("_string"), []llvm.Value{strPtr, strLen})
 | |
| 			return strObj
 | |
| 		} else if typ.Kind() == types.UnsafePointer {
 | |
| 			if !expr.IsNil() {
 | |
| 				value, _ := constant.Uint64Val(expr.Value)
 | |
| 				return llvm.ConstIntToPtr(llvm.ConstInt(b.uintptrType, value, false), b.i8ptrType)
 | |
| 			}
 | |
| 			return llvm.ConstNull(b.i8ptrType)
 | |
| 		} else if typ.Info()&types.IsUnsigned != 0 {
 | |
| 			n, _ := constant.Uint64Val(expr.Value)
 | |
| 			return llvm.ConstInt(llvmType, n, false)
 | |
| 		} else if typ.Info()&types.IsInteger != 0 { // signed
 | |
| 			n, _ := constant.Int64Val(expr.Value)
 | |
| 			return llvm.ConstInt(llvmType, uint64(n), true)
 | |
| 		} else if typ.Info()&types.IsFloat != 0 {
 | |
| 			n, _ := constant.Float64Val(expr.Value)
 | |
| 			return llvm.ConstFloat(llvmType, n)
 | |
| 		} else if typ.Kind() == types.Complex64 {
 | |
| 			r := b.createConst(prefix, ssa.NewConst(constant.Real(expr.Value), types.Typ[types.Float32]))
 | |
| 			i := b.createConst(prefix, ssa.NewConst(constant.Imag(expr.Value), types.Typ[types.Float32]))
 | |
| 			cplx := llvm.Undef(b.ctx.StructType([]llvm.Type{b.ctx.FloatType(), b.ctx.FloatType()}, false))
 | |
| 			cplx = b.CreateInsertValue(cplx, r, 0, "")
 | |
| 			cplx = b.CreateInsertValue(cplx, i, 1, "")
 | |
| 			return cplx
 | |
| 		} else if typ.Kind() == types.Complex128 {
 | |
| 			r := b.createConst(prefix, ssa.NewConst(constant.Real(expr.Value), types.Typ[types.Float64]))
 | |
| 			i := b.createConst(prefix, ssa.NewConst(constant.Imag(expr.Value), types.Typ[types.Float64]))
 | |
| 			cplx := llvm.Undef(b.ctx.StructType([]llvm.Type{b.ctx.DoubleType(), b.ctx.DoubleType()}, false))
 | |
| 			cplx = b.CreateInsertValue(cplx, r, 0, "")
 | |
| 			cplx = b.CreateInsertValue(cplx, i, 1, "")
 | |
| 			return cplx
 | |
| 		} else {
 | |
| 			panic("unknown constant of basic type: " + expr.String())
 | |
| 		}
 | |
| 	case *types.Chan:
 | |
| 		if expr.Value != nil {
 | |
| 			panic("expected nil chan constant")
 | |
| 		}
 | |
| 		return llvm.ConstNull(b.getLLVMType(expr.Type()))
 | |
| 	case *types.Signature:
 | |
| 		if expr.Value != nil {
 | |
| 			panic("expected nil signature constant")
 | |
| 		}
 | |
| 		return llvm.ConstNull(b.getLLVMType(expr.Type()))
 | |
| 	case *types.Interface:
 | |
| 		if expr.Value != nil {
 | |
| 			panic("expected nil interface constant")
 | |
| 		}
 | |
| 		// Create a generic nil interface with no dynamic type (typecode=0).
 | |
| 		fields := []llvm.Value{
 | |
| 			llvm.ConstInt(b.uintptrType, 0, false),
 | |
| 			llvm.ConstPointerNull(b.i8ptrType),
 | |
| 		}
 | |
| 		return llvm.ConstNamedStruct(b.getLLVMRuntimeType("_interface"), fields)
 | |
| 	case *types.Pointer:
 | |
| 		if expr.Value != nil {
 | |
| 			panic("expected nil pointer constant")
 | |
| 		}
 | |
| 		return llvm.ConstPointerNull(b.getLLVMType(typ))
 | |
| 	case *types.Slice:
 | |
| 		if expr.Value != nil {
 | |
| 			panic("expected nil slice constant")
 | |
| 		}
 | |
| 		elemType := b.getLLVMType(typ.Elem())
 | |
| 		llvmPtr := llvm.ConstPointerNull(llvm.PointerType(elemType, 0))
 | |
| 		llvmLen := llvm.ConstInt(b.uintptrType, 0, false)
 | |
| 		slice := b.ctx.ConstStruct([]llvm.Value{
 | |
| 			llvmPtr, // backing array
 | |
| 			llvmLen, // len
 | |
| 			llvmLen, // cap
 | |
| 		}, false)
 | |
| 		return slice
 | |
| 	case *types.Map:
 | |
| 		if !expr.IsNil() {
 | |
| 			// I believe this is not allowed by the Go spec.
 | |
| 			panic("non-nil map constant")
 | |
| 		}
 | |
| 		llvmType := b.getLLVMType(typ)
 | |
| 		return llvm.ConstNull(llvmType)
 | |
| 	default:
 | |
| 		panic("unknown constant: " + expr.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseConvert(typeFrom, typeTo types.Type, value llvm.Value, pos token.Pos) (llvm.Value, error) {
 | |
| 	llvmTypeFrom := value.Type()
 | |
| 	llvmTypeTo := c.getLLVMType(typeTo)
 | |
| 
 | |
| 	// Conversion between unsafe.Pointer and uintptr.
 | |
| 	isPtrFrom := isPointer(typeFrom.Underlying())
 | |
| 	isPtrTo := isPointer(typeTo.Underlying())
 | |
| 	if isPtrFrom && !isPtrTo {
 | |
| 		return c.builder.CreatePtrToInt(value, llvmTypeTo, ""), nil
 | |
| 	} else if !isPtrFrom && isPtrTo {
 | |
| 		if !value.IsABinaryOperator().IsNil() && value.InstructionOpcode() == llvm.Add {
 | |
| 			// This is probably a pattern like the following:
 | |
| 			// unsafe.Pointer(uintptr(ptr) + index)
 | |
| 			// Used in functions like memmove etc. for lack of pointer
 | |
| 			// arithmetic. Convert it to real pointer arithmatic here.
 | |
| 			ptr := value.Operand(0)
 | |
| 			index := value.Operand(1)
 | |
| 			if !index.IsAPtrToIntInst().IsNil() {
 | |
| 				// Swap if necessary, if ptr and index are reversed.
 | |
| 				ptr, index = index, ptr
 | |
| 			}
 | |
| 			if !ptr.IsAPtrToIntInst().IsNil() {
 | |
| 				origptr := ptr.Operand(0)
 | |
| 				if origptr.Type() == c.i8ptrType {
 | |
| 					// This pointer can be calculated from the original
 | |
| 					// ptrtoint instruction with a GEP. The leftover inttoptr
 | |
| 					// instruction is trivial to optimize away.
 | |
| 					// Making it an in bounds GEP even though it's easy to
 | |
| 					// create a GEP that is not in bounds. However, we're
 | |
| 					// talking about unsafe code here so the programmer has to
 | |
| 					// be careful anyway.
 | |
| 					return c.builder.CreateInBoundsGEP(origptr, []llvm.Value{index}, ""), nil
 | |
| 				}
 | |
| 			}
 | |
| 		}
 | |
| 		return c.builder.CreateIntToPtr(value, llvmTypeTo, ""), nil
 | |
| 	}
 | |
| 
 | |
| 	// Conversion between pointers and unsafe.Pointer.
 | |
| 	if isPtrFrom && isPtrTo {
 | |
| 		return c.builder.CreateBitCast(value, llvmTypeTo, ""), nil
 | |
| 	}
 | |
| 
 | |
| 	switch typeTo := typeTo.Underlying().(type) {
 | |
| 	case *types.Basic:
 | |
| 		sizeFrom := c.targetData.TypeAllocSize(llvmTypeFrom)
 | |
| 
 | |
| 		if typeTo.Info()&types.IsString != 0 {
 | |
| 			switch typeFrom := typeFrom.Underlying().(type) {
 | |
| 			case *types.Basic:
 | |
| 				// Assume a Unicode code point, as that is the only possible
 | |
| 				// value here.
 | |
| 				// Cast to an i32 value as expected by
 | |
| 				// runtime.stringFromUnicode.
 | |
| 				if sizeFrom > 4 {
 | |
| 					value = c.builder.CreateTrunc(value, c.ctx.Int32Type(), "")
 | |
| 				} else if sizeFrom < 4 && typeTo.Info()&types.IsUnsigned != 0 {
 | |
| 					value = c.builder.CreateZExt(value, c.ctx.Int32Type(), "")
 | |
| 				} else if sizeFrom < 4 {
 | |
| 					value = c.builder.CreateSExt(value, c.ctx.Int32Type(), "")
 | |
| 				}
 | |
| 				return c.createRuntimeCall("stringFromUnicode", []llvm.Value{value}, ""), nil
 | |
| 			case *types.Slice:
 | |
| 				switch typeFrom.Elem().(*types.Basic).Kind() {
 | |
| 				case types.Byte:
 | |
| 					return c.createRuntimeCall("stringFromBytes", []llvm.Value{value}, ""), nil
 | |
| 				case types.Rune:
 | |
| 					return c.createRuntimeCall("stringFromRunes", []llvm.Value{value}, ""), nil
 | |
| 				default:
 | |
| 					return llvm.Value{}, c.makeError(pos, "todo: convert to string: "+typeFrom.String())
 | |
| 				}
 | |
| 			default:
 | |
| 				return llvm.Value{}, c.makeError(pos, "todo: convert to string: "+typeFrom.String())
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		typeFrom := typeFrom.Underlying().(*types.Basic)
 | |
| 		sizeTo := c.targetData.TypeAllocSize(llvmTypeTo)
 | |
| 
 | |
| 		if typeFrom.Info()&types.IsInteger != 0 && typeTo.Info()&types.IsInteger != 0 {
 | |
| 			// Conversion between two integers.
 | |
| 			if sizeFrom > sizeTo {
 | |
| 				return c.builder.CreateTrunc(value, llvmTypeTo, ""), nil
 | |
| 			} else if typeFrom.Info()&types.IsUnsigned != 0 { // if unsigned
 | |
| 				return c.builder.CreateZExt(value, llvmTypeTo, ""), nil
 | |
| 			} else { // if signed
 | |
| 				return c.builder.CreateSExt(value, llvmTypeTo, ""), nil
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		if typeFrom.Info()&types.IsFloat != 0 && typeTo.Info()&types.IsFloat != 0 {
 | |
| 			// Conversion between two floats.
 | |
| 			if sizeFrom > sizeTo {
 | |
| 				return c.builder.CreateFPTrunc(value, llvmTypeTo, ""), nil
 | |
| 			} else if sizeFrom < sizeTo {
 | |
| 				return c.builder.CreateFPExt(value, llvmTypeTo, ""), nil
 | |
| 			} else {
 | |
| 				return value, nil
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		if typeFrom.Info()&types.IsFloat != 0 && typeTo.Info()&types.IsInteger != 0 {
 | |
| 			// Conversion from float to int.
 | |
| 			if typeTo.Info()&types.IsUnsigned != 0 { // if unsigned
 | |
| 				return c.builder.CreateFPToUI(value, llvmTypeTo, ""), nil
 | |
| 			} else { // if signed
 | |
| 				return c.builder.CreateFPToSI(value, llvmTypeTo, ""), nil
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		if typeFrom.Info()&types.IsInteger != 0 && typeTo.Info()&types.IsFloat != 0 {
 | |
| 			// Conversion from int to float.
 | |
| 			if typeFrom.Info()&types.IsUnsigned != 0 { // if unsigned
 | |
| 				return c.builder.CreateUIToFP(value, llvmTypeTo, ""), nil
 | |
| 			} else { // if signed
 | |
| 				return c.builder.CreateSIToFP(value, llvmTypeTo, ""), nil
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		if typeFrom.Kind() == types.Complex128 && typeTo.Kind() == types.Complex64 {
 | |
| 			// Conversion from complex128 to complex64.
 | |
| 			r := c.builder.CreateExtractValue(value, 0, "real.f64")
 | |
| 			i := c.builder.CreateExtractValue(value, 1, "imag.f64")
 | |
| 			r = c.builder.CreateFPTrunc(r, c.ctx.FloatType(), "real.f32")
 | |
| 			i = c.builder.CreateFPTrunc(i, c.ctx.FloatType(), "imag.f32")
 | |
| 			cplx := llvm.Undef(c.ctx.StructType([]llvm.Type{c.ctx.FloatType(), c.ctx.FloatType()}, false))
 | |
| 			cplx = c.builder.CreateInsertValue(cplx, r, 0, "")
 | |
| 			cplx = c.builder.CreateInsertValue(cplx, i, 1, "")
 | |
| 			return cplx, nil
 | |
| 		}
 | |
| 
 | |
| 		if typeFrom.Kind() == types.Complex64 && typeTo.Kind() == types.Complex128 {
 | |
| 			// Conversion from complex64 to complex128.
 | |
| 			r := c.builder.CreateExtractValue(value, 0, "real.f32")
 | |
| 			i := c.builder.CreateExtractValue(value, 1, "imag.f32")
 | |
| 			r = c.builder.CreateFPExt(r, c.ctx.DoubleType(), "real.f64")
 | |
| 			i = c.builder.CreateFPExt(i, c.ctx.DoubleType(), "imag.f64")
 | |
| 			cplx := llvm.Undef(c.ctx.StructType([]llvm.Type{c.ctx.DoubleType(), c.ctx.DoubleType()}, false))
 | |
| 			cplx = c.builder.CreateInsertValue(cplx, r, 0, "")
 | |
| 			cplx = c.builder.CreateInsertValue(cplx, i, 1, "")
 | |
| 			return cplx, nil
 | |
| 		}
 | |
| 
 | |
| 		return llvm.Value{}, c.makeError(pos, "todo: convert: basic non-integer type: "+typeFrom.String()+" -> "+typeTo.String())
 | |
| 
 | |
| 	case *types.Slice:
 | |
| 		if basic, ok := typeFrom.(*types.Basic); !ok || basic.Info()&types.IsString == 0 {
 | |
| 			panic("can only convert from a string to a slice")
 | |
| 		}
 | |
| 
 | |
| 		elemType := typeTo.Elem().Underlying().(*types.Basic) // must be byte or rune
 | |
| 		switch elemType.Kind() {
 | |
| 		case types.Byte:
 | |
| 			return c.createRuntimeCall("stringToBytes", []llvm.Value{value}, ""), nil
 | |
| 		case types.Rune:
 | |
| 			return c.createRuntimeCall("stringToRunes", []llvm.Value{value}, ""), nil
 | |
| 		default:
 | |
| 			panic("unexpected type in string to slice conversion")
 | |
| 		}
 | |
| 
 | |
| 	default:
 | |
| 		return llvm.Value{}, c.makeError(pos, "todo: convert "+typeTo.String()+" <- "+typeFrom.String())
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func (c *Compiler) parseUnOp(frame *Frame, unop *ssa.UnOp) (llvm.Value, error) {
 | |
| 	x := c.getValue(frame, unop.X)
 | |
| 	switch unop.Op {
 | |
| 	case token.NOT: // !x
 | |
| 		return c.builder.CreateNot(x, ""), nil
 | |
| 	case token.SUB: // -x
 | |
| 		if typ, ok := unop.X.Type().Underlying().(*types.Basic); ok {
 | |
| 			if typ.Info()&types.IsInteger != 0 {
 | |
| 				return c.builder.CreateSub(llvm.ConstInt(x.Type(), 0, false), x, ""), nil
 | |
| 			} else if typ.Info()&types.IsFloat != 0 {
 | |
| 				return c.builder.CreateFSub(llvm.ConstFloat(x.Type(), 0.0), x, ""), nil
 | |
| 			} else {
 | |
| 				return llvm.Value{}, c.makeError(unop.Pos(), "todo: unknown basic type for negate: "+typ.String())
 | |
| 			}
 | |
| 		} else {
 | |
| 			return llvm.Value{}, c.makeError(unop.Pos(), "todo: unknown type for negate: "+unop.X.Type().Underlying().String())
 | |
| 		}
 | |
| 	case token.MUL: // *x, dereference pointer
 | |
| 		unop.X.Type().Underlying().(*types.Pointer).Elem()
 | |
| 		if c.targetData.TypeAllocSize(x.Type().ElementType()) == 0 {
 | |
| 			// zero-length data
 | |
| 			return llvm.ConstNull(x.Type().ElementType()), nil
 | |
| 		} else if strings.HasSuffix(unop.X.String(), "$funcaddr") {
 | |
| 			// CGo function pointer. The cgo part has rewritten CGo function
 | |
| 			// pointers as stub global variables of the form:
 | |
| 			//     var C.add unsafe.Pointer
 | |
| 			// Instead of a load from the global, create a bitcast of the
 | |
| 			// function pointer itself.
 | |
| 			globalName := c.getGlobalInfo(unop.X.(*ssa.Global)).linkName
 | |
| 			name := globalName[:len(globalName)-len("$funcaddr")]
 | |
| 			fn := c.mod.NamedFunction(name)
 | |
| 			if fn.IsNil() {
 | |
| 				return llvm.Value{}, c.makeError(unop.Pos(), "cgo function not found: "+name)
 | |
| 			}
 | |
| 			return c.builder.CreateBitCast(fn, c.i8ptrType, ""), nil
 | |
| 		} else {
 | |
| 			c.emitNilCheck(frame, x, "deref")
 | |
| 			load := c.builder.CreateLoad(x, "")
 | |
| 			return load, nil
 | |
| 		}
 | |
| 	case token.XOR: // ^x, toggle all bits in integer
 | |
| 		return c.builder.CreateXor(x, llvm.ConstInt(x.Type(), ^uint64(0), false), ""), nil
 | |
| 	case token.ARROW: // <-x, receive from channel
 | |
| 		return c.emitChanRecv(frame, unop), nil
 | |
| 	default:
 | |
| 		return llvm.Value{}, c.makeError(unop.Pos(), "todo: unknown unop")
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // IR returns the whole IR as a human-readable string.
 | |
| func (c *Compiler) IR() string {
 | |
| 	return c.mod.String()
 | |
| }
 | |
| 
 | |
| func (c *Compiler) Verify() error {
 | |
| 	return llvm.VerifyModule(c.mod, llvm.PrintMessageAction)
 | |
| }
 | |
| 
 | |
| // Emit object file (.o).
 | |
| func (c *Compiler) EmitObject(path string) error {
 | |
| 	llvmBuf, err := c.machine.EmitToMemoryBuffer(c.mod, llvm.ObjectFile)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return c.writeFile(llvmBuf.Bytes(), path)
 | |
| }
 | |
| 
 | |
| // Emit LLVM bitcode file (.bc).
 | |
| func (c *Compiler) EmitBitcode(path string) error {
 | |
| 	data := llvm.WriteBitcodeToMemoryBuffer(c.mod).Bytes()
 | |
| 	return c.writeFile(data, path)
 | |
| }
 | |
| 
 | |
| // Emit LLVM IR source file (.ll).
 | |
| func (c *Compiler) EmitText(path string) error {
 | |
| 	data := []byte(c.mod.String())
 | |
| 	return c.writeFile(data, path)
 | |
| }
 | |
| 
 | |
| // Write the data to the file specified by path.
 | |
| func (c *Compiler) writeFile(data []byte, path string) error {
 | |
| 	// Write output to file
 | |
| 	f, err := os.OpenFile(path, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0666)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	_, err = f.Write(data)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return f.Close()
 | |
| }
 |