例如;
var s = "function test(){
alert(1);
}";
var fnc = aMethod(s);
如果这是字符串,我想要一个名为 fnc 的函数。并fnc();
弹出警报屏幕。
eval("alert(1);")
不能解决我的问题。
例如;
var s = "function test(){
alert(1);
}";
var fnc = aMethod(s);
如果这是字符串,我想要一个名为 fnc 的函数。并fnc();
弹出警报屏幕。
eval("alert(1);")
不能解决我的问题。
从字符串创建函数的更好方法是使用Function
:
var fn = Function("alert('hello there')");
fn();
这有一个优点/缺点,即当前范围内的变量(如果不是全局的)不适用于新构造的函数。
也可以传递参数:
var addition = Function("a", "b", "return a + b;");
alert(addition(5, 3)); // shows '8'
我为 4 种不同的方法添加了一个 jsperf 测试来从字符串创建一个函数:
将 RegExp 与 Function 类一起使用
var func = "function (a, b) { return a + b; }".parseFunction();
使用带有“返回”的函数类
var func = new Function("return " + "function (a, b) { return a + b; }")();
使用官方函数构造函数
var func = new Function("a", "b", "return a + b;");
使用评估
eval("var func = function (a, b) { return a + b; };");
你很接近。
//Create string representation of function
var s = "function test(){ alert(1); }";
//"Register" the function
eval(s);
//Call the function
test();
这是一个工作小提琴。
是的,使用Function
是一个很好的解决方案,但我们可以更进一步,准备通用解析器来解析字符串并将其转换为真正的 JavaScript 函数......
if (typeof String.prototype.parseFunction != 'function') {
String.prototype.parseFunction = function () {
var funcReg = /function *\(([^()]*)\)[ \n\t]*{(.*)}/gmi;
var match = funcReg.exec(this.replace(/\n/g, ' '));
if(match) {
return new Function(match[1].split(','), match[2]);
}
return null;
};
}
用法示例:
var func = 'function (a, b) { return a + b; }'.parseFunction();
alert(func(3,4));
func = 'function (a, b) { alert("Hello from function initiated from string!"); }'.parseFunction();
func();
这是jsfiddle
JavaScript
Function
var name = "foo";
// Implement it
var func = new Function("return function " + name + "(){ alert('hi there!'); };")();
// Test it
func();
// Next is TRUE
func.name === 'foo'
来源:http : //marcosc.com/2012/03/dynamic-function-names-in-javascript/
eval
var name = "foo";
// Implement it
eval("function " + name + "() { alert('Foo'); };");
// Test it
foo();
// Next is TRUE
foo.name === 'foo'
sjsClass
https://github.com/redardo7/sjsClass
Class.extend('newClassName', {
__constructor: function() {
// ...
}
});
var x = new newClassName();
// Next is TRUE
newClassName.name === 'newClassName'