47 lines
1.3 KiB
TypeScript
47 lines
1.3 KiB
TypeScript
|
|
'use client';
|
||
|
|
import React from 'react';
|
||
|
|
|
||
|
|
interface State {
|
||
|
|
hasError: boolean;
|
||
|
|
error: Error | null;
|
||
|
|
}
|
||
|
|
|
||
|
|
interface Props {
|
||
|
|
children: React.ReactNode;
|
||
|
|
fallback?: React.ReactNode;
|
||
|
|
}
|
||
|
|
|
||
|
|
export class ErrorBoundary extends React.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, info: React.ErrorInfo) {
|
||
|
|
console.error('[ErrorBoundary]', error, info.componentStack);
|
||
|
|
}
|
||
|
|
|
||
|
|
render() {
|
||
|
|
if (this.state.hasError) {
|
||
|
|
if (this.props.fallback) return this.props.fallback;
|
||
|
|
return (
|
||
|
|
<div className="flex min-h-[200px] flex-col items-center justify-center gap-3 rounded-xl bg-red-50 p-6 text-center">
|
||
|
|
<p className="font-semibold text-red-600">Đã xảy ra lỗi hiển thị.</p>
|
||
|
|
<p className="text-sm text-gray-500">{this.state.error?.message}</p>
|
||
|
|
<button
|
||
|
|
onClick={() => this.setState({ hasError: false, error: null })}
|
||
|
|
className="rounded-lg bg-red-100 px-4 py-2 text-sm font-medium text-red-700 hover:bg-red-200"
|
||
|
|
>
|
||
|
|
Thử lại
|
||
|
|
</button>
|
||
|
|
</div>
|
||
|
|
);
|
||
|
|
}
|
||
|
|
return this.props.children;
|
||
|
|
}
|
||
|
|
}
|