私はReactとTypeScriptを使用しています。ラッパーとして機能する反応コンポーネントがあり、その子にプロパティをコピーしたいです。クローン要素の使用に関するReactのガイドに従っています。- https://facebook.github.io/react/blog/2015/03/03/react-v0.13-rc2.html#react.cloneelement 。ただし、React.cloneElement
TypeScriptから次のエラーが表示されます。
Argument of type 'ReactChild' is not assignable to parameter of type 'ReactElement<any>'.at line 27 col 39
Type 'string' is not assignable to type 'ReactElement<any>'.
react.cloneElementに正しいタイピングを割り当てるにはどうすればよいですか?
上記のエラーを再現する例を次に示します。
import * as React from 'react';
interface AnimationProperties {
width: number;
height: number;
}
/**
* the svg html element which serves as a wrapper for the entire animation
*/
export class Animation extends React.Component<AnimationProperties, undefined>{
/**
* render all children with properties from parent
*
* @return {React.ReactNode} react children
*/
renderChildren(): React.ReactNode {
return React.Children.map(this.props.children, (child) => {
return React.cloneElement(child, { // <-- line that is causing error
width: this.props.width,
height: this.props.height
});
});
}
/**
* render method for react component
*/
render() {
return React.createElement('svg', {
width: this.props.width,
height: this.props.height
}, this.renderChildren());
}
}
問題は、 ReactChild
の定義 がこれであるということです:
type ReactText = string | number;
type ReactChild = ReactElement<any> | ReactText;
child
が常にReactElement
であることが確実な場合は、キャストしてください:
return React.cloneElement(child as React.ReactElement<any>, {
width: this.props.width,
height: this.props.height
});
それ以外の場合は、 isValidElement type guard を使用します。
if (React.isValidElement(child)) {
return React.cloneElement(child, {
width: this.props.width,
height: this.props.height
});
}
(私は前にそれを使用していませんが、定義ファイルによればそこにあります)