我有一个工厂类,我在 JavaScript 中使用它通过 AJAX 动态加载类文件,然后返回一个对象。我在系统中遇到了一个非常特殊的错误,尽管它会在每个浏览器中引发错误,但在我无法解释的情况下。
这是我的 Factory 类的简化版本(我删除了许多类型检查和错误处理以将其减少到最低限度)。
function Factory(){
// This holds which files have already been loaded
var loaded=new Object();
// Returns a new object
this.getObject=function(className,methodName,methodData){
if(loadFile('class.'+className+'.js')){
// Making sure that the object name is defined
if(window[className]!=null){
// Has to be an object
if(typeof(window[className])=='function'){
// Creating a temporary object
return new window[className];
}
}
}
}
// Loads a file over AJAX
var loadFile=function(address){
// Loads as long as the file has not already been loaded
if(loaded[address]==null){
// Required for AJAX connections (without ASYNC)
var XMLHttp=new XMLHttpRequest();
XMLHttp.open('GET',address,false);
XMLHttp.send(null);
// Result based on response status
if(XMLHttp.status===200 || XMLHttp.status===304){
// Getting the contents of the script
var data=XMLHttp.responseText;
// Loading the script contents to the browser
(window.execScript || function(data){
window['eval'].call(window,data);
})(data);
// makes sure that file is loaded only once
loaded[address]=true;
}
}
}
这是用户所做的:
var Factory=new Factory();
var alpha=Factory.getObject('example');
alpha.set(32);
alpha.get();
var beta=Factory.getObject('example');
beta.set(64);
alpha.get();
beta.get();
return new window[className];
这失败了,当函数第二次运行时(在该行),它说“对象不是函数” 。我明白如果我在这里遗漏了什么,但这是踢球者:
如果我className
在window[]
电话中添加前缀,那么它可以工作。例如,如果我将'example'
类文件名更改为'test_example'
然后有这些行:
... if(window['test_'+className]!=null){ ...
... if(typeof(window['test_'+className])=='function'){ ...
... return new window['test_'+className]; ...
然后它可以工作,并且 alpha 和 beta 对象都按预期工作。当我纯粹通过变量引用它们时,它们会失败。我尝试了 className.toString() 之类的方法但没有成功,甚至失败了:
className+''
这真的很奇怪,我不知道在哪里寻找和尝试什么,有谁知道为什么会发生这种情况?
编辑:这是正在加载的“example.js”脚本的示例:
function example(){
var myVar=16;
this.set=function(value){
myVar=value;
}
this.get=function(){
alert(myVar);
}
}
(如果我将其重命名为 test_example() 并使用构造字符串加载如上所示的函数,那么它再次起作用)