我创建了一个简单的HOC,可以在组件中注入(inject)translate
方法。
export interface IMessageProps {
translate: (key: string) => string;
}
export const message = <P extends object>(
Component: React.ComponentType<P & IMessageProps>
): React.SFC<P & IMessageProps> => (props: P) => {
const translate = (key: string): string => messages[key];
return <Component {...props} translate={translate}/>;
};
用法:
class MyComponent extends React.Component<IMessageProps, {}> {
render() {
return (
<>{this.props.translate('hello.world')}</>
);
}
}
export default message(MyComponent);
当我想调用组件
<MyComponent/>
时会出现问题,因为tsc提示属性translate
没有传递给MyComponent
并期望像<MyComponent translate={...}/>
这样的东西。Type '{}' is not assignable to type 'IntrinsicAttributes & IMessageProps & { children?: ReactNode; }'.
Type '{}' is not assignable to type 'IMessageProps'.
Property 'translate' is missing in type '{}'.
所以我的问题是:如何绕开这个假错误? 我不想在
translate
中将IMessageProps
设为可选,因为tslint会提示Cannot invoke an object which is possibly 'undefined'
。 最佳答案
编辑
Typescript 3.2破坏了下面的代码。直到3.2为止,除jsx标记外,不允许使用泛型类型参数进行扩展操作,并且在那里没有进行严格的检查。此issue对此进行了更改。扩展操作没有得到更严格的检查,这可以分解代码。我们可以做的最简单的调整是在props
上使用类型断言:
export const message = <P extends IMessageProps>(
Component: React.ComponentType<P>
): React.SFC<Pick<P, Exclude<keyof P, keyof IMessageProps>>> => (props: Pick<P, Exclude<keyof P, keyof IMessageProps>>) => {
const translate = (key: string): string => messages[key];
return <Component {...props as P} translate={translate} />;
};
3.2之前的
您可以只使用
IMessageProps
从返回的SCF
中排除Pick
的属性,然后从P
和Exclude
中选择属性以排除IMessageProps
的键export interface IMessageProps {
translate: (key: string) => string;
}
export const message = <P extends IMessageProps>(
Component: React.ComponentType<P>
): React.SFC<Pick<P, Exclude<keyof P, keyof IMessageProps>>> => (props: Pick<P, Exclude<keyof P, keyof IMessageProps>>) => {
const translate = (key: string): string => messages[key];
return <Component {...props} translate={translate} />;
};
class MyComponent extends React.Component<IMessageProps, {}> {
render() {
return (
<>{this.props.translate('hello.world')}</>
);
}
}
const MyComponentWrapped = message(MyComponent);
let d = <MyComponentWrapped /> // works
3.5及更高版本
您可以使用
Omit<P, keyof IMessageProps>
代替Pick<P, Exclude<keyof P, keyof IMessageProps>>