I'm new to React. I want to capture all react uncaught and unexpected errors/warnings and i would like to log the errors to an external api. I know its possible by Try Catch method but I'm planning to have it globally so that other developer need not to write the code each and every time.
I tried window.onerror/addEventListener('error', function(e){}
which only captures the Javascript errors but not react errors.
This is similar to following post How do I handle exceptions?. But the solution given didn't meet my needs.
Can someone help me on this?
I'm new to React. I want to capture all react uncaught and unexpected errors/warnings and i would like to log the errors to an external api. I know its possible by Try Catch method but I'm planning to have it globally so that other developer need not to write the code each and every time.
I tried window.onerror/addEventListener('error', function(e){}
which only captures the Javascript errors but not react errors.
This is similar to following post How do I handle exceptions?. But the solution given didn't meet my needs.
Can someone help me on this?
Share Improve this question edited May 23, 2017 at 12:06 CommunityBot 11 silver badge asked Oct 25, 2016 at 8:20 JeevJeev 1411 gold badge1 silver badge9 bronze badges 03 Answers
Reset to default 3Doc refs: https://reactjs/blog/2017/07/26/error-handling-in-react-16.html
Real case of implementation example:
// app.js
const MOUNT_NODE = document.getElementById('app');
const render = (messages) => {
ReactDOM.render(
<Provider store={store}>
<LanguageProvider messages={messages}>
<ConnectedRouter history={history}>
<ErrorBoundary>
<App />
</ErrorBoundary>
</ConnectedRouter>
</LanguageProvider>
</Provider>,
MOUNT_NODE
);
};
// ErrorBoundary ponent
export default class ErrorBoundary {
constructor(props) {
super(props);
this.state = { hasError: false };
}
ponentDidCatch(error, info) {
// Display fallback UI
this.setState({ hasError: true });
}
render() {
if (this.state.hasError) {
return (
<div>
// error message
</div>
);
}
return this.props.children;
}
}
A thing to note is that errors in async
methods like async ponentDidMount
won't be caught in a error boundary
.
https://developer.mozilla/en-US/docs/Web/API/Window/unhandledrejection_event
Since not all errors will be caught we decided to use vanilla JavaScript window.onerror
and window.onunhandledrejection
in our project.
Complete question and answer:
https://stackoverflow./a/64319415/3850405
This will help: https://reactjs/blog/2017/07/26/error-handling-in-react-16.html
Basically, with React 16 and above you can use ponentDidCatch()
lifecycle method in your parent most ponent to log all the uncaught exceptions.