Files
portfolio/components/ErrorBoundary.tsx
2026-01-07 23:13:25 +01:00

85 lines
2.7 KiB
TypeScript

'use client';
import React, { Component, ErrorInfo, ReactNode } from 'react';
import { AlertTriangle } from 'lucide-react';
interface Props {
children: ReactNode;
fallback?: ReactNode;
}
interface State {
hasError: boolean;
error: Error | null;
}
export 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: ErrorInfo) {
// Log error to console in development
if (process.env.NODE_ENV === 'development') {
console.error('ErrorBoundary caught an error:', error, errorInfo);
}
// In production, you could log to an error reporting service
}
render() {
if (this.state.hasError) {
if (this.props.fallback) {
return this.props.fallback;
}
return (
<div className="min-h-screen flex items-center justify-center bg-gradient-to-br from-stone-900 via-stone-800 to-stone-900 p-4">
<div className="max-w-md w-full bg-stone-800/50 backdrop-blur-sm border border-stone-700/50 rounded-xl p-8 shadow-2xl">
<div className="flex items-center justify-center mb-6">
<AlertTriangle className="w-16 h-16 text-yellow-500" />
</div>
<h2 className="text-2xl font-bold text-white mb-4 text-center">
Something went wrong
</h2>
<p className="text-stone-300 mb-6 text-center">
We encountered an unexpected error. Please try refreshing the page.
</p>
{process.env.NODE_ENV === 'development' && this.state.error && (
<details className="mt-4">
<summary className="text-stone-400 cursor-pointer text-sm mb-2">
Error details (development only)
</summary>
<pre className="text-xs text-stone-500 bg-stone-900/50 p-3 rounded overflow-auto max-h-40">
{this.state.error.toString()}
</pre>
</details>
)}
<button
onClick={() => {
this.setState({ hasError: false, error: null });
window.location.reload();
}}
className="w-full mt-6 px-6 py-3 bg-gradient-to-r from-blue-600 to-purple-600 text-white rounded-lg font-semibold hover:from-blue-700 hover:to-purple-700 transition-all duration-200 shadow-lg hover:shadow-xl"
>
Refresh Page
</button>
</div>
</div>
);
}
return this.props.children;
}
}