从其他类型中删除类型的属性

时间:2018-06-13 12:21:21

标签: typescript typescript2.8 conditional-types

此问题类似,但与Typescript 2.8: Remove properties in one type from another

略有不同

我想创建一个接受类型的函数,并返回一个不包含Array类型属性或其他复杂(嵌套)对象的新类型。

我假设条件类型是最好的(仅?)方式来处理这个问题?如何实现这一目标?

1 个答案:

答案 0 :(得分:1)

您可以使用条件类型(挑选键)和Pick

创建仅保留基本类型(排除数组和其他对象)的条件类型
type PrimitiveKeys<T> = {
    [P in keyof T]: Exclude<T[P], undefined> extends object ? never : P
}[keyof T];
type OnlyPrimitives<T> = Pick<T, PrimitiveKeys<T>>

interface Foo {
    n: number;
    s: string;
    arr: number[];
    complex: {
        n: number;
        s: string;
    }
} 

let d : OnlyPrimitives<Foo> // will be { n: number, s: string }

实际的函数实现应该非常简单,只需迭代对象属性并排除object

function onlyPrimitives<T>(obj: T) : OnlyPrimitives<T>{
    let result: any = {};
    for (let prop in obj) {
        if (typeof obj[prop] !== 'object' && typeof obj[prop] !== 'function') {
            result[prop] = obj[prop]
        }
    }
    return result;
}

let foo = onlyPrimitives({ n: 10, s: "", arr: [] }) ;

修改为可选字段添加了正确的处理方式。