关于golang:golangwasm-环境搭建

48次阅读

共计 2131 个字符,预计需要花费 6 分钟才能阅读完成。

golang 装置

通过 官网地址 下载。MacOS 也可通过 brew 疾速装置:

$ brew install golang

$ go version
go version go1.17.2 darwin/arm64

golang 环境测试

新建文件 main.go,写入:

package main

import "fmt"

func main() {fmt.Println("Hello World!")
}

执行 go run main.go,将输入:

$ go run main.go
Hello World!

如果启用了 GO MODULES,则须要应用 go mode init 初始化模块,或设置 GO111MODULE=auto

将 golang 打包为 WASM

通常有两种打包形式,一种是 golang 自带的,另外是应用 tinygo。举荐应用 tinygo,因为编译出的 wasm 模块更小。

  • 应用 golang 原生编译

    在编译 wasm 模块前,须要设置 golang 穿插编译参数,指标零碎 GOOS=js 和指标架构 GOARCH=wasm,编译 wasm 模块:

    // macos
    $ GOOS=js GOARCH=wasm go build -o main.wasm
    
    // windows 长期设置 golang 环境参数(仅作用于以后 CMD)$ set GOOS=js 
    $ set GOARCH=wasm
    $ go build -o main.wasm
  • 应用 tinygo 编译

    间接依照官网文档装置即可,MacOS 如下:

    $ brew tap tinygo-org/tools
    $ brew install tinygo
    
    $ tinygo version
    tinygo version 0.20.0 darwin/amd64 (using go version go1.17.2 and LLVM version 11.0.0)

    应用以下命令对 main.go 再次进行打包:

    $ tinygo build -o main-tiny.wasm
  • 打包文件大小比照

    $ du -sh ./*.wasm
    228K    ./main-tiny.wasm
    1.9M    ./main.wasm

在浏览器中跑起来

要想在浏览器中跑 main.wasm,首先须要 JS 胶水代码,golang 曾经为咱们提供了,间接复制过去。须要留神的是,应用 tinygo 和 原生编译的胶水代码是有差别的,依据具体情况拷贝对应的:

// 原生编译
$ cp "$(go env GOROOT)/misc/wasm/wasm_exec.js" .

// tinygo 编译
$ cp "$(tinygo env TINYGOROOT)/targets/wasm_exec.js" ./wasm_exec_tiny.js

其次,须要一个 HTML 入口文件,创立 index.html 文件,并写入以下代码:

<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta http-equiv="X-UA-Compatible" content="IE=edge">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Document</title>
  <script src="./wasm_exec_tiny.js"></script>
</head>
<body>
  <script>
    const go = new Go(); // wasm_exec.js 中的定义
    WebAssembly.instantiateStreaming(fetch('./main-tiny.wasm'), go.importObject)
      .then(res => {go.run(res.instance); // 执行 go main 办法
      });
  </script>
</body>
</html>

最初,起一个 http server 让它跑起来吧~

// python
$ python3 -m http.server
$ python2 -m SimpleHTTPServer

// node
$ npm i -g http-server
$ hs

// gp
$ go get -u github.com/shurcooL/goexec
$ goexec 'http.ListenAndServe(`:8080`, http.FileServer(http.Dir(`.`)))'

异样记录

  • 通过 node 的 http-server 起的服务,加载会报错:

    > TypeError: Failed to execute 'compile' on 'WebAssembly': Incorrect response MIME type. Expected 'application/wasm'.

    起因是 wasm 文件响应头的 content-typeapplication/wasm; charset=utf-8,应该为 application/wasm。已知的解决办法为批改 HTML 中 wasm 的初始化形式为:

    fetch('./main-tiny.wasm')
      .then(res => res.arrayBuffer())
      .then(buffer => {WebAssembly.instantiate(buffer, go.importObject)
          .then(res => {go.run(res.instance);
          })
      })

正文完
 0