如何在JavaScript中插入字符串中的变量,而不进行串联?
2022-08-29 22:41:13
我知道在PHP中我们可以做这样的事情:
$hello = "foo";
$my_string = "I pity the $hello";
输出:"I pity the foo"
我想知道同样的事情在JavaScript中是否也是可能的。在字符串中使用变量而不使用串联 - 它看起来更简洁,更优雅。
我知道在PHP中我们可以做这样的事情:
$hello = "foo";
$my_string = "I pity the $hello";
输出:"I pity the foo"
我想知道同样的事情在JavaScript中是否也是可能的。在字符串中使用变量而不使用串联 - 它看起来更简洁,更优雅。
您可以利用模板文本并使用以下语法:
`String text ${expression}`
模板文本由反勾 (' ') (重音)括起来,而不是双引号或单引号。
此功能已在 ES2015 (ES6) 中引入。
例
var a = 5;
var b = 10;
console.log(`Fifteen is ${a + b}.`);
// "Fifteen is 15.
这有多整洁?
奖金:
它还允许在javascript中使用多行字符串而不进行转义,这对于模板非常有用:
return `
<div class="${foo}">
...
</div>
`;
由于较旧的浏览器(主要是Internet Explorer)不支持这种语法,因此您可能希望使用Babel/ Webpack将代码转译为ES5,以确保它可以在任何地方运行。
附注:
从IE8 +开始,您可以在其中使用基本的字符串格式:console.log
console.log('%s is %d.', 'Fifteen', 15);
// Fifteen is 15.
之前Firefox 34 / Chrome 41 / Safari 9 / Microsoft Edge,不,这在javascript中是不可能的。您必须诉诸于:
var hello = "foo";
var my_string = "I pity the " + hello;