模板字符串

在传统的JavaScript中,包含在匹配的"' 标记内的文本被认为是一个字符串。 "' 内的文本只能在一行上,没有办法在这些字符串中插入数据,这导致了很多看起来像下面那样丑陋的串联代码:

  1. var name = 'Sam';
  2. var age = 42;
  3. console.log('hello my name is ' + name + ' I am ' + age + ' years old');

ES6引入了一种通过反引号( ` )标记的新的字符串文字类型。 这些字符串文字可以包括换行符,并且有一个新的机制用于将变量插入字符串:

  1. var name = 'Sam';
  2. var age = 42;
  3. console.log(`hello my name is ${name}, and I am ${age} years old`);

这种字符串可以在各种各样的地方派上用场,前端开发是其中之一。

译注

  • 多行字符串

    1. console.log(`string text line 1
    2. string text line 2`);
    3. // "string text line 1
    4. // string text line 2"
  • 嵌入表达式

    1. console.log(`three is ${1 + 2} not ${2 * 1 + 2}.`);
    2. // "three is 3 not 4."
  • 带标签的模板字符串

    1. function tag(strings, ...values) {
    2. console.log(strings); // ["three is ", " not ", raw: Array[2]]
    3. console.log(values); // [3, 4]
    4. return "Hello!";
    5. }
    6. tag`three is ${1 + 2} not ${2 * 1 + 2}`;
    7. // "Hello!"