125

我不确定如何解释这一点,但是当我跑步时

console.log`1`

在谷歌浏览器中,我得到类似的输出

console.log`1`
VM12380:2 ["1", raw: Array[1]]

为什么反引号调用 log 函数,为什么它会创建一个索引raw: Array[1]

Catgocat 在 JS 房间提出了问题,但除了一些关于模板字符串的问题之外,没有任何答案是有意义的,这些问题并不真正适合为什么会发生这种情况。

4

3 回答 3

88

它在 ES-6 中被称为 Tagged Template 更多可以在这里阅读,有趣的是我在聊天的星号部分找到了链接。

但是代码的相关部分在下面(您基本上可以创建过滤排序)。

function tag(strings, ...values) {
  assert(strings[0] === 'a');
  assert(strings[1] === 'b');
  assert(values[0] === 42);
  return 'whatever';
}
tag `a${ 42 }b`  // "whatever"

基本上,它只是用 console.log 函数标记“1”,就像它对任何其他函数所做的那样。标记函数接受模板字符串的解析值和可以单独执行进一步任务的值。

Babel 将上面的代码转换成

var _taggedTemplateLiteralLoose = function (strings, raw) { strings.raw = raw; return strings; };

console.log(_taggedTemplateLiteralLoose(["1"], ["1"]));

正如您在上面的示例中看到的那样,在被 babel 转译后,标记函数(console.log)正在传递以下 es6->5 转译代码的返回值。

_taggedTemplateLiteralLoose( ["1"], ["1"] );

这个函数的返回值被传递给console.log,然后它将打印数组。

于 2015-04-15T20:49:59.607 回答
43

标记的模板文字:

以下语法:

function`your template ${foo}`;

称为标记模板文字。


被称为标记模板文字的函数以下列方式接收其参数:

function taggedTemplate(strings, arg1, arg2, arg3, arg4) {
  console.log(strings);
  console.log(arg1, arg2, arg3, arg4);
}

taggedTemplate`a${1}b${2}c${3}`;

  1. 第一个参数是所有单个字符串字符的数组
  2. 剩下的参数对应于我们通过字符串插值接收的变量值。请注意,在示例中没有值arg4(因为只有 3 次字符串插值),因此undefined在我们尝试记录时会记录下来arg4

使用其余参数语法:

如果我们事先不知道在模板字符串中会发生多少次字符串插值,那么使用 rest 参数语法通常很有用。此语法将函数接收的剩余参数存储到数组中。例如:

function taggedTemplate(strings, ...rest) {
  console.log(rest);
}

taggedTemplate `a${1}b${2}c${3}`;
taggedTemplate `a${1}b${2}c${3}d${4}`;

于 2018-10-31T13:15:50.997 回答
20

派对迟到了,但是,TBH,没有一个答案可以解释原始问题的 50%(“为什么raw: Array[1]”)

1. 为什么可以不带括号调用函数,使用反引号?

console.log`1`

正如其他人所指出的,这被称为标记模板(更多细节也在这里)。

使用此语法,该函数将接收以下参数:

  • 第一个参数:一个数组,包含字符串中不是表达式的不同部分。
  • 其余参数:被插值的每个值(即那些是表达式的值)。

基本上,以下是“几乎”等价的

// Tagged Template
fn`My uncle ${uncleName} is ${uncleAge} years old!`
// function call
fn(["My uncle ", " is ", " years old!"], uncleName, uncleAge);

(见第 2 点。了解为什么它们不完全相同)

2. 为什么是["1", raw: Array[1]]???

作为第一个参数传递的数组包含一个属性raw,它允许在输入原始字符串时访问它们(不处理转义序列)。

示例用例:

let fileName = "asdf";

fn`In the folder C:\Documents\Foo, create a new file ${fileName}`

function fn(a, ...rest) {
  console.log(a); //In the folder C:DocumentsFoo, create a new file
  console.log(a.raw); //In the folder C:\Documents\Foo, create a new file 
}

什么,一个有属性的数组??????

是的,因为 JavaScript 数组实际上是对象,所以它们可以存储属性

例子:

const arr = [1, 2, 3];
arr.property = "value";
console.log(arr); //[1, 2, 3, property: "value"]

于 2020-11-25T04:14:39.807 回答