--- name: frontend-patterns description: 涵盖 React、Next.js、状态管理、性能优化及 UI 最佳实践的前端开发模式(Frontend development patterns)。 --- # 前端开发模式(Frontend Development Patterns) 适用于 React、Next.js 和高性能用户界面的现代前端开发模式。 ## 组件模式(Component Patterns) ### 组合优于继承(Composition Over Inheritance) ```typescript // ✅ 推荐:组件组合 interface CardProps { children: React.ReactNode variant?: 'default' | 'outlined' } export function Card({ children, variant = 'default' }: CardProps) { return
{children}
} export function CardHeader({ children }: { children: React.ReactNode }) { return
{children}
} export function CardBody({ children }: { children: React.ReactNode }) { return
{children}
} // 使用示例 标题 内容 ``` ### 复合组件(Compound Components) ```typescript interface TabsContextValue { activeTab: string setActiveTab: (tab: string) => void } const TabsContext = createContext(undefined) export function Tabs({ children, defaultTab }: { children: React.ReactNode defaultTab: string }) { const [activeTab, setActiveTab] = useState(defaultTab) return ( {children} ) } export function TabList({ children }: { children: React.ReactNode }) { return
{children}
} export function Tab({ id, children }: { id: string, children: React.ReactNode }) { const context = useContext(TabsContext) if (!context) throw new Error('Tab 必须在 Tabs 组件内使用') return ( ) } // 使用示例 概览 详情 ``` ### 渲染属性模式(Render Props Pattern) ```typescript interface DataLoaderProps { url: string children: (data: T | null, loading: boolean, error: Error | null) => React.ReactNode } export function DataLoader({ url, children }: DataLoaderProps) { const [data, setData] = useState(null) const [loading, setLoading] = useState(true) const [error, setError] = useState(null) useEffect(() => { fetch(url) .then(res => res.json()) .then(setData) .catch(setError) .finally(() => setLoading(false)) }, [url]) return <>{children(data, loading, error)} } // 使用示例 url="/api/markets"> {(markets, loading, error) => { if (loading) return if (error) return return }} ``` ## 自定义 Hook 模式(Custom Hooks Patterns) ### 状态管理 Hook ```typescript export function useToggle(initialValue = false): [boolean, () => void] { const [value, setValue] = useState(initialValue) const toggle = useCallback(() => { setValue(v => !v) }, []) return [value, toggle] } // 使用示例 const [isOpen, toggleOpen] = useToggle() ``` ### 异步数据获取 Hook ```typescript interface UseQueryOptions { onSuccess?: (data: T) => void onError?: (error: Error) => void enabled?: boolean } export function useQuery( key: string, fetcher: () => Promise, options?: UseQueryOptions ) { const [data, setData] = useState(null) const [error, setError] = useState(null) const [loading, setLoading] = useState(false) const refetch = useCallback(async () => { setLoading(true) setError(null) try { const result = await fetcher() setData(result) options?.onSuccess?.(result) } catch (err) { const error = err as Error setError(error) options?.onError?.(error) } finally { setLoading(false) } }, [fetcher, options]) useEffect(() => { if (options?.enabled !== false) { refetch() } }, [key, refetch, options?.enabled]) return { data, error, loading, refetch } } // 使用示例 const { data: markets, loading, error, refetch } = useQuery( 'markets', () => fetch('/api/markets').then(r => r.json()), { onSuccess: data => console.log('已获取', data.length, '个市场数据'), onError: err => console.error('获取失败:', err) } ) ``` ### 防抖 Hook(Debounce Hook) ```typescript export function useDebounce(value: T, delay: number): T { const [debouncedValue, setDebouncedValue] = useState(value) useEffect(() => { const handler = setTimeout(() => { setDebouncedValue(value) }, delay) return () => clearTimeout(handler) }, [value, delay]) return debouncedValue } // 使用示例 const [searchQuery, setSearchQuery] = useState('') const debouncedQuery = useDebounce(searchQuery, 500) useEffect(() => { if (debouncedQuery) { performSearch(debouncedQuery) } }, [debouncedQuery]) ``` ## 状态管理模式(State Management Patterns) ### Context + Reducer 模式 ```typescript interface State { markets: Market[] selectedMarket: Market | null loading: boolean } type Action = | { type: 'SET_MARKETS'; payload: Market[] } | { type: 'SELECT_MARKET'; payload: Market } | { type: 'SET_LOADING'; payload: boolean } function reducer(state: State, action: Action): State { switch (action.type) { case 'SET_MARKETS': return { ...state, markets: action.payload } case 'SELECT_MARKET': return { ...state, selectedMarket: action.payload } case 'SET_LOADING': return { ...state, loading: action.payload } default: return state } } const MarketContext = createContext<{ state: State dispatch: Dispatch } | undefined>(undefined) export function MarketProvider({ children }: { children: React.ReactNode }) { const [state, dispatch] = useReducer(reducer, { markets: [], selectedMarket: null, loading: false }) return ( {children} ) } export function useMarkets() { const context = useContext(MarketContext) if (!context) throw new Error('useMarkets 必须在 MarketProvider 内使用') return context } ``` ## 性能优化(Performance Optimization) ### 记忆化(Memoization) ```typescript // ✅ 使用 useMemo 处理昂贵的计算 const sortedMarkets = useMemo(() => { return markets.sort((a, b) => b.volume - a.volume) }, [markets]) // ✅ 使用 useCallback 处理传递给子组件的函数 const handleSearch = useCallback((query: string) => { setSearchQuery(query) }, []) // ✅ 使用 React.memo 优化纯组件 export const MarketCard = React.memo(({ market }) => { return (

{market.name}

{market.description}

) }) ``` ### 代码分割与延迟加载(Code Splitting & Lazy Loading) ```typescript import { lazy, Suspense } from 'react' // ✅ 延迟加载(Lazy load)重型组件 const HeavyChart = lazy(() => import('./HeavyChart')) const ThreeJsBackground = lazy(() => import('./ThreeJsBackground')) export function Dashboard() { return (
}>
) } ``` ### 长列表虚拟化(Virtualization for Long Lists) ```typescript import { useVirtualizer } from '@tanstack/react-virtual' export function VirtualMarketList({ markets }: { markets: Market[] }) { const parentRef = useRef(null) const virtualizer = useVirtualizer({ count: markets.length, getScrollElement: () => parentRef.current, estimateSize: () => 100, // 预估行高 overscan: 5 // 额外渲染的项目数量 }) return (
{virtualizer.getVirtualItems().map(virtualRow => (
))}
) } ``` ## 表单处理模式(Form Handling Patterns) ### 带验证的受控表单(Controlled Form with Validation) ```typescript interface FormData { name: string description: string endDate: string } interface FormErrors { name?: string description?: string endDate?: string } export function CreateMarketForm() { const [formData, setFormData] = useState({ name: '', description: '', endDate: '' }) const [errors, setErrors] = useState({}) const validate = (): boolean => { const newErrors: FormErrors = {} if (!formData.name.trim()) { newErrors.name = '名称是必填项' } else if (formData.name.length > 200) { newErrors.name = '名称长度必须在 200 个字符以内' } if (!formData.description.trim()) { newErrors.description = '描述是必填项' } if (!formData.endDate) { newErrors.endDate = '截止日期是必填项' } setErrors(newErrors) return Object.keys(newErrors).length === 0 } const handleSubmit = async (e: React.FormEvent) => { e.preventDefault() if (!validate()) return try { await createMarket(formData) // 成功处理 } catch (error) { // 错误处理 } } return (
setFormData(prev => ({ ...prev, name: e.target.value }))} placeholder="市场名称" /> {errors.name && {errors.name}} {/* 其他字段 */}
) } ``` ## 错误边界模式(Error Boundary Pattern) ```typescript interface ErrorBoundaryState { hasError: boolean error: Error | null } export class ErrorBoundary extends React.Component< { children: React.ReactNode }, ErrorBoundaryState > { state: ErrorBoundaryState = { hasError: false, error: null } static getDerivedStateFromError(error: Error): ErrorBoundaryState { return { hasError: true, error } } componentDidCatch(error: Error, errorInfo: React.ErrorInfo) { console.error('错误边界捕获到异常:', error, errorInfo) } render() { if (this.state.hasError) { return (

出错了

{this.state.error?.message}

) } return this.props.children } } // 使用示例 ``` ## 动画模式(Animation Patterns) ### Framer Motion 动画 ```typescript import { motion, AnimatePresence } from 'framer-motion' // ✅ 列表动画 export function AnimatedMarketList({ markets }: { markets: Market[] }) { return ( {markets.map(market => ( ))} ) } // ✅ 弹窗动画 export function Modal({ isOpen, onClose, children }: ModalProps) { return ( {isOpen && ( <> {children} )} ) } ``` ## 可访问性模式(Accessibility Patterns) ### 键盘导航 ```typescript export function Dropdown({ options, onSelect }: DropdownProps) { const [isOpen, setIsOpen] = useState(false) const [activeIndex, setActiveIndex] = useState(0) const handleKeyDown = (e: React.KeyboardEvent) => { switch (e.key) { case 'ArrowDown': e.preventDefault() setActiveIndex(i => Math.min(i + 1, options.length - 1)) break case 'ArrowUp': e.preventDefault() setActiveIndex(i => Math.max(i - 1, 0)) break case 'Enter': e.preventDefault() onSelect(options[activeIndex]) setIsOpen(false) break case 'Escape': setIsOpen(false) break } } return (
{/* 下拉菜单实现 */}
) } ``` ### 焦点管理(Focus Management) ```typescript export function Modal({ isOpen, onClose, children }: ModalProps) { const modalRef = useRef(null) const previousFocusRef = useRef(null) useEffect(() => { if (isOpen) { // 保存当前获取焦点的元素 previousFocusRef.current = document.activeElement as HTMLElement // 让弹窗获取焦点 modalRef.current?.focus() } else { // 关闭时恢复焦点 previousFocusRef.current?.focus() } }, [isOpen]) return isOpen ? (
e.key === 'Escape' && onClose()} > {children}
) : null } ``` **请记住**:现代前端模式能够构建可维护、高性能的用户界面。请根据项目的复杂程度选择合适的模式。