让我们假设我们有一个JavaScript类:
var Person = (function () {
function Person(name, surname) {
this.name = name;
this.surname = surname;
}
Person.prototype.saySomething = function (something) {
return this.name + " " + this.surname + " says: " + something;
};
return Person;
})();
我想迭代它的方法和属性。我对方法没有任何问题。
var proto = Person.prototype,
methods = Object.keys(proto);
// iterate class methods ["saySomething"]
for (var i = 0; i < methods.length; i++) {
// do something...
}
当我想要迭代其属性时,我的问题出现了:
var proto = Person.prototype,
targetInstance = new Person(), // this is my problem!
properties = Object.getOwnPropertyNames(targetInstance),
// iterate class properties ["name", "surname"]
for (var i = 0; i < properties.length; i++) {
// do something...
}
我找到的唯一方法是创建实例并使用Object.getOwnPropertyNames
。我想将此代码用作框架的一部分,因此我无法控制其他开发人员定义的类。我想避免创建实例的需要,因为如果构造函数具有某种类型的验证,如:
function Person(name, surname) {
if(typeof name === "undefined" || typeof surname === "undefined"){
throw new Error()
}
this.name = name;
this.surname = surname;
}
我无法使用上面的代码。你知道是否有可能获得类的公共属性而不创建它的实例?
答案 0 :(得分:2)
在对象构造属性之前,属性不存在。 如果你的班级看起来像:
var Person = (function () {
Person.prototype.name = null;
Person.prototype.surname = null;
function Person(name, surname) {
this.name = name;
this.surname = surname;
}
Person.prototype.saySomething = function (something) {
return this.name + " " + this.surname + " says: " + something;
};
return Person;
})();
你也会看到名字和姓氏,但当然你不能指望看起来像这样的物体。
答案 1 :(得分:2)
您是否知道是否可以在不创建类实例的情况下获取类的公共属性?
如果你在谈论运行时他们没有,不是没有像toString
那样丑陋的黑客(它给你一个函数体的string
表示。)
但是,您可以使用TypeScript语言服务在编译时获取这些内容,然后执行代码生成以协助运行时(https://github.com/Microsoft/TypeScript/wiki/Using-the-Language-Service-API)。
这些都不是微不足道的。