var width = 10;
var height = 5;
drawBox(width,heigh);
想要的结果:
'drawBox(10,5);' <-- a string, not the returned value
虽然'drawBox(' + width + ',' + height + ');'
可行,但这太丑陋了,而且我有很多输入但不是两个。
有没有专门针对这个问题的智能功能?
var width = 10;
var height = 5;
drawBox(width,heigh);
想要的结果:
'drawBox(10,5);' <-- a string, not the returned value
虽然'drawBox(' + width + ',' + height + ');'
可行,但这太丑陋了,而且我有很多输入但不是两个。
有没有专门针对这个问题的智能功能?
Function
您可以使用新属性 扩充的原型,如下所示:
Function.prototype.callAndGetSR = function() {
this.call(this, arguments);
return this.name + '(' + Array.prototype.slice.call(arguments).join(', ') + ')';
}
(SR代表字符串表示)。
像这样称呼它:
drawBox.callAndGetSR(5,10);
此调用绘制框并返回带有使用参数的函数名称,即drawBox(5, 10)
。这个新属性假定您不从drawBox
函数中返回任何内容。
如果您需要从函数返回某些内容drawBox
并获取函数及其参数的字符串表示形式,您可以将其写入日志:
Function.prototype.callAndGetSR = function() {
console.log(this.name + '(' + Array.prototype.slice.call(arguments).join(', ') + ')');
this.call(this, arguments);
}
drawBox.callAndGetSR(5,10); // writes drawBox(5, 10) to log first, after that invokes the drawBox function
或者您可以简化新属性并使其返回字符串表示而不调用该函数:
Function.prototype.getSR = function() {
return this.name + '(' + Array.prototype.slice.call(arguments).join(', ') + ')';
}
drawBox.getSR(5,10); // returns drawBox(5, 10)
只是出于好奇:
function funcToString(func, params) {
return func.name + "("
+ [].slice.call(arguments, 1).slice(0, func.length).join(",")
+ ")";
}
如下调用它:
function foo(a, b) { /* ... */ };
var width = 10, height = 20;
funcToString(foo, width, height); // returns "foo(10,20)"
像这样的东西(http://jsfiddle.net/L2JJc/1/)?
var createStrFunction = function(name, paramArray){
return name + "(" + paramArray.join(",") + ");";
}
createStrFunction("drawBox", [5,10]);