s = 'hello %s, how are you doing' % (my_name)
それはあなたがそれをPythonで行う方法です。javascript / node.jsでそれを行うにはどうすればよいですか?
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
`
代わりにバックティック内で文字列をラップする必要があります'
hello ${my_name}, how are you doing
、configから文字列を読み取った後に動的に変数を割り当てたい場合はどうなりますか?
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
現在 node.js
>4.0
、それは、文字列操作を大幅に向上ES6規格との互換性を取得します。
元の質問への答えは、次のように簡単です。
var s = `hello ${my_name}, how are you doing`;
// note: tilt ` instead of single quote '
文字列が複数の行にまたがる場合、テンプレートまたはHTML / XMLプロセスが非常に簡単になります。詳細と機能の詳細:テンプレートリテラルは、mozilla.orgの文字列リテラルです。
それを行う:
s = 'hello ' + my_name + ', how are you doing'
ES6では、これを行うこともできます。
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を試す か、この要点を使用できます
node.jsを使用している場合、console.log()はフォーマット文字列を最初のパラメーターとして受け取ります。
console.log('count: %d', count);
console.log()
フォーマットされた文字列のみをに出力しSTDOUT
ます。言い換えれば、あなたはその結果を使用することはできませんcount: %d
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)
問題を正確に解決する関数を書きました。
最初の引数は、パラメータ化したい文字列です。変数は、この形式"%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."
var user = "your name";
var s = 'hello ' + user + ', how are you doing';
ここで複数行文字列リテラルの例は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
>
var s = 'hello ${my_name}, how are you doing';