我有一个下拉列表,其中包含可以实例化为JavaScript“类”的货币分类。我目前使用switch语句来实现这一目标,但我绝对相信有一种更有说服力的方法。那么,那里的任何人都可以向我展示更好的方式吗?
有更好的方式动态实例化课程吗?:
function ddlCurrency_selectedIndexChanged() {
var currency = null;
switch (this.value) {
case "Dollar":
currency = new Dollar(null);
break;
case "Reais":
currency = new Reais(null);
break;
}
// Do something with the class here
};
以下是课程:
以防你想看到它们。
// ------------------------
// CLASS - Base Class
function Currency(country, code, imageURL, name) {
this.country = country; //EXAMPLE: America
this.code = code; //EXAMPLE: USD
this.imageURL = imageURL; //EXAMPLE: "http://someplace/mySymbol.gif"
this.name = name; //EXAMPLE: Dollar
this.amount = parseFloat("0.00"); //EXAMPLE: 100
};
// CLASS
function Pound(imageURL) {
Currency.call(this, "Greate Britain", "GBP", imageURL, "Pound");
};
Pound.prototype = new Currency();
Pound.prototype.constructor = Pound;
// CLASS
function Dollar(imageURL) {
Currency.call(this, "America", "USD", imageURL, "Dollar");
};
Dollar.prototype = new Currency();
Dollar.prototype.constructor = Dollar;
// CLASS
function Reais(imageURL) {
Currency.call(this, "Brazil", "BRL", imageURL, "Reais");
};
Reais.prototype = new Currency();
Reais.prototype.constructor = Reais;
更新
使用eval()
也有效。奇怪的是,我看到有人投票使用它......但是,我不知道为什么。就个人而言,我倾向于更喜欢它,因为你可能没有window
对象的任何东西。一个很好的例子就是某些AMD风格的异步加载对象......它们不会挂起window
。
使用eval的示例:
var currency = eval('new Dollar()');
答案 0 :(得分:4)
假设您的顶级对象是窗口(如果您在浏览器中):
currency = new window[this.value](null);
这是有效的,因为所有类都只是全局对象的属性,window[property]
检索属性。