74 lines
2.1 KiB
TypeScript
74 lines
2.1 KiB
TypeScript
import { Component, type ReactNode } from 'react';
|
|
|
|
interface Props {
|
|
children: ReactNode;
|
|
}
|
|
|
|
interface State {
|
|
hasError: boolean;
|
|
error: Error | null;
|
|
}
|
|
|
|
class ErrorBoundary extends Component<Props, State> {
|
|
constructor(props: Props) {
|
|
super(props);
|
|
this.state = { hasError: false, error: null };
|
|
}
|
|
|
|
static getDerivedStateFromError(error: Error): State {
|
|
return { hasError: true, error };
|
|
}
|
|
|
|
componentDidCatch(error: Error, errorInfo: React.ErrorInfo) {
|
|
console.error('ErrorBoundary caught error:', error, errorInfo);
|
|
}
|
|
|
|
handleReset = () => {
|
|
this.setState({ hasError: false, error: null });
|
|
};
|
|
|
|
render() {
|
|
if (this.state.hasError) {
|
|
return (
|
|
<div className="flex items-center justify-center min-h-screen bg-background p-4">
|
|
<div className="max-w-md w-full space-y-4 text-center">
|
|
<div className="space-y-2">
|
|
<h1 className="text-2xl font-bold text-destructive">Something went wrong</h1>
|
|
<p className="text-muted-foreground">
|
|
An unexpected error occurred. Please try refreshing the page.
|
|
</p>
|
|
</div>
|
|
|
|
{this.state.error && (
|
|
<div className="p-4 bg-muted rounded-lg text-left">
|
|
<p className="text-sm font-mono text-destructive break-all">
|
|
{this.state.error.message}
|
|
</p>
|
|
</div>
|
|
)}
|
|
|
|
<div className="flex gap-2 justify-center">
|
|
<button
|
|
onClick={this.handleReset}
|
|
className="px-4 py-2 bg-primary text-primary-foreground rounded-md hover:bg-primary/90 transition-colors"
|
|
>
|
|
Try Again
|
|
</button>
|
|
<button
|
|
onClick={() => window.location.reload()}
|
|
className="px-4 py-2 bg-secondary text-secondary-foreground rounded-md hover:bg-secondary/90 transition-colors"
|
|
>
|
|
Reload Page
|
|
</button>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|
|
|
|
return this.props.children;
|
|
}
|
|
}
|
|
|
|
export default ErrorBoundary;
|