0

好吧,在 python 或 java 中,或者......我们这样做:(python 版本)

tmp = "how%s" %("isit") 

现在 tmp 看起来像“howisit”。
javascript中是否有类似的东西?(而不是 sprintf )

谢谢

4

5 回答 5

2

不是内置的,但您可以通过扩展 String 原型来制作自己的模板:

String.prototype.template = String.prototype.template ||
   function(){
    var args = arguments;
    function replacer(a){
        return args[Number(a.slice(1))-1] || a;
    }
    return this.replace(/(\$)?\d+/gm,replacer)
   };
// usages
'How$1'.template('isit'); //=> Howisit
var greet = new Date('2012/08/08 08:00') < new Date 
             ? ['where','yesterday'] : ['are','today'];
'How $1 you $2?'.template(greet[0],greet[1]); // How where you yesterday?
于 2012-08-09T08:10:18.627 回答
1

不,javascript 中没有内置字符串格式。

于 2012-08-09T08:08:28.810 回答
1

不,没有。您可以进行字符串连接。

var tmp = 'how' + 'isit';

或者replace在其他情况下。这是一个愚蠢的例子,但你明白了:

var tmp = 'how{0}'.replace('{0}', 'isit');
于 2012-08-09T08:10:09.543 回答
0

没有内置函数,但是您可以很容易地自己构建一个。该replace函数可以接受函数参数,是这项工作的完美解决方案。虽然要小心大字符串和复杂的表达式,因为这可能会很快变慢。

var formatString = function(str) {
    // get all the arguments after the first
    var replaceWith = Array.prototype.slice.call(arguments, 1);
    // simple replacer based on String, Number
    str.replace(/%\w/g, function() {
        return replaceWith.shift();
    });
};

var newString = formatString("how %s %s?", "is", "it");
于 2012-08-09T08:20:49.000 回答
0

我认为您可以使用这些(简单的)片段;

function formatString(s, v) {
  var s = (''+ s), ms = s.match(/(%s)/g), m, i = 0;
  if (!ms) return s;
  while(m = ms.shift()) {
     s = s.replace(/(%s)/, v[i]);
     i++;
  }
  return s;
}

var s = formatString("How%s", ["isit"]);

或者;

String.prototype.format = function() {
    var s = (""+ this), ms = s.match(/(%s)/g) || [], m, v = arguments, i = 0;
    while(m = ms.shift()) {
        s = s.replace(/(%s)/, v[i++]);
    }
    return s;
}

var s = "id:%s, name:%s".format(1,"Kerem");
console.log(s);
于 2012-08-09T08:31:03.807 回答