我有一个在另一个组件中使用的简单组件ErrorBoundary
。两个组件都由流检查(即它们具有/* @flow */
标志)。但是如果我通过不提供正确的道具而误用ErrorBoundary
,则流量不会出现错误。这是ErrorBoundary
:
/* @flow */
import * as React from 'react';
type Props = {
children: React.Node,
ErrorComponent: React.ComponentType<any>,
};
type State = {
hasError: boolean,
};
class ErrorBoundary extends React.Component<Props, State> {
constructor(props: Props) {
super(props);
this.state = { hasError: false };
}
componentDidCatch(error: Error, info: string) {
console.log(error, info); // eslint-disable-line
this.setState({ hasError: true });
}
render() {
const { ErrorComponent } = this.props;
if (this.state.hasError) {
return <ErrorComponent />;
}
return this.props.children;
}
}
export default ErrorBoundary;
这里被误用了:
/* @flow */
import * as React from 'react';
import ErrorBoundary from '/path/to/ErrorBoundary';
type Props = {};
class SomeComponent extends React.Component<Props> {
render() {
return (
<ErrorBoundary>
{..some markup}
</ErrorBoundary>
)
}
}
尽管我没有向ErrorComponent
提供必要的组件ErrorBoundary
,但当我运行流程时,它会报告“没有错误!”。但是,如果我要从同一个文件导入一个类型化的函数,它就可以了。或者,如果我尝试在其自己的模块文件中错误地使用ErrorBoundary
,则流程也会捕获错误。
问题似乎与导入已使用flow专门输入的React组件有关。有谁知道我可能做错了什么?
答案 0 :(得分:0)
问题是我的导入是通过与ErrorBoundary在同一目录中的中间index.js文件进行的。该index.js文件尚未标记为// @flow
标记。一旦我添加它,类型检查工作正常。