s = 'hello %s, how are you doing' % (my_name)
それはあなたがPythonでそれを行う方法です。 javascript/node.jsでどのようにできますか?
似たようなものが必要な場合は、関数を作成できます。
function parse(str) {
var args = [].slice.call(arguments, 1),
i = 0;
return str.replace(/%s/g, () => args[i++]);
}
使用法:
s = parse('hello %s, how are you doing', my_name);
これは単純な例にすぎず、さまざまな種類のデータ型(%i
など)や%s
のエスケープを考慮していません。しかし、それがあなたにいくらかのアイデアを与えることを願っています。このような機能を提供するライブラリもあると確信しています。
Node.js v4
を使用すると、ES6の テンプレート文字列 を使用できます
var my_name = 'John';
var s = `hello ${my_name}, how are you doing`;
console.log(s); // prints hello John, how are you doing
`
の代わりに、バックティック'
内で文字列をラップする必要があります
til.format これを行います。
v0.5. の一部になり、次のように使用できます。
var uri = util.format('http%s://%s%s',
(useSSL?'s':''), apiBase, path||'/');
node.js
>4.0
現在、文字列操作が大幅に改善されたES6標準との互換性が向上しています。
元の質問に対するanswerは、次のように簡単です。
var s = `hello ${my_name}, how are you doing`;
// note: tilt ` instead of single quote '
文字列が複数行に広がる場合、テンプレートまたはHTML/XMLプロセスが非常に簡単になります。それについての詳細と機能: テンプレートリテラルは文字列リテラル mozilla.orgで。
eS6を使用している場合は、テンプレートリテラルを使用する必要があります。
//you can do this
let sentence = `My name is ${ user.name }. Nice to meet you.`
詳細はこちら: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Template_literals
それを行う
s = 'hello ' + my_name + ', how are you doing'
String.prototype
を拡張する、またはES2015 テンプレートリテラル を使用するいくつかの方法。
var result = document.querySelector('#result');
// -----------------------------------------------------------------------------------
// Classic
String.prototype.format = String.prototype.format ||
function () {
var args = Array.prototype.slice.call(arguments);
var replacer = function (a){return args[a.substr(1)-1];};
return this.replace(/(\$\d+)/gm, replacer)
};
result.textContent =
'hello $1, $2'.format('[world]', '[how are you?]');
// ES2015#1
'use strict'
String.prototype.format2 = String.prototype.format2 ||
function(...merge) { return this.replace(/\$\d+/g, r => merge[r.slice(1)-1]); };
result.textContent += '\nHi there $1, $2'.format2('[sir]', '[I\'m fine, thnx]');
// ES2015#2: template literal
var merge = ['[good]', '[know]'];
result.textContent += `\nOk, ${merge[0]} to ${merge[1]}`;
<pre id="result"></pre>
JSのsprintf を試すか、これを使用できます Gist
const format = (...args) => args.shift().replace(/%([jsd])/g, x => x === '%j' ? JSON.stringify(args.shift()) : args.shift())
const name = 'Csaba'
const formatted = format('Hi %s, today is %s and your data is %j', name, Date(), {data: {country: 'Hungary', city: 'Budapest'}})
console.log(formatted)
Node.jsを使用している場合、 console.log() はフォーマット文字列を最初のパラメーターとして受け取ります:
console.log('count: %d', count);
var user = "your name";
var s = 'hello ' + user + ', how are you doing';
問題を正確に解決する function を書きました。
最初の引数は、パラメータ化する文字列です。この形式 "%s1、%s2、...%s12"のように、この文字列に変数を配置する必要があります。
その他の引数は、それぞれその文字列のパラメータです。
/***
* @example parameterizedString("my name is %s1 and surname is %s2", "John", "Doe");
* @return "my name is John and surname is Doe"
*
* @firstArgument {String} like "my name is %s1 and surname is %s2"
* @otherArguments {String | Number}
* @returns {String}
*/
const parameterizedString = (...args) => {
const str = args[0];
const params = args.filter((arg, index) => index !== 0);
if (!str) return "";
return str.replace(/%s[0-9]+/g, matchedStr => {
const variableIndex = matchedStr.replace("%s", "") - 1;
return params[variableIndex];
});
}
例
parameterizedString("my name is %s1 and surname is %s2", "John", "Doe");
// returns "my name is John and surname is Doe"
parameterizedString("this%s1 %s2 %s3", " method", "sooo", "goood");
// returns "this method sooo goood"
その文字列内の変数の位置が変更された場合、この関数は関数のパラメーターを変更せずにそれをサポートします。
parameterizedString("i have %s2 %s1 and %s4 %s3.", "books", 5, "pencils", "6");
// returns "i have 5 books and 6 pencils."
Node.jsの複数行文字列リテラルの例を次に示します。
> let name = 'Fred'
> tm = `Dear ${name},
... This is to inform you, ${name}, that you are
... IN VIOLATION of Penal Code 64.302-4.
... Surrender yourself IMMEDIATELY!
... THIS MEANS YOU, ${name}!!!
...
... `
'Dear Fred,\nThis is to inform you, Fred, that you are\nIN VIOLATION of Penal Code 64.302-4.\nSurrender yourself IMMEDIATELY!\nTHIS MEANS YOU, Fred!!!\n\n'
console.log(tm)
Dear Fred,
This is to inform you, Fred, that you are
IN VIOLATION of Penal Code 64.302-4.
Surrender yourself IMMEDIATELY!
THIS MEANS YOU, Fred!!!
undefined
>