最近在一个项目中使用了AssemblyScript,它能将类似于TypeScript的代码编译为WebAssembly,在其他浏览器都能正常使用,然而在360浏览器上却会报错:SyntaxError: Unexpected reserved word。
先来看AssemblyScript生成的release.js代码
index.ts只包含一个简单的add方法
async function instantiate(module, imports = {}) { const { exports } = await WebAssembly.instantiate(module, imports); return exports; } export const { memory, add } = await (async url => instantiate( await (async () => { try { return await globalThis.WebAssembly.compileStreaming(globalThis.fetch(url)); } catch { return globalThis.WebAssembly.compile(await (await import("node:fs/promises")).readFile(url)); } })(), { } ))(new URL("release.wasm", import.meta.url));
360浏览器报错锁定在这await一行
} = await (async url => instantiate(
查看360浏览器的内核版本,发现是86.0.4240.198,360浏览器已经是最新的版本了。
而支持在模块顶层使用await的chrome最低版本是89
所以出现了这个错误~
让用户换浏览器是一个不现实的想法。
所以,有没有什么解决方法呢?
不使用await就行了,用Promise代替await。
修改release.js export部分改为以下代码
export const exports = new Promise((resolve, reject) => { globalThis.WebAssembly.compileStreaming(globalThis.fetch(new URL("release.wasm", import.meta.url))).then(module => { instantiate(module, {}).then(res => { resolve(res); }).catch((err) => { console.error(err); reject(err); }) }) })
引入
<script type="module"> import { exports } from "./release.js"; exports.then((res) => { // add方法 const { add } = res; add(12, 34); }); </script>
完美。