0

我有这个方便的构造,如下所示:

export class LinkedQueue {

  private lookup = new Map<any, any>();
  private head = null as any;
  private tail = null as any;
  public length: number;

  constructor() {

    Object.defineProperty(this, 'length', {
      get: () => {
        return this.lookup.size;
      }
    });

  }

} 

请注意,如果我删除此行:

 public length: number;

它仍然可以编译,即使它可能不应该编译。所以我的问题是 - 有没有办法像这样对动态创建的属性进行类型检查?我假设如果它是像“长度”这样的硬编码字符串,那么它是可能的。

这是我的tsconfig.json设置:

{
  "compilerOptions": {
    "outDir":"dist",
    "allowJs": false,
    "pretty": true,
    "skipLibCheck": true,
    "declaration": true,
    "baseUrl": ".",
    "target": "es6",
    "module": "commonjs",
    "noImplicitAny": true,
    "removeComments": true,
    "allowUnreachableCode": true,
    "lib": [
      "es2015",
      "es2016",
      "es2017"
    ]
  },
  "compileOnSave": false,
  "exclude": [
    "test",
    "node_modules"
  ],
  "include": [
    "src"
  ]
}
4

1 回答 1

1

Object.defineProperty(this, 'length', {未对它的变异方式进行类型检查this

备用

您实际上可以定义一个可以编译为相同内容的 getter

export class LinkedQueue {

  private lookup = new Map<any, any>();
  private head = null as any;
  private tail = null as any;

  constructor() {
  }

  get length() { 
    return this.lookup.size;
  } 

} 
于 2018-07-18T00:56:30.080 回答