如果子元素发生错误,我想在我的父反应组件上显示一条错误消息。
在这种情况下,例如在GrandChild组件中看到的错误就是捕获了一个阿波罗突变调用。
当然,我可以在父组件中创建一个函数,该函数为错误设置状态值,并将该函数传递给每个子代,孙代等等。 但是由于我的结构有点复杂,因此需要大量工作。这就是为什么我想到使用反应错误边界。但这是正确的用例吗?
在我使用nextJS时,每个throw Error
在开发模式下都会显示错误堆栈跟踪,因此不可能将错误显示为消息
Parent.js
export class Parent extends Component {
render () {
return (
{ /* if there is an error in any child component, it should be displayed here */
this.props.error &&
<Message>{error}</Message>
}
<Child {...props} />
)
}
}
GrandChild.js
class GrandChild extends Component {
doAnything () {
return this.props.assumeToFail({
variables: { id: '123' }
}).catch(error => {
console.error(error) // <-- this error should be given back to parent
throw new Error('fail') // <-- should I throw the error or call a custom function?
})
}
render () {
return (
<Button onClick={this.doAnything().bind(this)}>anything</Button>
)
}
}
export default graphql(exampleMutation, { name: 'assumeToFail' })(GrandChild)
要在我的nextJS应用程序中使用错误边界,我只需要添加
_app.js
class MyApp extends App {
componentDidCatch (error, errorInfo) {
console.log('CUSTOM ERROR HANDLING', error)
// How do I get the error down to 'Component' in render()?
super.componentDidCatch(error, errorInfo)
}
render () {
const { Component, pageProps, apolloClient } = this.props
return <Container>
<ApolloProvider client={apolloClient}>
<Component {...pageProps} />
</ApolloProvider>
</Container>
}
}
到我的 _app.js 文件。但是我不确定这是否可行...而且我不知道如何将错误归结为Component
。
答案 0 :(得分:1)
实现此目标的最佳方法是使用反应状态管理,例如redux或fluxible。 如果您使用反应状态管理,则可以通过从child.js分发消息来调用操作,并连接到parent.js中的redux存储以轻松获取错误消息。
如果您决定像描述的那样使用函数,则可以将函数传递给子代,然后让子代调用该函数。
Parent.js
export class Parent extends Component {
state = {
error: null,
}
render () {
return (
{ /* if there is an error in any child component, it should be displayed here */
this.state.error &&
<Message>{this.state.error}</Message>
}
<Child
{...props}
defineError={(errMsg) => setState({ error: errMsg })}
/>
)
}
}
GrandChild.js
import PropTypes from 'prop-types';
class GrandChild extends Component {
static propTypes = {
defineError: PropTypes.func,
}
doAnything () {
return this.props.assumeToFail({
variables: { id: '123' }
}).catch(error => {
this.props.defineError(error);
console.error(error) // <-- this error should be given back to parent
throw new Error('fail') // <-- should I throw the error or call a custom function?
})
}
render () {
return (
<Button onClick={this.doAnything().bind(this)}>anything</Button>
)
}
}
export default graphql(exampleMutation, { name: 'assumeToFail' })(GrandChild)