A compiler from Go to JavaScript for running Go code in a browser

Overview

GopherJS - A compiler from Go to JavaScript

GoDoc Sourcegraph Circle CI

GopherJS compiles Go code (golang.org) to pure JavaScript code. Its main purpose is to give you the opportunity to write front-end code in Go which will still run in all browsers.

Playground

Give GopherJS a try on the GopherJS Playground.

What is supported?

Nearly everything, including Goroutines (compatibility table). Performance is quite good in most cases, see HTML5 game engine benchmark. Cgo is not supported.

Installation and Usage

GopherJS requires Go 1.12 or newer.

Get or update GopherJS and dependencies with:

go get -u github.com/gopherjs/gopherjs

If your local Go distribution as reported by go version is newer than Go 1.12, then you need to set the GOPHERJS_GOROOT environment variable to a directory that contains a Go 1.12 distribution. For example:

go get golang.org/dl/go1.12.16
go1.12.16 download
export GOPHERJS_GOROOT="$(go1.12.16 env GOROOT)"  # Also add this line to your .profile or equivalent.

Now you can use gopherjs build [package], gopherjs build [files] or gopherjs install [package] which behave similar to the go tool. For main packages, these commands create a .js file and .js.map source map in the current directory or in $GOPATH/bin. The generated JavaScript file can be used as usual in a website. Use gopherjs help [command] to get a list of possible command line flags, e.g. for minification and automatically watching for changes.

gopherjs uses your platform's default GOOS value when generating code. Supported GOOS values are: linux, darwin. If you're on a different platform (e.g., Windows or FreeBSD), you'll need to set the GOOS environment variable to a supported value. For example, GOOS=linux gopherjs build [package].

Note: GopherJS will try to write compiled object files of the core packages to your $GOROOT/pkg directory. If that fails, it will fall back to $GOPATH/pkg.

gopherjs run, gopherjs test

If you want to use gopherjs run or gopherjs test to run the generated code locally, install Node.js 10.0.0 (or newer), and the source-map-support module:

npm install --global source-map-support

On supported GOOS platforms, it's possible to make system calls (file system access, etc.) available. See doc/syscalls.md for instructions on how to do so.

gopherjs serve

gopherjs serve is a useful command you can use during development. It will start an HTTP server serving on ":8080" by default, then dynamically compile your Go packages with GopherJS and serve them.

For example, navigating to http://localhost:8080/example.com/user/project/ should compile and run the Go package example.com/user/project. The generated JavaScript output will be served at http://localhost:8080/example.com/user/project/project.js (the .js file name will be equal to the base directory name). If the directory contains index.html it will be served, otherwise a minimal index.html that includes <script src="project.js"></script> will be provided, causing the JavaScript to be executed. All other static files will be served too.

Refreshing in the browser will rebuild the served files if needed. Compilation errors will be displayed in terminal, and in browser console. Additionally, it will serve $GOROOT and $GOPATH for sourcemaps.

If you include an argument, it will be the root from which everything is served. For example, if you run gopherjs serve github.com/user/project then the generated JavaScript for the package github.com/user/project/mypkg will be served at http://localhost:8080/mypkg/mypkg.js.

Environment Variables

There is one GopherJS-specific environment variable:

GOPHERJS_GOROOT - if set, GopherJS uses this value as the default GOROOT value,
                  instead of using the system GOROOT as the default GOROOT value

Performance Tips

Community

Getting started

Interacting with the DOM

The package github.com/gopherjs/gopherjs/js (see documentation) provides functions for interacting with native JavaScript APIs. For example the line

document.write("Hello world!");

would look like this in Go:

js.Global.Get("document").Call("write", "Hello world!")

You may also want use the DOM bindings, the jQuery bindings (see TodoMVC Example) or the AngularJS bindings. Those are some of the bindings to JavaScript APIs and libraries by community members.

Providing library functions for use in other JavaScript code

Set a global variable to a map that contains the functions:

package main

import "github.com/gopherjs/gopherjs/js"

func main() {
	js.Global.Set("pet", map[string]interface{}{
		"New": New,
	})
}

type Pet struct {
	name string
}

func New(name string) *js.Object {
	return js.MakeWrapper(&Pet{name})
}

func (p *Pet) Name() string {
	return p.name
}

func (p *Pet) SetName(name string) {
	p.name = name
}

For more details see Jason Stone's blog post about GopherJS.

Architecture

General

GopherJS emulates a 32-bit environment. This means that int, uint and uintptr have a precision of 32 bits. However, the explicit 64-bit integer types int64 and uint64 are supported. The GOARCH value of GopherJS is "js". You may use it as a build constraint: // +build js.

Application Lifecycle

The main function is executed as usual after all init functions have run. JavaScript callbacks can also invoke Go functions, even after the main function has exited. Therefore the end of the main function should not be regarded as the end of the application and does not end the execution of other goroutines.

In the browser, calling os.Exit (e.g. indirectly by log.Fatal) also does not terminate the execution of the program. For convenience, it calls runtime.Goexit to immediately terminate the calling goroutine.

Goroutines

Goroutines are fully supported by GopherJS. The only restriction is that you need to start a new goroutine if you want to use blocking code called from external JavaScript:

js.Global.Get("myButton").Call("addEventListener", "click", func() {
  go func() {
    [...]
    someBlockingFunction()
    [...]
  }()
})

How it works:

JavaScript has no concept of concurrency (except web workers, but those are too strictly separated to be used for goroutines). Because of that, instructions in JavaScript are never blocking. A blocking call would effectively freeze the responsiveness of your web page, so calls with callback arguments are used instead.

GopherJS does some heavy lifting to work around this restriction: Whenever an instruction is blocking (e.g. communicating with a channel that isn't ready), the whole stack will unwind (= all functions return) and the goroutine will be put to sleep. Then another goroutine which is ready to resume gets picked and its stack with all local variables will be restored.

GopherJS Development

If you're looking to make changes to the GopherJS compiler, see Developer Guidelines for additional developer information.

Comments
  • Support Go 1.13 and Go 1.14 both

    Support Go 1.13 and Go 1.14 both

    Build on Go 1.13 / Go 1.14 and one build support working on Go 1.12 Go 1.13 Go 1.14 three version.

    cd goproj/src
    git clone https://github.com/visualfc/gopherjs github.com/gopherjs/gopherjs
    cd github.com/gopherjs/gopherjs
    git checkout go1.13-dev
    go install -v
    
    1. This version build and install on Go 1.13 or Go 1.14. And one build support working on Go 1.12 1.13 1.14 three version and dynamic select internal compiler/natives/src.
    2. This version build and install on Go 1.12 and working on Go 1.12 only.
    3. if change install go version, please use -a flags to force rebuild packages. gopherjs build -a -v or gopherjs test -a -v
    • add internal/reflectlite for Go 1.13 Go 1.14
    • update syscall/js API for Go 1.13 Go 1.14 changes
    • support Go Module, build go project check go.mod ( use go env)
    • add -a (--force) flags to force rebuild packages
    • check installed go version for build ReleaseTags, support working Go 1.12 Go 1.13 Go 1.14 three version
    opened by visualfc 52
  • Use a Javascript Map for Go Maps.  Improves performance of len() calls by orders of magnitude. 🗺️

    Use a Javascript Map for Go Maps. Improves performance of len() calls by orders of magnitude. 🗺️

    Overview

    https://github.com/gopherjs/gopherjs/issues/1135

    The performance of len() on maps brought me here, because it would call js Object.keys(myMap).Length. It was many orders of magnitude slower than len() in Go. It was a pitfall that those writing idiomatic go would fall into.

    This PR switches the backing implementation of Maps in GopherJS to ECMAScript 2015 Maps. These maps provide accounting so that Map.size can be called to make len() fast. I was hopeful that iterating maps would be faster, also, because the len of the map is used, but unfortunately that is not the case. However, it should be trivial to change the loop implementation to use [Map.entries()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Map/entries) when GopherJS adopts ECMAScript 2017.

    One thing to note: ES 2015 Maps do not return in random order. There is a pitfall, the I believe is acceptable, that someone could write GopherJS code that relies on the order of elements in a map, that does not work when run in the Go runtime.

    Using the benchmarks committed as part of this PR, with a size of 10000 elements: Master

    ✗ GOOS=linux gopherjs test ./... --bench="Benchmark.*"
    Using GOOS=linux and GOARCH=ecmascript in GopherJS is deprecated and will be removed in future. Use GOOS=js GOARCH=ecmascript instead.
    goos: js
    goarch: ecmascript
    BenchmarkSliceLen           	1000000000	         0.2600 ns/op
    BenchmarkMapLen             	    9886	    115719 ns/op
    BenchmarkMapNilCheck        	1000000000	         0.5070 ns/op
    BenchmarkMapNilElementCheck 	144578312	         8.328 ns/op
    BenchmarkSliceRange         	  226414	      5070 ns/op
    BenchmarkMapRange           	    6315	    183215 ns/op
    PASS
    ok  	benchmark/tom	7.682s
    

    This Branch Map len is ~6 orders of magnitude faster. Unfortunately, it appears element access and ranging has gotten ~20% worse, and ranging ~3% worse

    ✗ GOOS=linux gopherjs test ./... --bench="Benchmark.*"
    Using GOOS=linux and GOARCH=ecmascript in GopherJS is deprecated and will be removed in future. Use GOOS=js GOARCH=ecmascript instead.
    goos: js
    goarch: ecmascript
    BenchmarkSliceLen           	1000000000	         0.2820 ns/op
    BenchmarkMapLen             	1000000000	         0.5100 ns/op
    BenchmarkMapNilCheck        	1000000000	         0.2610 ns/op
    BenchmarkMapNilElementCheck 	104008665	        10.50 ns/op
    BenchmarkSliceRange         	  222222	      5094 ns/op
    BenchmarkMapRange           	    6082	    188096 ns/op
    PASS
    ok benchmark/tom	7.001s
    

    Testing

    It seems like the tests cover many more cases than manual testing ever could. I may have tunnel vision as the author of the PR, but I believe that passing CI tests should be considered good enough.

    opened by tomconnell-wf 51
  • Health and future of the GopherJS open source project

    Health and future of the GopherJS open source project

    I'd like to open this tracking issue to open a discussion about the future of GopherJS, and the health of the project. The goal here is to try to answer the question: what does the future and roadmap look like for GopherJS? This is something that affects both the users and contributors to the project.

    Project Health

    Right now, the latest GopherJS 1.11-2 supports Go 1.11.x and works on macOS and Linux. On Windows or other OSes, it requires setting GOOS to one of two supported values, as documented at https://github.com/gopherjs/gopherjs#installation-and-usage, and system calls can’t work (which means gopherjs test can’t be used on those platforms). It can be described as functional, but with known limitations.

    There are many open issues and PRs that haven’t been fully reviewed and merged. In the last few months, there hasn’t been much activity in that regard. This is indicative of declining health of an open source project.

    At this time, there are 4 people with push rights to the main GopherJS repository: @neelance, myself, @hajimehoshi, and @myitcv as of recently (issue #799). To land a PR into master, it needs to go through code review and get a LGTM from at least one other maintainer. Richard has been quite busy working on Go WebAssembly and elsewhere. I have a full time job now, leaving me with less time to spend on GopherJS than before. Hajime and Paul have other commitments too. Being an open source project, we’re all volunteers working in spare time, so the resources we can dedicate to the project are limited.

    From my side, I can say that I’m committed to doing my best to keep GopherJS running in its current state: on macOS and Linux, and compatible with the current Go releases (1.11 right now, 1.12 in a few months, 1.13, 1.14, etc.) for the foreseeable future. I can’t spend much more time on fixing the remaining issues and reviewing incoming PRs, at least nowhere near what I’d like.

    I think it would be very helpful for contributors to have a better idea of what kind of PRs they can/should send and if it has a chance of being reviewed.

    Ways To Proceed

    We have a few possible strategies to choose from about what to do next. I will enumerate them below, and make a proposal for a suggested plan of action below. However, if there exists a better option that we haven't thought of, your input will be greatly appreciated.

    Option A: Do Nothing

    I want to make it clear that this is not a good option. However, this is the default outcome that happens unless we actively work towards one of the other options.

    This option is to do nothing and let things keep going as they are. This isn’t great, there are many stale PRs and it’s unclear to contributors if they should spend time creating new PRs, and whether their PR will be properly reviewed and eventually merged or closed.

    The outcome of this path is that the health of the open source project will continue to decline and it will be perceived closer to being a dead project.

    Option B: Limit Scope, Cull Contributions

    This option is to more actively limit the scope of contributions we accept, and communicate this (e.g., in README, a CONTRIBUTING file, etc.). Start closing PRs that are out of scope, since we don’t have the time required to get them reviewed.

    This option takes active work and time spent, as PRs need to be triaged and closed, sometimes even when there are valuable changes in them. However, the benefits are that the project health is improved and it becomes easier to make progress. Contributors are saved from spending time on out of scope PRs unnecessarily or kept wondering when their PR will be reviewed.

    Option C: Somehow Increase PR Reviewing Resources

    This option involves trying to get more help with reviewing existing PRs and getting them merged in. I don’t know how to make this happen. I don’t think we should be sacrificing quality and merging changes that aren’t thoroughly reviewed and tested. Many of the fixes require significant time and effort to investigate and understand how to resolve in the best way.

    This option would be great if it were viable, but we need to be realistic and understand it can't happen on its own.

    Suggested Plan

    From initial discussions with other maintainers, we are currently leaning towards Option B, limiting scope to be more manageable given the resources we have available, cutting down on feature development, but maintaining functionality and support for new Go releases as they come out. We should also do a better job of communicating it so that both contributors and users have a better idea of what to expect.

    However, I’d like to invite input from the wider GopherJS community and hear feedback, suggestions for how we should proceed, and what’s best for the future of GopherJS.

    From myself and other maintainers, I'd like to thank everyone who has contributed or used GopherJS over the years. I think it's a phenomenal project that has enabled people to build some really interesting things, and allowed us to use Go in more unexpected places! It should continue to work well for many years to come, until there's really no need to keep supporting it.

    opened by dmitshur 44
  • module-aware building

    module-aware building

    Now Go 1.11 introduces module-get, I suggest to change gopherjs build or other commands to be module-aware. For example, I'd want the below code to be workable:

    mkdir foo
    cd foo
    go mod init example.com/m
    go get github.com/gopherjs/gopherjs
    gopherjs build -tags=example github.com/hajimehoshi/ebiten/examples/sprites@master
    
    enhancement gopherjs-tool 
    opened by hajimehoshi 42
  • Support for Go 1.12

    Support for Go 1.12

    When trying to go get goherjs/gopherjs using Go 1.12 (one commit newer than go1.12beta1, golang/go@9ed9df6ca2), I get the following error:

    $ go get -u github.com/gopherjs/gopherjs
    # github.com/gopherjs/gopherjs/compiler
    goget/src/github.com/gopherjs/gopherjs/compiler/compiler.go:20:9: undefined: ___GOPHERJS_REQUIRES_GO_VERSION_1_11___
    

    As I did not find any open issues about this, I just wanted to write about the workaround for this error I'm currently using until gopherjs gets support for Go 1.12.

    $ cd $GOPATH/src/github.com/gopherjs/gopherjs
    $ git remote add myitcv https://github.com/myitcv/gopherjs
    $ git fetch myitcv
    $ git checkout go1.12
    $ go get ./...
    

    This successfully compiles GopherJS for Go 1.12.

    $ gopherjs version
    GopherJS 1.12.0
    

    Cheers, Robin

    opened by mewmew 29
  • Recursion Error in Iceweasel 49, trying to run the gopherjs/jquery example in README.md

    Recursion Error in Iceweasel 49, trying to run the gopherjs/jquery example in README.md

    I tried to run the jquery example in gopherjs/jquery, in my Iceweasel 49 (Firefox), note I have NoScript and few privacy addons enabled (uBlock Origin, HTTPS Everywhere, etc.)..

    Your current jQuery version is: 2.1.0
    too much recursion <Learn More> main.js:int:int
    

    go env (It may be useless):

    GOARCH="amd64"
    GOBIN=""
    GOEXE=""
    GOHOSTARCH="amd64"
    GOHOSTOS="linux"
    GOOS="linux"
    GOPATH="/home/user/gopath"
    GORACE=""
    GOROOT="/usr/lib/go"
    GOTOOLDIR="/usr/lib/go/pkg/tool/linux_amd64"
    CC="gcc"
    GOGCCFLAGS="-fPIC -m64 -pthread -fmessage-length=0 -fdebug-prefix-map=/tmp/go-build875613271=/tmp/go-build -gno-record-gcc-switches"
    CXX="g++"
    CGO_ENABLED="1"
    

    Edit: Found out more after debugging:

    It issues at main.js:2059:1, main.js is here: https://bpaste.net/raw/9652fed5cdcc

    question 
    opened by ZenifiedFromI2P 29
  • Endless unwinding call stack for seachJsObject

    Endless unwinding call stack for seachJsObject

    Today while attempting to integrate a test JS wrapper for the cache API released for webkit, a previous compile work but all new compiles consistently errored out due to a stack overflow error. Having established it is not the Go code in question I hoped any could help.

    The problem arises when goperhjs attempts to retrieving the functions argument type for a promise, but instead cycles out till stack memory is depleted

    WebCache Doc: https://developer.mozilla.org/en-US/docs/Web/API/Cache WebCache API: https://github.com/gu-io/gu/blob/develop/shell/cache/webcache/webcache.go#L62-L66

    Example Code:

    package main
    
    import (
    	"honnef.co/go/js/dom"
    
    	"github.com/gu-io/gu/shell/cache/webcache"
    )
    
    func main() {
    	doc := dom.GetWindow().Document().(dom.HTMLDocument)
    	body := doc.QuerySelector("body").(*dom.HTMLBodyElement)
    
    	webCache, err := webcache.New()
    	if err != nil {
    		body.AppendChild(doc.CreateTextNode(err.Error()))
    		body.AppendChild(doc.CreateElement("br"))
    	}
    
    	cache, err := webCache.Open("debi.v1") // issue arises here.
    	if err != nil {
    		body.AppendChild(doc.CreateTextNode(err.Error() + "\n"))
    		body.AppendChild(doc.CreateElement("br"))
    		return
    	}
    
    	err = cache.Add("http://localhost:8080/github.com/gu-io/gu/shell/")
    	if err != nil {
    		body.AppendChild(doc.CreateTextNode(err.Error()))
    		body.AppendChild(doc.CreateElement("br"))
    	}
    
    	res, err := cache.MatchPath("http://localhost:8080/github.com/gu-io/gu/shell/", webcache.MatchAttr{})
    	if err != nil {
    		body.AppendChild(doc.CreateTextNode(err.Error()))
    		body.AppendChild(doc.CreateElement("br"))
    		return
    	}
    
    	item := doc.CreateElement("div")
    	item.SetInnerHTML(string(res.Body))
    
    	body.AppendChild(item)
    	body.AppendChild(doc.CreateElement("br"))
    }
    

    Error Received:

    main.js:2058 Uncaught (in promise) RangeError: Maximum call stack size exceeded
        at searchJsObject (main.js:2058)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        //-------------------MORE---OF---THE---SAME--------//
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2067)
        at searchJsObject (main.js:2070)
        at $internalize (main.js:2081)
        at $internalize (main.js:2032)
        at v.$externalizeWrapper (main.js:1872)
    

    The above stack trace has been shortened due to its large length.

    GoperhJS Code In Question: https://github.com/gopherjs/gopherjs/blob/master/compiler/prelude/jsmapping.go#L343-L371

    It seems to be blowing up at the area of retrieving a pointer to the object response when using a promise.

    Expected Response: No SearchJsObject error when calling a Promise.

    Any help would truly be appreciated. I attempted to resolve the issues with some changes to the jsmapping.go region as linked above but failed, I assumed if we capped the depth since it was causing a repetition of the same t.Fields[0] and t pointer then it was properly a cyclical issue, but failed because the object received was not the appropriate *js.Object pointing to the cache instance. Irony is v matches the instance of the cache object in JS land but not sure how to resolve the cycle and attached it properly to a pointer in Go land within the jsmapping, but figuring out a means to stop the recurring call to check the same t and t.Field[0] which were the same with each call to searchJSObject and adequately get this area

    var f = t.fields[0];
            var o = searchJsObject(f.typ);
            if (o !== noJsObject) {
              var n = new t.ptr();
              n[f.prop] = o;
              return n;
            }
    

    executed properly seems to be the issue.

    Thanks.

    duplicate 
    opened by influx6 28
  • compiler/natives/src/reflect: Optimize Swapper by swapping JS array elements directly (bypass reflection).

    compiler/natives/src/reflect: Optimize Swapper by swapping JS array elements directly (bypass reflection).

    Sort package was very slow and reflect when transpiled is bloated.

    Before natives were added

    gopherjs test sort --run=Slice --bench=Slice
    goos: linux
    goarch: js
    BenchmarkSortString1K_Slice 	     100	  14450000 ns/op
    BenchmarkStableInt1K_Slice  	      20	  55000000 ns/op
    BenchmarkSortInt64K_Slice   	       1	1486000000 ns/op
    PASS
    ok  	sort	4.913s
    

    After natives were added

    gopherjs test sort --run=Slice --bench=Slice -v
    goos: linux
    goarch: js
    BenchmarkSortString1K_Slice 	    2000	    984000 ns/op
    BenchmarkStableInt1K_Slice  	    2000	    993500 ns/op
    BenchmarkSortInt64K_Slice   	      20	  84300000 ns/op
    PASS
    ok  	sort	6.442s
    

    Result is around a one order of magnitude faster (and smaller generated code when using sort!)

    opened by lologarithm 23
  • proposal: Limit support to one GOOS value (primarily for stdlib).

    proposal: Limit support to one GOOS value (primarily for stdlib).

    The GopherJS compiler supports building output only for GOARCH=js value, and any GOOS value.

    That means it will produce valid and different output for this Go package, depending on which GOOS value is used:

    // +build plan9
    
    package p
    
    const Message = "It was a hot summer..."
    
    // +build !plan9
    
    package p
    
    const Message = "It was a cold winter..."
    

    Of course, it also supports cross-compiling, so one can produce different outputs by doing:

    $ GOOS=plan9 gopherjs build
    # hot summer
    
    $ GOOS=solaris gopherjs build
    # cold winter
    

    I propose we limit support to just a single fixed GOOS value.

    This is primarily meant to apply to the Go standard library, which we must manually apply overrides for in order to get it to build and work correctly for GOARCH=js. See https://github.com/gopherjs/gopherjs/commits/master/compiler/natives/src. However, I think we should apply for all packages for simplicity/consistency. Applying the limit to just Go stdlib but not 3rd party packages would be weird and unnecessary.

    The motivation is simple. It costs a lot of developer time to support Go standard library for GopherJS. Right now, I don't think this project can afford to continue to support all GOOS values. It's an open source project, with no funding, and most of the progress is made by volunteers contributing in their spare time in after work hours.

    The value gained from supporting multiple GOOS values is small. The cost is prohibitively high.

    The compiler will continue to be able to (theoretically) compile for many GOOS values, we're just not going to support GOOS values other than a single one that we pick.

    Proposal 
    opened by dmitshur 23
  • Profiling and optimizing more heavyweight workload.

    Profiling and optimizing more heavyweight workload.

    Hi @neelance,

    In the past I've used GopherJS successfully for some medium-weight workloads, and performance has always been "good enough not be noticeable or cause any concerns."

    Recently I had a chance to use it for a more significant amount of work, and I'm seeing a quite large discrepancy between native and JS performance.

    Native Go:

    Read 1960081 of 1960081 bytes.
    Done loading track in: 95.778819ms
    

    Go compiled to JavaScript in browser:

    Read 1960081 of 1960081 bytes.
    Done loading track in: 27.944s
    

    The browser execution is around 300x slower. I see the browser tab reaching over 1 GB of RAM while loading the track.

    The workload can be seen here. It is loading a 2 MB binary file and then parsing it, doing a lot slice allocations and binary.Read. The 2 MB binary file (fetched via XHR) is wrapped in a bytes.NewReader (and another reader to count length read). Clearly, the Go code was written in the most easy to write and read way, without special considerations for performance.

    I tried to take a CPU profile in browser, and this is what I got:

    image

    Basically, I wanted to ask for some thoughts:

    1. Does the performance seem reasonable, or it possible there's some single issue/bad practice contributing to a lot of performance degradation?
      • I notice the newTrack func is called $blocking_newTrack, I wonder if that makes sense.
    2. Is the 500 MB - 1.1 GB of RAM usage in the browser table also expected? The native Go binary uses ~50 MB of RAM.
    3. Any other hints/tips on other ways I could profile it, other things to try to gain performance. For this task, I would be happy to get to less than 1~5 second track loading time (but that might not be realistic).
    4. General thoughts and comments if you have any. :)

    If you want to reproduce it, it should be straightforward. I've outlined steps in https://github.com/shurcooL/play/commit/e53557dd9c070ce0ec5251108249e5fa85333ae0#commitcomment-9101168. (I use gopherjs_serve_html for quicker iterations, but you can just use gopherjs build script.go and change index.html to use script.js instead.)

    Of course, I think the current results are pretty mind blowing, and being able to have it work at all is fantastic! Note that once the track finishes loading, I am able to get 30-60 FPS actually rendering it, so it's quite usable. At the same time, this could be a good benchmark to try various things and see how performance is affected. Hopefully, 30 seconds is just the beginning.

    opened by dmitshur 23
  • Structs are copied even when they are treated as immutable.

    Structs are copied even when they are treated as immutable.

    Passing a struct to a function is much slower than passing the contents of the struct. Skipping the copy for functions that do not set fields or take the address of the struct would improve performance.

    Real world example: (*image.RGBA).SetRGBA Toy benchmark: http://www.gopherjs.org/play/#/XeGJN8Ke0i

    BenchmarkStruct 2000000                824 ns/op
    BenchmarkArgs   2000000000               1.04 ns/op
    
    opened by BenLubar 22
  • compiler: factor out utility types for processing Go sources and errors.

    compiler: factor out utility types for processing Go sources and errors.

    This is the first step in reducing complexity of the compiler.Compile function.

    The new sources type represents all inputs into the package compilation and simplifies extracting useful information out of them. It is designed to have little business logic of its own and serves as a convenient bridge to other packages like go/types or astrewrite.

    The ErrorList type is extended with utility methods that reduce verbosity of the calling code.

    /cc @paralin

    opened by nevkontakte 0
  • compiler panic `ast.Expr is *ast.IndexExpr, not *ast.Ident`

    compiler panic `ast.Expr is *ast.IndexExpr, not *ast.Ident`

    Error building graphjin/wasm https://github.com/dosco/graphjin/blob/master/wasm/main.go using gopherjs.

    unexpected compiler panic while building package "main": interface conversion: ast.Expr is *ast.IndexExpr, not *ast.Ident

    C:\workspace\graphql\graphjin\graphjin-master20221217\wasm>gopherjs.exe build "main.go"
    ←[31m[compiler panic]  unexpected compiler panic while building package "main": interface conversion: ast.Expr is *ast.IndexExpr, not *ast.Ident
    
    Original stack trace:
       goroutine 1 [running]:
      runtime/debug.Stack()
            C:/Users/DESKTOP-1C942AU/scoop/apps/go/current/src/runtime/debug/stack.go:24 +0x65
      github.com/gopherjs/gopherjs/compiler.bailout(...)
            C:/Users/DESKTOP-1C942AU/go/pkg/mod/github.com/gopherjs/[email protected]/compiler/utils.go:814
      github.com/gopherjs/gopherjs/compiler.Compile.func1()
            C:/Users/DESKTOP-1C942AU/go/pkg/mod/github.com/gopherjs/[email protected]/compiler/package.go:138 +0x129
    
    opened by jozef-slezak 1
  • GopherJS Playground 2.0

    GopherJS Playground 2.0

    The GopherJS playground has been doing its job very well, but I think it may be time to give it an overhaul. Here is a list of improvements I would like to make (in no particular order):

    • Migrate to a modern frontend framework. Currently we are using some ancient version of AngularJS is no longer supported. In my experiments, vecty mostly works with GopherJS even though it no longer supports it officially. vugu or go-app might be another interesting option.
    • Make it possible to show generated JavaScript code for the main package. This is something our users have requested in the feedback survey, and I also wished for it on multiple occasions.
    • Implement "advanced" codepen-style mode, which allows the user to provide HTML and CSS, and have results executed in an iframe sandbox.
    • Use play.golang.org [^1] instead of https://snippets.gopherjs.org to save snippets. I believe the latter is still being maintained by @dmitshur, and potentially he wouldn't have to keep doing it indefinitely. But what is even more appealing to me is that it would make the two playgrounds more interoperable: you would be able to open the same snippet with the same ID in either gopherjs or the official playground and compare behavior.
    • Use better code editor, which supports automatic indentation and maybe even syntax highlighting.

    I think this would be a great contribution for someone new to the project, since it doesn't require getting far in the weeds of the compiler, but does give an opportunity to touch the internals a little bit.

    [^1]: Snippets can be saved by POST'ing its text to https://play.golang.org/share, which will return snippet ID. Given the ID, the snippet can be read by GET'ing https://play.golang.org/p/${id}.go. Both endpooints allow cross-origin requests, so they would work find on our playgound.

    enhancement NeedsHelp 
    opened by nevkontakte 0
  • compiler/natives, compiler/gopherjspkg: simplify file embedding by using embed package, if it's a good fit

    compiler/natives, compiler/gopherjspkg: simplify file embedding by using embed package, if it's a good fit

    GopherJS relies on vfsgen to embed some files. vfsgen predates Go's embed package, so I wanted to see if it's no longer needed. I tried it out on the embed-natives branch.

    It turned out to work well to replace vfsgen with embed for the compiler/natives package; see commit 6078b6b9c0e0a5d41a8d8e5ff4685980e6adb1e7 and its commit message for some minor details.

    For the compiler/gopherjspkg, I haven't found a way to do it that I'm happy with. It's running into embed's restriction files cannot be embedded from the parent directory, so embedding files in js and nosync directories at the top level can only be done from that directory (which is where the gopherjs command currently sits) or from js and nosync directories themselves (which is where those packages sit). It's possible to make extra copies, or to try to do the embedding in the gopherjs command and provide it to the compiler package as an input (this makes the API of compiler package harder to use). Neither of those options seem better than the current use of vfsgen.

    It would be nice to remove reliance on vfsgen completely, but since there doesn't seem to be a clean path to do it, it seems fine to leave gopherjspkg alone for now and at least tackle natives.

    Any thoughts? I can open a PR to merge the current version of the embed-natives branch into master.

    NeedsFix 
    opened by dmitshur 2
  • SOCK_NONBLOCK / SOCK_CLOEXEC syscall issues

    SOCK_NONBLOCK / SOCK_CLOEXEC syscall issues

    Running a sample socket code throws the following syscall issues:

    package main
    import "github.com/gofiber/fiber/v2"
    
    func main() {
    	app := fiber.New()
    
    	app.Get("/get", func(c *fiber.Ctx) error {
    		return c.SendString("Hello from GET!")
    	})
    
    	app.Post("/post", func(c *fiber.Ctx) error {
    		return c.SendString("Hello from POST!")
    	})
    
    	_ = app.Listen(":3000")
    }
    
    

    Error:

    ../../../github.com/valyala/[email protected]/socket_other.go:11:48: SOCK_NONBLOCK not declared by package syscall
    ../../../github.com/valyala/[email protected]/socket_other.go:11:70: SOCK_CLOEXEC not declared by package syscall
    

    GopherJS version:

    GopherJS 1.18.0+go1.18.5

    Build cmd:

    GOOS=js GOARCH=ecmascript gopherjs build main.go

    WaitingForInfo 
    opened by omar391 3
  • Create a GopherJS documentation site

    Create a GopherJS documentation site

    I think one of the biggest pain points for GopherJS users (current and potential) is the lack of accessible and comprehensive user documentation. We have some bits scattered between the README, docs directory and wiki, but I wouldn't call that user-friendly.

    A simple site with organized tutorials, documentation, FAQs, etc. would be a great improvement. It doesn't have to be anything sophisticated, just a static site would be more than enough, most of the effort would be dedicated to simply organizing the existing material and maybe filling in some gaps.

    We already have GitHub Pages repository we could use. We could also pick up a per-made template like Docsy. AFAICT that's what TinyGo uses for their web site.

    documentation NeedsHelp 
    opened by nevkontakte 3
Releases(v1.18.0-beta2+go1.18.5)
  • v1.18.0-beta2+go1.18.5(Dec 25, 2022)

    In this release we have a whole lot of nice features contributed by our users. Special shout out to @visualfc who contributed support for the standard embed package (and a few other things!) and to @tomconnell-wf who rewrote the entire map implementation based on the faster ES 2015 native Map type.

    In the mean time, the work on generics is still progressing (albeit slower than we hoped it would) and we are planning to make a new stable release as soon as it is completed.

    What's Changed

    • Use a Javascript Map for Go Maps. Improves performance of len() calls by orders of magnitude. 🗺️ by @tomconnell-wf in https://github.com/gopherjs/gopherjs/pull/1136
    • README: suggest go install for installing by @dmitshur in https://github.com/gopherjs/gopherjs/pull/1146
    • Pass nil slice when variadic arguments are omitted after regular args. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1150
    • compiler/natives: use embed package by @dmitshur in https://github.com/gopherjs/gopherjs/pull/1151
    • build: support go:embed by @visualfc in https://github.com/gopherjs/gopherjs/pull/1153
    • compiler/prelude: fix array type size by @visualfc in https://github.com/gopherjs/gopherjs/pull/1154
    • compiler/natives/src/reflect: fix valueIntrface check struct copy by @visualfc in https://github.com/gopherjs/gopherjs/pull/1157
    • compiler: go:linkname support method by @visualfc in https://github.com/gopherjs/gopherjs/pull/1152
    • compiler/natives/src/reflect: compatible go reflect by @visualfc in https://github.com/gopherjs/gopherjs/pull/1160
    • Replacing eval() calls in syscall/js by @matthewbelisle-wf in https://github.com/gopherjs/gopherjs/pull/1162
    • compiler/natives/src/reflect: fix reflect.Value.Set kind Struct by flagIndir by @visualfc in https://github.com/gopherjs/gopherjs/pull/1164
    • Make creation of source maps optional with a flag by @akolybelnikov in https://github.com/gopherjs/gopherjs/pull/1166
    • Making syscall/js CSP compatible by @matthewbelisle-wf in https://github.com/gopherjs/gopherjs/pull/1168
    • Bump minimatch from 3.0.4 to 3.1.2 in /node-syscall by @dependabot in https://github.com/gopherjs/gopherjs/pull/1174

    New Contributors

    • @tomconnell-wf made their first contribution in https://github.com/gopherjs/gopherjs/pull/1136
    • @visualfc made their first contribution in https://github.com/gopherjs/gopherjs/pull/1153
    • @matthewbelisle-wf made their first contribution in https://github.com/gopherjs/gopherjs/pull/1162
    • @akolybelnikov made their first contribution in https://github.com/gopherjs/gopherjs/pull/1166

    Full Changelog: https://github.com/gopherjs/gopherjs/compare/1.18.0-beta1+go1.18.5...v1.18.0-beta2+go1.18.5

    Source code(tar.gz)
    Source code(zip)
  • v1.18.0-beta1+go1.18.5(Aug 18, 2022)

    Hi Gophers!

    This GopherJS release is one of the biggest in a long while, and we would like to give you a bit more details about it and the changes to come:

    Go 1.18 support

    First and foremost, this release brings compatibility with Go 1.18, with only one caveat generics are not supported yet. We know many of you are excited and want to be able to use them in your projects, so implementing generics is at the top of our todo list 📃

    We debated whether to release GopherJS 1.18 now, or delay until generics are ready, and ultimately decided that for many of our users generics are not as important as being able to use a supported Go release. At the same time, we can't say that Go 1.18 is complete without generics, so we decided to mark this release as GopherJS 1.18.0-beta1, and we will publish a stable 1.18.0 release as soon as generics are ready for use.

    We are also aware that Go 1.19 was recently released, and we will begin working on supporting it soon, stay tuned.

    Changes to GOOS/GOARCH used by GopherJS.

    Historically, GopherJS used GOARCH=js and GOOS=<your host system> (for example, linux) when building Go code. This led to numerous difficulties in maintenance (trying to make OS-specific code in the standard library compatible with the browser environment) and for the users (build errors on Mac OS and Windows machines).

    Starting from 1.18, GopherJS will use GOOS=js and GOARCH=ecmascript when building code outside of the standard library and GOOS=js GOARCH=wasm when building the standard library itself. With this change come the following benefits:

    • Reusing more of the standard library code for WebAssembly environment, and thus less work required to support new Go releases.
    • Easier portability between Go WebAssembly and GopherJS, with more standard packages behaving in the same was on both platforms.
    • Official support for using GopherJS on Windows and Mac OS. Our CI workflows have been extended to cover Windows and Mac OS, in addition to Linux, reducing chances of a breakage.

    In addition, now GopherJS always sets the gopherjs build tag, which you can also use to target GopherJS compiler specifically (not just any compiler that may compile Go to ECMAScript).

    To make the transition easier, the build toolchain will accept different GOOS/GOARCH combinations when provided explicitly: GOOS=linux GOARCH=js gopherjs build ./.... This will be honored when building the code outside of the standard library, but the standard library itself will still be built with GOOS=js GOARCH=wasm. We plan to remove this override support on GopherJS 1.19 or 1.20.

    node-syscall extension is now deprecated.

    In the past NodeJS users needed to build a custom node-syscall extension to be able to access file system in GopherJS programs. Starting with GopherJS 1.18 this module is no longer necessary, we implemented file system access (and a few other OS interfaces) using Node's own fs and process APIs. It is also now possible to use file system in a browser environment using a shim like BrowserFS, which implements several different ways of emulating Node's fs APIs in the browser.

    If your code relies on being able to make raw syscalls, you can use gopherjs build --tags legacy_syscall ... to re-enable it, see details in the documentation. We plan to remove node-syscall support completely in GopherJS 1.19 or 1.20.

    ECMAScript 2015

    GopherJS now targets ECMAScript 2015 compatibility for its generated code. Even though the generated code was syntactically compatible with ECMAScript 5, we've been already relying on some of the ES2015 APIs (such as typed arrays), and starting with GopherJS 1.18 we begin using ES2015 syntax in the generated JavaScript code.

    Using more modern versions of ECMAScript unlocks new features and performance improvements. For example https://github.com/gopherjs/gopherjs/pull/1137 reduces the size of compiled code by 3% after minification and gzip compression.

    As the time passes, we may begin targeting newer versions of ECMAScript in order to improve GopherJS's performance and features. ECMAScript version policy in our wiki defines our strategy for this.

    What's Changed

    • Standardize on a single GOOS/GOARCH and deprecate node-syscall module. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1111
    • Do not panic in ‘os’ module if argv.Length() is 0 by @samhocevar in https://github.com/gopherjs/gopherjs/pull/1117
    • Fix jsFS callback-related crashes by @samhocevar in https://github.com/gopherjs/gopherjs/pull/1118
    • Support .inc.js files for standard library overlays. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1119
    • Improve nodejs stack size limit heuristic. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1122
    • Detect and execute fuzz targets as tests by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1132
    • Add Go 1.18 support by @flimzy in https://github.com/gopherjs/gopherjs/pull/1116
    • Use ES 2015 syntax to generate more compact code for blocking functions. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1137
    • fix some typos by @cuishuang in https://github.com/gopherjs/gopherjs/pull/1139

    New Contributors

    • @samhocevar made their first contribution in https://github.com/gopherjs/gopherjs/pull/1117
    • @cuishuang made their first contribution in https://github.com/gopherjs/gopherjs/pull/1139

    Full Changelog: https://github.com/gopherjs/gopherjs/compare/v1.17.2%2Bgo1.17.9...v1.18.0-beta1+go1.18.5

    Source code(tar.gz)
    Source code(zip)
  • v1.17.2+go1.17.9(Apr 19, 2022)

    Improvements and features

    • js: add MakeFullWrapper to expose exported methods and struct fields. by @myitcv and @JounQin in https://github.com/gopherjs/gopherjs/pull/1112
    • Command line options to control build cache by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1107
    • Better stack trace parsing in the browser by @flimzy in https://github.com/gopherjs/gopherjs/pull/1097
    • Disable test output buffering when testing only one package. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1087
    • Detect unsupported GOOS by @inkeliz in https://github.com/gopherjs/gopherjs/pull/879
    • compiler/natives/src/strconv: Use js string conversion utilities to improve performance by @lologarithm in https://github.com/gopherjs/gopherjs/pull/1101
    • Orders source files before compilation to ensure reproducible output by @dave in https://github.com/gopherjs/gopherjs/pull/1100
    • Add flags to collect CPU and allocation profiles for GopherJS by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1114

    Bug fixes

    • Improved build cache correctness by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1098 and https://github.com/gopherjs/gopherjs/pull/1105
    • Assume all functions without body are blocking. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1086
    • Fix a typo in slice-to-array conversion tests. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1089
    • Correctly handle built-ins and js.Object methods with go keyword. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1090
    • compiler: fix variadic args not being nil when zero length. by @myitcv in https://github.com/gopherjs/gopherjs/pull/1096
    • Prevent non-blocking select from making function appear blocking. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1108
    • Propagate blocking function information through function literal calls. by @FrankRehin in https://github.com/gopherjs/gopherjs/pull/1115

    Documentation

    • Clarify in which runtimes js.Module variable is available. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1095

    New Contributors

    • @inkeliz made their first contribution in https://github.com/gopherjs/gopherjs/pull/879
    • @JounQin made their first contribution in https://github.com/gopherjs/gopherjs/pull/1112
    • @lologarithm made their first contribution in https://github.com/gopherjs/gopherjs/pull/1101
    • @dave made their first contribution in https://github.com/gopherjs/gopherjs/pull/1100
    • @FrankRehin made their first contribution in https://github.com/gopherjs/gopherjs/pull/1115

    Full Changelog: https://github.com/gopherjs/gopherjs/compare/1.17.1+go1.17.3...v1.17.2+go1.17.9

    Source code(tar.gz)
    Source code(zip)
  • 1.17.1+go1.17.3(Nov 8, 2021)

    Improvements and features

    • 64-bit integer arithmetic and math/big ~10x performance improvement by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1082
    • Support environments without process.argv by @tsavola in https://github.com/gopherjs/gopherjs/pull/1068
    • Source maps: preserve position information for top-level variable declarations. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1070
    • Improve temporary file management in gopherjs test. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1081

    Bug fixes

    • Fix two classes of "unreachable code" warnings in Firefox. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1071
    • sync/atomic: remove an unused type of code. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1075
    • Prevent event loop starvation by always scheduled goroutines. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1079
    • Fix two cases of incorrect stack unwinding after panic recovery. by @nevkontakte in https://github.com/gopherjs/gopherjs/pull/1084

    New Contributors

    • @tsavola made their first contribution in https://github.com/gopherjs/gopherjs/pull/1068
    • @danielgtaylor made their first contribution in https://github.com/gopherjs/gopherjs/pull/1077

    Full Changelog: https://github.com/gopherjs/gopherjs/compare/1.17.0+go1.17.1...1.17.1+go1.17.3

    Source code(tar.gz)
    Source code(zip)
  • 1.17.0+go1.17.1(Sep 20, 2021)

    Go 1.17 is now supported by GopherJS!! See the upstream Go 1.17 release notes for details. Noteable exceptions/differences with GopherJS:

    • The GopherJS toolchain has not been updated to support lazy module loading or version suffixes for gopherjs run
    • Slice to array conversion is not supported for subslices of non-linear types (https://github.com/gopherjs/gopherjs/blob/daae65060a401d321b01fef0ae7fb535230f239c/compiler/prelude/prelude.go#L178-L183)
    • Outstanding compiler bugs found during the 1.17 release cycle:
      • https://github.com/gopherjs/gopherjs/issues/1063
      • https://github.com/gopherjs/gopherjs/issues/1060

    This release is tested against the Go 1.17.1 standard library, although all versions of Go 1.17.x are expected to work.

    Source code(tar.gz)
    Source code(zip)
  • 1.16.4+go1.16.7(Aug 22, 2021)

    • Go Modules are fully supported by GopherJS! build, test and serve and other subcommands now work outside of GOPATH! 🎉
    • Release tested against Go 1.16.7 and Node 12.
    • It is now easier to install NodeJS dependencies for GopherJS. Simply run npm install in the root of the GopherJS working copy and all dependencies will be installed under node_modules.
    • Several minor fixes in the GopherJS runtime, compiler and syscall/js. Thanks to @benma for fixing an issue when using GopherJS within a Chrome extension!
    Source code(tar.gz)
    Source code(zip)
  • 1.16.3+go1.16.5(Jun 19, 2021)

    • Tested with Go 1.16.5
    • Fully up to date support for the 'syscall/js' including IsNull, IsUndefined, IsNaN, Delete and Equal methods and correct panic types.
    • Further fixes to the syscall package under MacOS/M1 (GOOS=darwin GOARCH=arm64).
    • Fixed incorrect deferral handling triggered by JS exceptions.
    Source code(tar.gz)
    Source code(zip)
  • 1.16.2+go1.16.4(May 23, 2021)

    • Tested with the latest go 1.16.4.
    • Fixed build errors in the syscall package under GOOS=darwin.
    • Fixed a panic in golang.org/x/crypto/chacha20poly1305 (although see a caveat).
    Source code(tar.gz)
    Source code(zip)
  • 1.16.1+go1.16.3(Apr 21, 2021)

    • syscall/js: Added support for CopyBytesToGo() and CopyBytesToJS (thanks @paralin and @findleyr).
    • Compiler: Fixed panics caused by untyped nils.
    • Compiler: Print additional debugging information if a panic happens during compilation.
    • Development: GOPHERJS_SKIP_VERSION_CHECK allows to use GopherJS with any Go version (no guarantees it'll work well! 😉)
    Source code(tar.gz)
    Source code(zip)
  • 1.16.0+go1.16.3(Apr 6, 2021)

  • 1.12.3+go1.12(Mar 1, 2021)

  • 1.13.0-wip(Apr 9, 2021)

    This tag exists only to document the state of the Go 1.13 WIP branch, which was never released. Ultimately, we jumped to 1.16 for the next release.

    Source code(tar.gz)
    Source code(zip)
  • 1.11.2+go1.11.5(Apr 9, 2021)

  • 1.10.4+go1.10.1(Apr 9, 2021)

  • 1.9.2+go1.9(Apr 9, 2021)

  • 1.8.2+go1.8(Apr 9, 2021)

  • 1.7.1+go1.7(Apr 9, 2021)

  • 1.6.0+Go1.6(Apr 9, 2021)

  • 1.5.0+go1.5(Apr 9, 2021)

Owner
GopherJS
GopherJS
A JavaScript interpreter in Go (golang)

otto -- import "github.com/robertkrimen/otto" Package otto is a JavaScript parser and interpreter written natively in Go. http://godoc.org/github.com/

Robert Krimen 7.1k Jan 2, 2023
ECMAScript/JavaScript engine in pure Go

goja ECMAScript 5.1(+) implementation in Go. Goja is an implementation of ECMAScript 5.1 in pure Go with emphasis on standard compliance and performan

Dmitry Panov 3.5k Jan 1, 2023
Automated compiler obfuscation for nim

Denim Makes compiling nim code with obfuscator-llvm easy! Windows only for now, but do you even need compiler obfuscation on other platforms? Setup In

Joe 108 Dec 31, 2022
Promise to the Go compiler that your Reads and Writes are well-behaved

noescape go get lukechampine.com/noescape noescape provides Read and Write functions that do not heap-allocate their argument. Normally, when you pas

Luke Champine 39 Dec 22, 2022
Go compiler for small places. Microcontrollers, WebAssembly, and command-line tools. Based on LLVM.

TinyGo - Go compiler for small places TinyGo is a Go compiler intended for use in small places such as microcontrollers, WebAssembly (Wasm), and comma

TinyGo 12.1k Jan 4, 2023
JIT compiler in Go

jit-compiler This is a Golang library containing an x86-64 assembler (see 'asm/') and a higher level intermediate representation that compiles down in

Bart Spaans 180 Dec 24, 2022
GopherLua: VM and compiler for Lua in Go

GopherLua: VM and compiler for Lua in Go. GopherLua is a Lua5.1 VM and compiler written in Go. GopherLua has a same goal with Lua: Be a scripting lang

Yusuke Inuzuka 5.2k Jan 9, 2023
A Lua 5.3 VM and compiler written in Go.

DCLua - Go Lua Compiler and VM: This is a Lua 5.3 VM and compiler written in Go. This is intended to allow easy embedding into Go programs, with minim

Milo Christiansen 899 Dec 12, 2022
Compiler for a small language into x86-64 Assembly

Compiler This project is a small compiler, that compiles my own little language into X86-64 Assembly. It then uses yasm and ld to assemble and link in

Maurice Tollmien 242 Dec 13, 2022
The Project Oberon RISC compiler ported to Go.

oberon-compiler This is a port of the Project Oberon compiler for RISC-5 (not to be confused with RISC-V) from Oberon to Go. The compiled binaries can

null 7 Dec 6, 2022
The golang tool of the zig compiler automatically compiles different targets according to the GOOS GOARCH environment variable. You need to install zig.

The golang tool of the zig compiler automatically compiles different targets according to the GOOS GOARCH environment variable. You need to install zig.

dosgo 30 Nov 18, 2022
Logexp - Logical expression compiler for golang

Logical Expression Compiler Functions: - Compile(exp string) - Match(text string

Jinglever 1 Jan 24, 2022
A compiler for the ReCT programming language written in Golang

ReCT-Go-Compiler A compiler for the ReCT programming language written in Golang

null 6 Nov 30, 2022
Transpiling C code to Go code

A tool for transpiling C code to Go code. Milestones of the project: Transpiling project GNU GSL. Transpiling project GTK+. Notes: Transpiler works on

Konstantin 329 Dec 19, 2022
Transpiling fortran code to golang code

f4go Example of use > # Install golang > # Compile f4go > go get -u github.com/Konstantin8105/f4go > cd $GOPATH/src/github.com/Konstantin8105/f4go > g

Konstantin 34 Sep 26, 2022
Grumpy is a Python to Go source code transcompiler and runtime.

Grumpy: Go running Python Overview Grumpy is a Python to Go source code transcompiler and runtime that is intended to be a near drop-in replacement fo

Google 10.6k Jan 7, 2023
Transform Go code into it's AST

Welcome to go2ast ?? Transform Go code into it's AST Usage echo "a := 1" | go run main.go Example output []ast.Stmt { &ast.AssignStmt {

Eli Yukelzon 107 Dec 13, 2022
Compile Go regular expressions to Go code

regexp2go regexp2go is an alternate backend for the regexp package that allows to perform ahead-of-time compilation of regular expressions to Go code.

Carlo Alberto Ferraris 85 Jul 11, 2022
Syntax-aware Go code search, based on the mvdan/gogrep

gogrep WIP: this is an attempt to move modified gogrep from the go-ruleguard project, so it can be used outside of the ruleguard as a library. Acknowl

Iskander (Alex) Sharipov 30 Nov 9, 2022