我知道在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.

其他回答

你可以这么做,但它不是一般的

'I pity the $fool'.replace('$fool', 'fool')

如果确实需要,您可以轻松地编写一个函数来智能地执行此操作

如果你想为微模板做插值,我喜欢用Mustache.js。

也许

wrt=(s, arr=[])=>{
    arr.map((v,i)=>{s = s.replace(/\?/,v);});
    return s;
};
a='first var';
b='secondvar';
tr=wrt('<tr><td>?<td></td>?</td><tr>',[a,b]);
console.log(tr);
//or use tr in html(tr), append(tr) so on and so forth
// Use ? with care in s

我写了这个npm包stringinject https://www.npmjs.com/package/stringinject,它允许你做以下事情

var string = stringInject("this is a {0} string for {1}", ["test", "stringInject"]);

这将替换{0}和{1}与数组项,并返回以下字符串

"this is a test string for stringInject"

或者你可以像这样用对象键和值替换占位符:

var str = stringInject("My username is {username} on {platform}", { username: "tjcafferkey", platform: "GitHub" });

"My username is tjcafferkey on Github" 

完整且随时可用的回答<ES6:

 var Strings = {
        create : (function() {
                var regexp = /{([^{]+)}/g;

                return function(str, o) {
                     return str.replace(regexp, function(ignore, key){
                           return (key = o[key]) == null ? '' : key;
                     });
                }
        })()
};

电话是

Strings.create("My firstname is {first}, my last name is {last}", {first:'Neo', last:'Andersson'});

将它附加到String.prototype:

String.prototype.create = function(o) {
           return Strings.create(this, o);
}

然后使用as:

"My firstname is ${first}".create({first:'Neo'});

如果你在>ES6上,那么你也可以这样做:

let first = 'Neo'; 
`My firstname is ${first}`;