14

我有一个简单的类,我想在构造函数启动的方法中为只读属性赋值,但它说[ts] Cannot assign to 'readOnlyProperty' because it is a constant or a read-only property. 为什么我不能为属性赋值,即使我process从构造函数调用?

示例代码:

class C {
    readonly readOnlyProperty: string;
    constructor(raw: string) {
        this.process(raw);
    }
    process(raw: string) {
        this.readOnlyProperty = raw; // [ts] Cannot assign to 'readOnlyProperty' because it is a constant or a read-only property.
    }
}
4

4 回答 4

8

我通常使用这种解决方法。

  private _myValue = true
  get myValue (): boolean { return this._myValue }

现在您可以从类内部更改属性,并且该属性从外部是只读的。此解决方法的一个优点是您可以重构属性名称而不会产生错误。这就是为什么我不会使用这样的东西(this as any).readOnlyProperty = raw

于 2019-03-14T13:03:55.170 回答
7

this as any您仍然可以通过仅修改此属性来强制执行类型检查,而不是 "c​​asting" :

(this.readOnlyProperty as string) = raw; // OK
(this.readOnlyProperty as string) = 5;   // TS2322: Type '5' is not assignable to type 'string'.

于 2019-04-09T16:00:11.247 回答
1

当您创建一个单独的函数来分配值时,这个单独的函数可以在其他地方使用,而不是唯一的构造函数。编译器不会检查(对于公共函数,甚至无法检查)该函数是否仅从构造函数调用。所以错误。

无论如何,您有 2 种解决方法来分配该值。更清洁的方法是将单独函数的核心放入构造函数中。另一个,这将使您放松类型检查,因此除非您真的知道自己在做什么,否则不推荐将其转换thisany

(this as any).readOnlyProperty = raw
于 2018-09-21T08:18:28.023 回答
0

很老的问题,但认为仍然值得分享我通常如何克服这个问题。我倾向于从方法中返回你想要设置的值,然后你仍然在分离逻辑,同时保持只读而没有任何可以说是非法的绕过。例如..

class C {
    readonly readOnlyProperty: string;
    constructor(raw: string) {
        this.readOnlyProperty = this.process(raw);
    }
    process(raw: string) {
         // ...some logic that processes 'raw'...

        return raw;
    }
}
于 2021-12-23T11:47:04.607 回答