jQuery 转 Solid 迁移实战:从0到1

张开发
2026/4/19 6:22:34 15 分钟阅读

分享文章

jQuery 转 Solid 迁移实战:从0到1
一、为什么要写这篇文章做过 jQuery 转 Vue3 迁移的同学都知道——光看文档是不够的。文档告诉你 API 怎么用但不会告诉你哪些习惯性写法在新框架里会悄悄出错还不报错。本文来自真实迁移经历整理了 6 类高频踩坑场景每个都附有错误写法 报错现象 根因分析 正确做法直接拿去对照自查。二、坑一响应式数据更新方式不同// ❌ 错误用 jQuery 的不可变思维修改 Vue3 响应式对象 // jQuery 中你习惯这样做 setState({ ...user, name: new name }); // 迁移到 Vue3 后照搬展开响应式丢失 user.value { ...user.value, name: new name }; // ❌ 触发重新渲染但 watcher 无法感知深层变化 // ✅ 正确Vue3 直接修改响应式对象属性 user.value.name new name; // ✅ Proxy 自动追踪 // 如果需要整体替换用 Object.assign Object.assign(user.value, { name: new name, age: 30 }); // ✅根因Vue3 用 Proxy 代理对象直接赋值属性才能被依赖追踪系统捕获。...spread 会产生一个全新对象绑定虽然触发更新但破坏了 reactive 深层追踪。三、坑二生命周期钩子时序差异// ❌ 错误在 Vue3 setup() 里直接读取 DOMDOM 未挂载 setup() { const el document.getElementById(chart); // ❌ 此时 DOM 还没渲染 initChart(el); // 崩溃: Cannot read properties of null } // ✅ 正确DOM 操作必须放在 onMounted 里 setup() { const chartRef ref(null); onMounted(() { initChart(chartRef.value); // ✅ DOM 已挂载 }); onUnmounted(() { destroyChart(); // ✅ 必须清理防止内存泄漏 }); return { chartRef }; }四、坑三watch 的立即执行与 useEffect 的差异// jQuery 的 useEffect依赖变化 初始化都执行 useEffect(() { fetchData(userId); }, [userId]); // 组件挂载时也执行一次 // ❌ 误以为 Vue3 的 watch 同理 watch(userId, (newId) { fetchData(newId); // ❌ 首次不执行只在 userId 变化时才触发 }); // ✅ 正确加 immediate: true 让首次也执行 watch(userId, (newId) { fetchData(newId); }, { immediate: true }); // ✅ 等价于 jQuery 的 useEffect // 或者用 watchEffect自动收集依赖立即执行 watchEffect(() { fetchData(userId.value); // ✅ 立即执行 userId.value 变化时自动重跑 });五、坑四类型定义与 Props 校验// ❌ 错误直接用 PropTypes 的思维但 Vue3 不支持 props: { user: PropTypes.shape({ name: String }) // ❌ Vue3 没有 PropTypes } // ✅ 正确Vue3 用 defineProps TypeScript 接口 interface UserProps { user: { name: string; age: number; avatar?: string; }; onUpdate?: (id: number) void; } const props definePropsUserProps(); // 带默认值 const props withDefaults(definePropsUserProps(), { user: () ({ name: 游客, age: 0 }), });六、坑五事件总线 / 全局状态的迁移// jQuery 习惯用全局 Redux / Context // ❌ 错误迁移时找不到 Vue3 等价物用全局变量代替 window.__state reactive({}); // ❌ 失去了响应式边界调试困难 // ✅ 正确用 PiniaVue3 官方推荐状态管理 // stores/user.ts export const useUserStore defineStore(user, () { const user ref(null); const isLoggedIn computed(() !!user.value); async function login(credentials) { user.value await api.login(credentials); } function logout() { user.value null; } return { user, isLoggedIn, login, logout }; }); // 组件中使用 const userStore useUserStore(); const { user, isLoggedIn } storeToRefs(userStore); // ✅ 保持响应式七、坑六异步组件与 Suspense// jQuery 懒加载组件 const LazyComponent lazy(() import(./HeavyComponent)); // Vue3 等价写法API 不同 const LazyComponent defineAsyncComponent(() import(./HeavyComponent)); // Vue3 的异步组件支持加载状态和错误状态 const LazyComponent defineAsyncComponent({ loader: () import(./HeavyComponent), loadingComponent: LoadingSpinner, errorComponent: ErrorDisplay, delay: 200, // 200ms 后才显示 loading防闪烁 timeout: 3000, // 超时时间 });八、总结 Checklist场景jQuery 做法Vue3 正确做法对象更新setState({...obj})直接修改属性 / Object.assignDOM 操作useEffect refonMounted ref副作用初始化useEffect(() fn, [dep])watch(dep, fn, {immediate: true})Props 类型PropTypesdefineProps()全局状态Redux / ContextPinia defineStore懒加载组件React.lazydefineAsyncComponent清理资源return () cleanup()onUnmounted(() cleanup())踩过坑的点赞收藏关注我后续持续更新框架迁移避坑系列React↔Vue3↔Angular 全覆盖。三、实战进阶jQuery 最佳实践3.1 错误处理与异常设计在生产环境中完善的错误处理是系统稳定性的基石。以下是 jQuery 的推荐错误处理模式// 全局错误边界React/ 全局错误处理Vue3 // Vue3 全局错误处理 const app createApp(App); app.config.errorHandler (err, instance, info) { // 1. 上报错误到监控系统Sentry/自建 errorReporter.capture(err, { component: instance?.$options?.name, info, userAgent: navigator.userAgent, url: location.href, }); // 2. 区分错误类型网络错误 vs 业务错误 vs 未知错误 if (err instanceof NetworkError) { toast.error(网络连接失败请检查网络); } else if (err instanceof BusinessError) { toast.warning(err.message); } else { toast.error(系统异常请稍后重试); console.error([未知错误], err); } }; // 异步错误Promise.reject 未处理 window.addEventListener(unhandledrejection, (event) { errorReporter.capture(event.reason, { type: unhandledrejection }); event.preventDefault(); // 阻止默认的控制台报错 });3.2 性能监控与可观测性现代系统必须具备三大可观测性Metrics指标、Logs日志、Traces链路追踪。// 前端性能监控Core Web Vitals 自定义指标 import { onCLS, onFID, onFCP, onLCP, onTTFB } from web-vitals; // 收集 Web Vitals 并上报 function reportWebVitals(metric) { const { name, value, id, delta } metric; // 发送到自建监控或 Google Analytics fetch(/api/analytics, { method: POST, body: JSON.stringify({ name, // CLS/FID/FCP/LCP/TTFB value, // 当前值 delta, // 与上次的差值 id, // 唯一标识 page: location.pathname, timestamp: Date.now(), }), keepalive: true, // 页面关闭时也能发送 }); } onCLS(reportWebVitals); // 累积布局偏移 onFID(reportWebVitals); // 首次输入延迟 onLCP(reportWebVitals); // 最大内容绘制 2.5s 为优 onFCP(reportWebVitals); // 首次内容绘制 onTTFB(reportWebVitals); // 首字节时间 // 自定义性能标记 performance.mark(api-start); const data await fetch(/api/data); performance.mark(api-end); performance.measure(api-latency, api-start, api-end); const [measure] performance.getEntriesByName(api-latency); console.log(API 耗时:, measure.duration.toFixed(2) ms);3.3 测试策略单元测试 集成测试高质量代码离不开完善的测试覆盖。以下是 jQuery 推荐的测试实践// Vue3 组件测试Vitest Vue Testing Library import { describe, it, expect, vi } from vitest; import { render, fireEvent, waitFor } from testing-library/vue; import UserCard from ./UserCard.vue; describe(UserCard 组件, () { it(正确渲染用户信息, () { const { getByText } render(UserCard, { props: { name: 张三, email: zhangexample.com, role: admin }, }); expect(getByText(张三)).toBeInTheDocument(); expect(getByText(zhangexample.com)).toBeInTheDocument(); expect(getByText(管理员)).toBeInTheDocument(); }); it(点击删除按钮时 emit delete 事件, async () { const { getByRole, emitted } render(UserCard, { props: { name: 李四, email: liexample.com, role: user }, }); await fireEvent.click(getByRole(button, { name: 删除 })); expect(emitted().delete).toBeTruthy(); expect(emitted().delete[0]).toEqual([{ email: liexample.com }]); }); it(加载状态下显示 Skeleton, () { const { container } render(UserCard, { props: { loading: true }, }); expect(container.querySelector(.skeleton)).toBeInTheDocument(); }); }); // Pinia Store 测试 import { setActivePinia, createPinia } from pinia; import { useUserStore } from /stores/user; describe(UserStore, () { beforeEach(() setActivePinia(createPinia())); it(login 成功后更新 state, async () { const store useUserStore(); vi.spyOn(authApi, login).mockResolvedValue({ token: mock-token, user: { id: 1, name: 测试用户 }, }); await store.login(testexample.com, password); expect(store.isLoggedIn).toBe(true); expect(store.user?.name).toBe(测试用户); expect(localStorage.getItem(token)).toBe(mock-token); }); });3.4 生产部署清单上线前必检检查项具体内容优先级配置安全密钥不在代码中用环境变量或 VaultP0错误处理所有 API 有 fallback不暴露内部错误P0日志规范结构化 JSON 日志含 traceIdP0健康检查/health 接口K8s readiness/liveness probeP0限流保护API 网关或应用层限流P1监控告警错误率/响应时间/CPU/内存 四大指标P1压测验证上线前跑 10 分钟压测确认 QPS/延迟P1回滚预案蓝绿部署或金丝雀发布问题 1 分钟回滚P1四、常见问题排查4.1 jQuery 内存占用过高排查步骤确认泄漏存在观察内存是否持续增长而非偶发峰值生成内存快照使用对应工具Chrome DevTools / heapdump / memory_profiler比对两次快照找到两次快照间新增且未释放的对象溯源代码找到对象创建的调用栈确认是否被缓存/全局变量/闭包持有常见原因全局/模块级变量无限增长缓存无上限事件监听器添加但未移除定时器/interval 未清理闭包意外持有大对象引用4.2 性能瓶颈在哪里通用排查三板斧数据库explain 慢查询加索引缓存热点数据网络 IO接口耗时分布P50/P90/P99N1 查询问题CPU火焰图flamegraph找热点函数减少不必要计算五、总结与最佳实践学习 jQuery 的正确姿势先跑通再优化先让代码工作再根据性能测试数据做针对性优化了解底层原理知道框架帮你做了什么才知道什么时候需要绕过它从错误中学习每次线上问题都是提升的机会认真做 RCA根因分析保持代码可测试依赖注入、单一职责让每个函数都能独立测试关注社区动态订阅官方博客/Release Notes及时了解新特性和 Breaking Changes觉得有帮助点赞收藏关注持续更新 jQuery 实战系列。觉得有用点赞收藏关注后续持续更新《框架迁移避坑》系列React↔Vue3↔Angular 全覆盖。标签jQuery | Solid | 迁移 | 实战 | 前端

更多文章