Typescript - removing readonly modifier

前端 未结 1 1573
佛祖请我去吃肉
佛祖请我去吃肉 2021-02-06 22:41

In Typescript, is it possible to remove the readonly modifier from a type?

For example:

type Writeable = { [P in keyof T]: T[P] };
相关标签:
1条回答
  • 2021-02-06 23:05

    There's a way:

    type Writeable<T extends { [x: string]: any }, K extends string> = {
        [P in K]: T[P];
    }
    

    (code in playground)

    But you can go the opposite way and it will make things much easier:

    interface Foo {
        bar: boolean;
    }
    
    type ReadonlyFoo = Readonly<Foo>;
    
    let baz: Foo;
    baz.bar = true; // fine
    
    (baz as ReadonlyFoo).bar = true; // error
    

    (code in playground)


    Update

    Since typescript 2.8 there's a new way to do it:

    type Writeable<T> = { -readonly [P in keyof T]: T[P] };
    

    If you need your type to be writeable recursively, then:

    type DeepWriteable<T> = { -readonly [P in keyof T]: DeepWriteable<T[P]> };
    

    These type definitions are called mapped types

    0 讨论(0)
提交回复
热议问题