Files
igny8/frontend/src/components/common/ErrorBoundary.tsx
2025-11-09 10:27:02 +00:00

83 lines
2.2 KiB
TypeScript

import React, { Component, ErrorInfo, ReactNode } from 'react';
interface Props {
children: ReactNode;
fallback?: ReactNode;
}
interface State {
hasError: boolean;
error: Error | null;
errorInfo: ErrorInfo | null;
}
export class ErrorBoundary extends Component<Props, State> {
constructor(props: Props) {
super(props);
this.state = {
hasError: false,
error: null,
errorInfo: null,
};
}
static getDerivedStateFromError(error: Error): State {
return {
hasError: true,
error,
errorInfo: null,
};
}
componentDidCatch(error: Error, errorInfo: ErrorInfo) {
console.error('ErrorBoundary caught an error:', error, errorInfo);
this.setState({
error,
errorInfo,
});
}
render() {
if (this.state.hasError) {
if (this.props.fallback) {
return this.props.fallback;
}
return (
<div className="flex items-center justify-center min-h-screen p-6">
<div className="text-center max-w-md">
<h2 className="text-2xl font-semibold text-gray-800 dark:text-white mb-4">
Something went wrong
</h2>
<p className="text-gray-600 dark:text-gray-400 mb-4">
{this.state.error?.message || 'An unexpected error occurred'}
</p>
<button
onClick={() => {
this.setState({ hasError: false, error: null, errorInfo: null });
window.location.reload();
}}
className="px-4 py-2 bg-primary-500 text-white rounded-lg hover:bg-primary-600"
>
Reload Page
</button>
{import.meta.env.DEV && this.state.error && (
<details className="mt-4 text-left">
<summary className="cursor-pointer text-sm text-gray-500 dark:text-gray-400">
Error Details
</summary>
<pre className="mt-2 text-xs bg-gray-100 dark:bg-gray-800 p-2 rounded overflow-auto">
{this.state.error.stack}
</pre>
</details>
)}
</div>
</div>
);
}
return this.props.children;
}
}