如何在JavaScript中插入字符串中的变量而无需串联?


408

我知道在PHP中我们可以做这样的事情:

$hello = "foo";
$my_string = "I pity the $hello";

输出: "I pity the foo"

我想知道JavaScript是否也可以实现同样的功能。在字符串内部使用变量而不使用串联-编写起来看起来更加简洁和优雅。

Answers:


694

您可以利用模板文字并使用以下语法:

`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.

56
不要错过这样的事实,即模板字符串用反斜线(`)代替了常规的引号字符。 "${foo}"实际上是$ {foo} `${foo}`是您真正想要的
Hovis Biddle

1
另外,有许多编译器可以将ES6转换为ES5,以解决兼容性问题!
尼克

当我更改a或b值时。console.log(Fifteen is ${a + b}.); 不会动态更改。它始终显示15是
15。– Dharan

168

Firefox 34 / Chrome 41 / Safari 9 / Microsoft Edge之前,不是,这在javascript中是不可能的。您将不得不诉诸:

var hello = "foo";
var my_string = "I pity the " + hello;

2
带有模板字符串的javascript(ES6)很快将成为可能,请参阅下面的详细答案。
bformet

如果您想编写CoffeeScript,这实际上是具有更好语法的javascript,这是可能的
bformet

1
对于较旧的浏览器大喊大叫:)
Kirsty Marks

1
我很可怜FOO !!! 太好了
亚当·休斯


32

好吧,你可以这样做,但这不是一般

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

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


实际上,还不错。
B先生

1
当您需要将模板字符串存储在数据库中并按需对其进行处理时,此答案很好
Dima Escaroda

好一个,效果很好。很简单,但是没想到。
山姆

13

完整答案,随时可以使用:

 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);
}

然后用作:

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

10

您可以使用此javascript函数进行这种模板化。无需包括整个库。

function createStringFromTemplate(template, variables) {
    return template.replace(new RegExp("\{([^\{]+)\}", "g"), function(_unused, varName){
        return variables[varName];
    });
}

createStringFromTemplate(
    "I would like to receive email updates from {list_name} {var1} {var2} {var3}.",
    {
        list_name : "this store",
        var1      : "FOO",
        var2      : "BAR",
        var3      : "BAZ"
    }
);

输出"I would like to receive email updates from this store FOO BAR BAZ."

使用函数作为String.replace()函数的参数是ECMAScript v3规范的一部分。请参阅此SO答案以获取更多详细信息。


这样有效吗?
mmm

效率将在很大程度上取决于用户的浏览器,因为此解决方案将匹配正则表达式和对浏览器的本机函数进行字符串替换的工作“繁重”。无论如何,由于无论如何这都是在浏览器端发生的,因此效率并不是什么大问题。如果要使用服务器端模板(用于Node.JS等),则应使用@bformet描述的ES6模板文字解决方案,因为它可能更有效。
埃里克·海斯特兰德

9

如果您想编写CoffeeScript,可以执行以下操作:

hello = "foo"
my_string = "I pity the #{hello}"

CoffeeScript实际上是javascript,但是语法更好。

有关CoffeeScript的概述,请参阅本入门指南



3

我写了这个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" 

3

我会使用反勾号``。

let name1 = 'Geoffrey';
let msg1 = `Hello ${name1}`;
console.log(msg1); // 'Hello Geoffrey'

但是如果您不知道name1何时创建msg1

例如 msg1来自API。

您可以使用 :

let name2 = 'Geoffrey';
let msg2 = 'Hello ${name2}';
console.log(msg2); // 'Hello ${name2}'

const regexp = /\${([^{]+)}/g;
let result = msg2.replace(regexp, function(ignore, key){
    return eval(key);
});
console.log(result); // 'Hello Geoffrey'

它将替换${name2}为他的价值。


2

没有看到这里提到的任何外部库,但是Lodash有 _.template()

https://lodash.com/docs/4.17.10#template

如果您已经在使用该库,那么值得一试;如果您没有使用Lodash,则可以随时从npm中挑选方法 npm install lodash.template以减少开销。

最简单的形式-

var compiled = _.template('hello <%= user %>!');
compiled({ 'user': 'fred' });
// => 'hello fred!'

还有很多配置选项-

_.templateSettings.interpolate = /{{([\s\S]+?)}}/g;
var compiled = _.template('hello {{ user }}!');
compiled({ 'user': 'mustache' });
// => 'hello mustache!'

我发现自定义分隔符最有趣。


0

创建类似于String.format()Java 的方法

StringJoin=(s, r=[])=>{
  r.map((v,i)=>{
    s = s.replace('%'+(i+1),v)
  })
return s
}

采用

console.log(StringJoin('I can %1 a %2',['create','method'])) //output: 'I can create a method'

0

2020年和平报价:

Console.WriteLine("I {0} JavaScript!", ">:D<");

console.log(`I ${'>:D<'} C#`)

0

只需使用:

var util = require('util');

var value = 15;
var s = util.format("The variable value is: %s", value)

-1
String.prototype.interpole = function () {
    var c=0, txt=this;
    while (txt.search(/{var}/g) > 0){
        txt = txt.replace(/{var}/, arguments[c]);
        c++;
    }
    return txt;
}

Uso:

var hello = "foo";
var my_string = "I pity the {var}".interpole(hello);
//resultado "I pity the foo"

-2

var hello = "foo";

var my_string ="I pity the";

console.log(my_string,你好)


1
那没有回答问题。您可能会同时注销两个字符串,但这并不能为您提供包含两个字符串的新字符串,这正是OP所要求的。
Max Vollmer
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.