Daz*_*Daz 3 javascript json typescript
我有以下类结构...
export abstract class PersonBase {
public toJSON(): string {
let obj = Object.assign(this);
let keys = Object.keys(this.constructor.prototype);
obj.toJSON = undefined;
return JSON.stringify(obj, keys);
}
}
export class Person extends PersonBase {
private readonly _firstName: string;
private readonly _lastName: string;
public constructor(firstName: string, lastName: string) {
this._firstName = firstName;
this._lastName = lastName;
}
public get first_name(): string {
return this._firstName;
}
public get last_name(): string {
return this._lastName;
}
}
export class DetailPerson extends Person {
private _address: string;
public constructor(firstName: string, lastName: string) {
super(firstName, lastName);
}
public get address(): string {
return this._address;
}
public set address(addy: string) {
this._address = addy;
}
}
Run Code Online (Sandbox Code Playgroud)
我试图让 toJSON() 从完整的对象层次结构中输出所有的 getter(不包括私有属性)......
因此,如果我有一个 DetailPerson 实例并调用 .toJSON() 我想看到以下输出...
{ "address": "Some Address", "first_name": "我的名字", "last_name": "我的姓氏" }
我使用了本文中的一个解决方案,但它没有解决我的特定用例......我没有在输出中获得所有的吸气剂。
将 JSON.stringify 与 TypeScript getter/setter 结合使用
我需要在这里更改什么才能获得我正在寻找的结果?
您提供的链接使用Object.keys它忽略了原型上的属性。
您可以使用for...in代替Object.keys:
public toJSON(): string {
let obj: any = {};
for (let key in this) {
if (key[0] !== '_') {
obj[key] = this[key];
}
}
return JSON.stringify(obj);
}
Run Code Online (Sandbox Code Playgroud)
编辑:这是我尝试仅递归返回 getter,而不假设非 getter 以下划线开头。我确定我错过了一些问题(循环引用,某些类型的问题),但这是一个好的开始:
abstract class PersonBase {
public toJSON(): string {
return JSON.stringify(this._onlyGetters(this));
}
private _onlyGetters(obj: any): any {
// Gotchas: types for which typeof returns "object"
if (obj === null || obj instanceof Array || obj instanceof Date) {
return obj;
}
let onlyGetters: any = {};
// Iterate over each property for this object and its prototypes. We'll get each
// property only once regardless of how many times it exists on parent prototypes.
for (let key in obj) {
let proto = obj;
// Check getOwnPropertyDescriptor to see if the property is a getter. It will only
// return the descriptor for properties on this object (not prototypes), so we have
// to walk the prototype chain.
while (proto) {
let descriptor = Object.getOwnPropertyDescriptor(proto, key);
if (descriptor && descriptor.get) {
// Access the getter on the original object (not proto), because while the getter
// may be defined on proto, we want the property it gets to be the one from the
// lowest level
let val = obj[key];
if (typeof val === 'object') {
onlyGetters[key] = this._onlyGetters(val);
} else {
onlyGetters[key] = val;
}
proto = null;
} else {
proto = Object.getPrototypeOf(proto);
}
}
}
return onlyGetters;
}
}
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
2797 次 |
| 最近记录: |