欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

WebWorker 封装 JavaScript 沙箱详情

程序员文章站 2022-03-23 23:23:45
目录2、实现 ijavascriptshadowbox3、使用 webworkershadowbox/webworkereventemitter1、场景在前文 quickjs 封装 javascrip...

1、场景

在前文  quickjs 封装 javascript 沙箱详情 已经基于 quickjs 实现了一个沙箱,这里再基于 web worker 实现备用方案。如果你不知道 web worker 是什么或者从未了解过,可以查看 web workers api。简而言之,它是一个浏览器实现的多线程,可以运行一段代码在另一个线程,并且提供与之通信的功能。

2、实现 ijavascriptshadowbox

事实上,web worker 提供了 event emitter 的 api,即 postmessage/onmessage,所以实现非常简单。

实现分为两部分,一部分是在主线程实现 ijavascriptshadowbox,另一部分则是需要在 web worker 线程实现 ieventemitter

2.1 主线程的实现

import { ijavascriptshadowbox } from "./ijavascriptshadowbox";

export class webworkershadowbox implements ijavascriptshadowbox {
  destroy(): void {
    this.worker.terminate();
  }

  private worker!: worker;
  eval(code: string): void {
    const blob = new blob([code], { type: "application/javascript" });
    this.worker = new worker(url.createobjecturl(blob), {
      credentials: "include",
    });
    this.worker.addeventlistener("message", (ev) => {
      const msg = ev.data as { channel: string; data: any };
      // console.log('msg.data: ', msg)
      if (!this.listenermap.has(msg.channel)) {
        return;
      }
      this.listenermap.get(msg.channel)!.foreach((handle) => {
        handle(msg.data);
      });
    });
  }

  private readonly listenermap = new map<string, ((data: any) => void)[]>();
  emit(channel: string, data: any): void {
    this.worker.postmessage({
      channel: channel,
      data,
    });
  }
  on(channel: string, handle: (data: any) => void): void {
    if (!this.listenermap.has(channel)) {
      this.listenermap.set(channel, []);
    }
    this.listenermap.get(channel)!.push(handle);
  }
  offbychannel(channel: string): void {
    this.listenermap.delete(channel);
  }
}

2.2 web worker 线程的实现

import { ieventemitter } from "./ieventemitter";

export class webworkereventemitter implements ieventemitter {
  private readonly listenermap = new map<string, ((data: any) => void)[]>();

  emit(channel: string, data: any): void {
    postmessage({
      channel: channel,
      data,
    });
  }

  on(channel: string, handle: (data: any) => void): void {
    if (!this.listenermap.has(channel)) {
      this.listenermap.set(channel, []);
    }
    this.listenermap.get(channel)!.push(handle);
  }

  offbychannel(channel: string): void {
    this.listenermap.delete(channel);
  }

  init() {
    onmessage = (ev) => {
      const msg = ev.data as { channel: string; data: any };
      if (!this.listenermap.has(msg.channel)) {
        return;
      }
      this.listenermap.get(msg.channel)!.foreach((handle) => {
        handle(msg.data);
      });
    };
  }

  destroy() {
    this.listenermap.clear();
    onmessage = null;
  }
}

3、使用 webworkershadowbox/webworkereventemitter

主线程代码

const shadowbox: ijavascriptshadowbox = new webworkershadowbox();
shadowbox.on("hello", (name: string) => {
  console.log(`hello ${name}`);
});
// 这里的 code 指的是下面 web worker 线程的代码
shadowbox.eval(code);
shadowbox.emit("open");


web worker 线程代码

const em = new webworkereventemitter();
em.on("open", () => em.emit("hello", "liuli"));


下面是代码的执行流程示意图;web worker 沙箱实现使用示例代码的执行流程:

WebWorker 封装 JavaScript 沙箱详情

4、限制 web worker 全局 api

经大佬 jackwoeker 提醒,web worker 有许多不安全的 api,所以必须限制,包含但不限于以下 api

  • fetch
  • indexeddb
  • performance

事实上,web worker 默认自带了 276 个全局 api,可能比我们想象中多很多。

WebWorker 封装 JavaScript 沙箱详情

有篇 文章 阐述了如何在 web 上通过 performance/sharedarraybuffer api 做侧信道攻击,即便现在 sharedarraybuffer api 现在浏览器默认已经禁用了,但天知道还有没有其他方法。所以最安全的方法是设置一个 api 白名单,然后删除掉非白名单的 api。

// whitelistworkerglobalscope.ts
/**
 * 设定 web worker 运行时白名单,ban 掉所有不安全的 api
 */
export function whitelistworkerglobalscope(list: propertykey[]) {
  const whitelist = new set(list);
  const all = reflect.ownkeys(globalthis);
  all.foreach((k) => {
    if (whitelist.has(k)) {
      return;
    }
    if (k === "window") {
      console.log("window: ", k);
    }
    reflect.deleteproperty(globalthis, k);
  });
}

/**
 * 全局值的白名单
 */
const whitelist: (
  | keyof typeof global
  | keyof windoworworkerglobalscope
  | "console"
)[] = [
  "globalthis",
  "console",
  "settimeout",
  "cleartimeout",
  "setinterval",
  "clearinterval",
  "postmessage",
  "onmessage",
  "reflect",
  "array",
  "map",
  "set",
  "function",
  "object",
  "boolean",
  "string",
  "number",
  "math",
  "date",
  "json",
];

whitelistworkerglobalscope(whitelist);

然后在执行第三方代码前先执行上面的代码

import beforecode from "./whitelistworkerglobalscope.js?raw";

export class webworkershadowbox implements ijavascriptshadowbox {
  destroy(): void {
    this.worker.terminate();
  }

  private worker!: worker;
  eval(code: string): void {
    // 这行是关键
    const blob = new blob([beforecode + "\n" + code], {
      type: "application/javascript",
    });
    // 其他代码。。。
  }
}

由于我们使用 ts 编写源码,所以还必须将 ts 打包为 js bundle,然后通过 vite 的 ?raw 作为字符串引入,下面吾辈写了一个简单的插件来完成这件事。

import { defineconfig, plugin } from "vite";
import reactrefresh from "@vitejs/plugin-react-refresh";
import checker from "vite-plugin-checker";
import { build } from "esbuild";
import * as path from "path";

export function buildscript(scriptlist: string[]): plugin {
  const _scriptlist = scriptlist.map((src) => path.resolve(src));
  async function buildscript(src: string) {
    await build({
      entrypoints: [src],
      outfile: src.slice(0, src.length - 2) + "js",
      format: "iife",
      bundle: true,
      platform: "browser",
      sourcemap: "inline",
      allowoverwrite: true,
    });
    console.log("构建完成: ", path.relative(path.resolve(), src));
  }
  return {
    name: "vite-plugin-build-script",

    async configureserver(server) {
      server.watcher.add(_scriptlist);
      const scriptset = new set(_scriptlist);
      server.watcher.on("change", (filepath) => {
        // console.log('change: ', filepath)
        if (scriptset.has(filepath)) {
          buildscript(filepath);
        }
      });
    },
    async buildstart() {
      // console.log('buildstart: ', this.meta.watchmode)
      if (this.meta.watchmode) {
        _scriptlist.foreach((src) => this.addwatchfile(src));
      }
      await promise.all(_scriptlist.map(buildscript));
    },
  };
}

// https://vitejs.dev/config/
export default defineconfig({
  plugins: [
    reactrefresh(),
    checker({ typescript: true }),
    buildscript([path.resolve("src/utils/app/whitelistworkerglobalscope.ts")]),
  ],
});

现在,我们可以看到 web worker 中的全局 api 只有白名单中的那些了。

WebWorker 封装 JavaScript 沙箱详情

5、web worker 沙箱的主要优势

可以直接使用 chrome devtool 调试
直接支持 console/settimeout/setinterval api
直接支持消息通信的 api

到此这篇关于webworker 封装 javascript 沙箱详情的文章就介绍到这了,更多相关webworker 封装 javascript 沙箱内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!