javascript技巧

关注公众号 jb51net

关闭
首页 > 网络编程 > JavaScript > javascript技巧 > js执行字符串代码

js执行字符串代码的具体实现

作者:程序员的脱发之路

这篇文章主要给大家介绍了js执行字符串代码的具体实现,需要的朋友可以参考下

一、适用场景

在业务中我们很少去将一个字符串作为代码执行,因为出于安全考虑,尽量不要直接在客户端执行用户输入的代码。但是在造轮子或者框架开发中,我们需要在解析完开发者编写的代码后,来手动执行这些字符串代码。

二、具体实现

1. eval

eval是一个我们都知道的函数,这个函数会将传入的字符串当做 JavaScript 代码进行执行。所以我们很多时候会用它来执行字符串代码。

例如:

  const log = `console.log('11')`
  eval(log)
  const testCode = `
  function test() {
    console.log('test')
  }
  test()
  `
  eval(testCode)

注:需要注意的是,eval是在当前上下文执行的代码,如果字符串中的变量与当前上下文的变量命名冲突,就会导致报错。

例如:

  const test = 'test'
  const testCode = `
  function test() {
    console.log('test')
  }
  test()
  `
  eval(testCode)

因为我们自己定义了test,而字符串中又有test函数,所以就发生了冲突,出现报错。

我们很难去避免字符串中的变量和当前上下文的变量重复,所以我们可以在自调用函数中执行eval来解决这个问题。

  const test = 'test'
  const a = 1
  const testCode = `
  function test() {
    console.log('test')
    console.log(a)
  }
  test()
  `
  ;(function () {
    const a = 2
    eval(testCode)
  })()

这样就没问题了,注:这里的a打印的是2,也就是我们自调用函数作用域的a。

2. new Function()

语法:new Function(arg0, arg1, /* …, */ argN, functionBody)Function() 构造函数创建 Function 对象。直接调用构造函数可以动态创建函数,但可能会面临一些安全性和类似于 eval() 的性能问题(但相对较小)。然而,与具有访问本地作用域的 eval 不同,Function 构造函数创建的函数仅在全局作用域中执行。

例如:

  const test = 'test'
  const a = 1
  const testCode = `
  function test() {
    console.log('test')
    console.log(a)
  }
  test()
  `
  ;(function () {
    const a = 2
    const func = new Function(testCode)
    func()
  })()

注:当前的a打印的是1,也就是Function 构造函数创建的函数仅在全局作用域中执行。里面的未定义的变量会直接使用全局的变量。

如何解决这个问题?

创建function的时候支持传递参数,我们可以通过参数传递来解决。

  const test = 'test'
  const a = 1
  const testCode = `
  function test() {
    console.log('test')
    console.log(a)
  }
  test()
  `
  ;(function () {
    const a = 2
    const func = new Function('a', testCode)
    func(a)
  })()

我们将a传递作为参数传递到了func中,实际上func现在就相当于:

  function func(a) {
    function test() {
      console.log('test')
      console.log(a)
    }
    test()
  }

这种方式就不用但是上下文命名冲突的问题,因为代码是在函数中执行的,因此我们不需要在自调用函数中运行 new Function()。
并且通过这种方式我们还能接受到字符串代码中的返回。

  const test = 'test'
  const sum = `return a + b`
  const func = new Function('a', 'b', sum)
  console.log(func(2, 3))

三、两者差异

附:结合eval和new Function()一起实现

try {
const val = new Function(“要执行的字符串”);
let eleResult = val(); // 这里必须调用val(),不然不会执行
if (!eleResult) {
eleResult = eval(“要执行的字符串”);
}
} catch (err) {
console.info(‘执行字符串js出错');
}

到此这篇关于js执行字符串代码具体实现的文章就介绍到这了,更多相关js执行字符串代码内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

您可能感兴趣的文章:
阅读全文