vue.js

关注公众号 jb51net

关闭
首页 > 网络编程 > JavaScript > javascript类库 > vue.js > Vue3首屏优化

Vue3性能优化之首屏优化实战指南

作者:反正我还没长大

这篇文章主要为大家详细介绍了Vue3中进行首屏优化的相关方法,文中的示例代码讲解详细,具有一定的借鉴价值,有需要的小伙伴可以参考一下

"这个页面怎么这么卡?"产品经理在演示时的尴尬,至今还深深印在我脑海里。当时我负责的一个项目应用,首屏加载竟然需要5.8秒!用户直接投诉:"是不是网站坏了?"从那一刻起,我开始了为期3个月的性能优化地狱之旅。今天,我想分享这段从绝望到惊喜的完整优化历程。

开篇惨状:那个让我社死的性能报告

用户投诉引发的"性能危机"

故事要从去年的一次客户汇报说起。我们团队花了半年时间开发的CRM系统要给客户演示,结果:

客户当场问:“你们这是在用2G网络测试的吗?”

更尴尬的是,我们的竞争对手产品加载只需要1.2秒!

问题排查:一场"性能侦探"之旅

回去后我立即开始排查,发现了以下触目惊心的问题:

问题1:Bundle分析显示的恐怖真相

# 运行bundle分析
npm run build:analyze

分析结果让我倒吸一口凉气:

文件大小分析:
├── vendor.js: 1.2MB (包含了整个lodash库!)
├── main.js: 800KB  
├── icons.js: 300KB (竟然打包了500+个图标)
└── 各种第三方库占了60%的空间

最离谱的发现:

问题2:瀑布图分析的悲剧

打开Chrome DevTools的Network面板:

请求瀑布图:

1. HTML文档: 200ms

2. main.css: 300ms (阻塞渲染)

3. vendor.js: 1.2s (阻塞执行) 

4. main.js: 800ms

5. 20个图标请求: 并发执行,总计500ms

6. 字体文件: 400ms

7. 各种API请求: 乱成一团

最要命的是: 所有资源都在串行加载,没有任何优化策略!

问题3:运行时性能的噩梦

使用Vue DevTools的性能分析功能:

// 某个列表组件的渲染分析
组件渲染耗时:
├── UserList组件: 1200ms 
│   ├── 用户数据获取: 300ms
│   ├── 数据处理: 400ms  
│   ├── DOM渲染: 500ms
│   └── 重复渲染次数: 8次 (!!!)

发现问题:

性能优化的"战术规划"

面对这一堆问题,我制定了分层次的优化策略:

第一层:紧急止血(目标:减少50%加载时间)

第二层:深度优化(目标:再减少30%)

第三层:精细化治理(目标:极致体验)

一、第一层止血:立竿见影的打包优化

从Bundle分析开始:找到真正的"元凶"

首先,我安装了webpack-bundle-analyzer来可视化分析:

npm install --save-dev webpack-bundle-analyzer
// vue.config.js
const BundleAnalyzerPlugin = require('webpack-bundle-analyzer').BundleAnalyzerPlugin

module.exports = {
  configureWebpack: config => {
    if (process.env.NODE_ENV === 'production') {
      config.plugins.push(
        new BundleAnalyzerPlugin({
          analyzerMode: 'static',
          openAnalyzer: false,
          reportFilename: 'bundle-report.html'
        })
      )
    }
  }
}

分析结果让我震惊:

问题1:第三方库的"黑洞"

// 🚫 之前的错误引入方式
import _ from 'lodash'           // 整个lodash库 (72KB)
import moment from 'moment'      // 整个moment库 + 语言包 (67KB)
import * as echarts from 'echarts' // 整个echarts库 (400KB)

// 我们实际只用了
_.debounce, _.throttle, _.cloneDeep
moment().format('YYYY-MM-DD')
echarts的一个简单折线图

立即优化:按需引入

// ✅ 优化后的引入方式
import debounce from 'lodash/debounce'     // 只有3KB
import throttle from 'lodash/throttle'     // 只有2KB  
import cloneDeep from 'lodash/cloneDeep'   // 只有5KB
import dayjs from 'dayjs'                  // 替代moment,只有2KB
import { LineChart } from 'echarts/charts' // 按需引入图表类型

结果:vendor.js从1.2MB降到400KB!

问题2:图标库的"灾难"

// 🚫 错误的图标引入
import '@/assets/icons/iconfont.css' // 500个图标,300KB

// 实际只用了20个图标

立即优化:图标按需加载

// ✅ 创建图标组件
// components/Icon.vue
<template>
  <i :class="`icon-${name}`" v-if="isLoaded"></i>
</template>

<script setup>
import { ref, onMounted } from 'vue'

const props = defineProps({
  name: String
})

const isLoaded = ref(false)

onMounted(async () => {
  try {
    // 动态加载图标CSS
    await import(`@/assets/icons/${props.name}.css`)
    isLoaded.value = true
  } catch (error) {
    console.warn(`Icon ${props.name} not found`)
  }
})
</script>

结果:图标资源从300KB降到15KB!

代码分割:让首屏"轻装上阵"

路由级别的代码分割

// 🚫 错误的路由配置
import Home from '@/views/Home.vue'
import About from '@/views/About.vue'
import UserList from '@/views/UserList.vue'

const routes = [
  { path: '/', component: Home },
  { path: '/about', component: About },
  { path: '/users', component: UserList }
]

这种方式会把所有页面组件都打包在main.js中。

// ✅ 优化后的路由懒加载
const routes = [
  {
    path: '/',
    component: () => import('@/views/Home.vue')
  },
  {
    path: '/about',
    component: () => import(
      /* webpackChunkName: "about" */ '@/views/About.vue'
    )
  },
  {
    path: '/users',
    component: () => import(
      /* webpackChunkName: "user-management" */ '@/views/UserList.vue'
    )
  }
]

组件级别的懒加载

// ✅ 大型组件的懒加载
<template>
  <div>
    <Header />
    <!-- 只有在需要时才加载重型组件 -->
    <Suspense>
      <template #default>
        <AsyncDataTable v-if="showTable" />
      </template>
      <template #fallback>
        <div>加载中...</div>
      </template>
    </Suspense>
  </div>
</template>

<script setup>
import { ref, defineAsyncComponent } from 'vue'

const showTable = ref(false)

// 异步组件定义
const AsyncDataTable = defineAsyncComponent({
  loader: () => import('@/components/DataTable.vue'),
  loadingComponent: () => import('@/components/Loading.vue'),
  errorComponent: () => import('@/components/Error.vue'),
  delay: 200,
  timeout: 3000
})
</script>

Webpack优化配置:榨取每一个字节

// vue.config.js
const CompressionPlugin = require('compression-webpack-plugin')

module.exports = {
  productionSourceMap: false, // 生产环境不生成source map
  
  configureWebpack: config => {
    if (process.env.NODE_ENV === 'production') {
      // Gzip压缩
      config.plugins.push(
        new CompressionPlugin({
          test: /\.(js|css|html|svg)$/,
          algorithm: 'gzip',
          threshold: 10240, // 只压缩大于10KB的文件
          minRatio: 0.8
        })
      )
      
      // 代码分割优化
      config.optimization = {
        ...config.optimization,
        splitChunks: {
          chunks: 'all',
          cacheGroups: {
            // 将第三方库单独打包
            vendor: {
              test: /[\\/]node_modules[\\/]/,
              name: 'vendors',
              chunks: 'all',
              priority: 10
            },
            // 将常用的工具函数单独打包
            common: {
              name: 'common',
              minChunks: 2,
              chunks: 'all',
              priority: 5,
              reuseExistingChunk: true
            }
          }
        }
      }
    }
  },
  
  chainWebpack: config => {
    // 预加载关键资源
    config.plugin('preload').tap(() => [
      {
        rel: 'preload',
        include: 'initial',
        fileBlacklist: [/\.map$/, /hot-update\.js$/]
      }
    ])
    
    // 预获取非关键资源
    config.plugin('prefetch').tap(() => [
      {
        rel: 'prefetch',
        include: 'asyncChunks'
      }
    ])
  }
}

CDN优化:让静态资源"飞起来"

// vue.config.js
const cdn = {
  css: [
    'https://cdn.jsdelivr.net/npm/element-plus@2.2.0/dist/index.css'
  ],
  js: [
    'https://cdn.jsdelivr.net/npm/vue@3.2.31/dist/vue.global.prod.min.js',
    'https://cdn.jsdelivr.net/npm/element-plus@2.2.0/dist/index.full.min.js'
  ]
}

module.exports = {
  configureWebpack: config => {
    if (process.env.NODE_ENV === 'production') {
      // 外部依赖不打包
      config.externals = {
        vue: 'Vue',
        'element-plus': 'ElementPlus'
      }
    }
  },
  
  chainWebpack: config => {
    config.plugin('html').tap(args => {
      args[0].cdn = cdn
      return args
    })
  }
}
<!-- public/index.html -->
<!DOCTYPE html>
<html>
<head>
  <!-- 预连接CDN -->
  <link rel="dns-prefetch" href="//cdn.jsdelivr.net" rel="external nofollow"  rel="external nofollow" >
  <link rel="preconnect" href="//cdn.jsdelivr.net" rel="external nofollow"  rel="external nofollow"  crossorigin>
  
  <!-- CDN CSS -->
  <% for (var i in htmlWebpackPlugin.options.cdn.css) { %>
    <link href="<%= htmlWebpackPlugin.options.cdn.css[i] %>" rel="external nofollow"  rel="stylesheet">
  <% } %>
</head>
<body>
  <div id="app"></div>
  
  <!-- CDN JS -->
  <% for (var i in htmlWebpackPlugin.options.cdn.js) { %>
    <script src="<%= htmlWebpackPlugin.options.cdn.js[i] %>"></script>
  <% } %>
</body>
</html>

第一轮优化结果

经过这一轮紧急优化,我们取得了显著成效:

优化前 → 优化后:
├── 总bundle大小: 2.3MB → 800KB (-65%)
├── 首屏加载时间: 5.8s → 2.1s (-64%)
├── 首次内容渲染: 3.2s → 1.2s (-63%)
└── 可交互时间: 8.1s → 3.5s (-57%)

客户的反馈: “嗯,这样看起来正常多了。”

但我知道,这只是开始。真正的挑战在后面…

// utils/performance.js
class PerformanceMonitor {
  constructor() {
    this.metrics = new Map()
    this.observers = new Map()
    this.init()
  }
  
  init() {
    // 监听核心Web Vitals
    this.observeLCP()
    this.observeFID()
    this.observeCLS()
    this.observeNavigation()
    this.observeResource()
  }
  
  // Largest Contentful Paint
  observeLCP() {
    const observer = new PerformanceObserver((list) => {
      const entries = list.getEntries()
      const lastEntry = entries[entries.length - 1]
      
      this.recordMetric('LCP', {
        value: lastEntry.startTime,
        element: lastEntry.element,
        timestamp: Date.now()
      })
    })
    
    observer.observe({ entryTypes: ['largest-contentful-paint'] })
    this.observers.set('lcp', observer)
  }
  
  // First Input Delay
  observeFID() {
    const observer = new PerformanceObserver((list) => {
      const firstInput = list.getEntries()[0]
      
      this.recordMetric('FID', {
        value: firstInput.processingStart - firstInput.startTime,
        eventType: firstInput.name,
        timestamp: Date.now()
      })
    })
    
    observer.observe({ entryTypes: ['first-input'] })
    this.observers.set('fid', observer)
  }
  
  // Cumulative Layout Shift
  observeCLS() {
    let clsValue = 0
    
    const observer = new PerformanceObserver((list) => {
      for (const entry of list.getEntries()) {
        if (!entry.hadRecentInput) {
          clsValue += entry.value
        }
      }
      
      this.recordMetric('CLS', {
        value: clsValue,
        timestamp: Date.now()
      })
    })
    
    observer.observe({ entryTypes: ['layout-shift'] })
    this.observers.set('cls', observer)
  }
  
  // 路由性能监控
  measureRouteChange(from, to) {
    const startTime = performance.now()
    
    return {
      end: () => {
        const duration = performance.now() - startTime
        this.recordMetric('RouteChange', {
          from: from.path,
          to: to.path,
          duration,
          timestamp: Date.now()
        })
      }
    }
  }
  
  // 组件渲染性能
  measureComponentRender(componentName) {
    const startTime = performance.now()
    
    return {
      end: () => {
        const duration = performance.now() - startTime
        this.recordMetric('ComponentRender', {
          component: componentName,
          duration,
          timestamp: Date.now()
        })
      }
    }
  }
  
  // API请求性能
  measureApiCall(url, method) {
    const startTime = performance.now()
    
    return {
      end: (response) => {
        const duration = performance.now() - startTime
        this.recordMetric('ApiCall', {
          url,
          method,
          duration,
          status: response.status,
          timestamp: Date.now()
        })
      }
    }
  }
  
  recordMetric(name, data) {
    if (!this.metrics.has(name)) {
      this.metrics.set(name, [])
    }
    
    this.metrics.get(name).push(data)
    
    // 上报到监控平台
    this.reportToAnalytics(name, data)
  }
  
  reportToAnalytics(name, data) {
    // 这里可以接入你的监控平台
    if (window.gtag) {
      window.gtag('event', name, {
        custom_parameter_1: data.value,
        custom_parameter_2: data.timestamp
      })
    }
    
    // 或者发送到自己的监控服务
    if (process.env.NODE_ENV === 'production') {
      fetch('/api/metrics', {
        method: 'POST',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify({ metric: name, data })
      }).catch(() => {
        // 静默失败,不影响用户体验
      })
    }
  }
  
  getMetrics(name) {
    return this.metrics.get(name) || []
  }
  
  getAverageMetric(name) {
    const metrics = this.getMetrics(name)
    if (!metrics.length) return 0
    
    const sum = metrics.reduce((acc, metric) => acc + metric.value, 0)
    return sum / metrics.length
  }
  
  destroy() {
    this.observers.forEach(observer => observer.disconnect())
    this.observers.clear()
    this.metrics.clear()
  }
}

export const performanceMonitor = new PerformanceMonitor()

Vue组件性能分析Hook

// composables/usePerformance.js
import { ref, onMounted, onUpdated, onUnmounted, getCurrentInstance } from 'vue'
import { performanceMonitor } from '@/utils/performance'

export function usePerformance(componentName) {
  const instance = getCurrentInstance()
  const renderTimes = ref([])
  const updateCount = ref(0)
  
  let mountStartTime = 0
  let updateStartTime = 0
  
  onMounted(() => {
    const mountTime = performance.now() - mountStartTime
    renderTimes.value.push({
      type: 'mount',
      duration: mountTime,
      timestamp: Date.now()
    })
    
    performanceMonitor.recordMetric('ComponentMount', {
      component: componentName || instance?.type.name || 'Unknown',
      duration: mountTime,
      timestamp: Date.now()
    })
  })
  
  onUpdated(() => {
    updateCount.value++
    
    if (updateStartTime > 0) {
      const updateTime = performance.now() - updateStartTime
      renderTimes.value.push({
        type: 'update',
        duration: updateTime,
        timestamp: Date.now()
      })
      
      performanceMonitor.recordMetric('ComponentUpdate', {
        component: componentName || instance?.type.name || 'Unknown',
        duration: updateTime,
        updateCount: updateCount.value,
        timestamp: Date.now()
      })
    }
  })
  
  // 在每次更新前记录开始时间
  const recordUpdateStart = () => {
    updateStartTime = performance.now()
  }
  
  // 记录挂载开始时间
  mountStartTime = performance.now()
  
  onUnmounted(() => {
    // 清理性能数据
    renderTimes.value = []
    updateCount.value = 0
  })
  
  return {
    renderTimes: readonly(renderTimes),
    updateCount: readonly(updateCount),
    recordUpdateStart
  }
}

二、核心性能优化策略

2.1 响应式数据优化

// composables/useOptimizedData.js
import { ref, shallowRef, computed, readonly, markRaw } from 'vue'

export function useOptimizedData() {
  // 1. 大型数据集使用shallowRef
  const largeDataset = shallowRef([])
  
  // 2. 不需要响应式的数据使用markRaw
  const staticConfig = markRaw({
    apiEndpoints: {
      users: '/api/users',
      products: '/api/products'
    },
    constants: {
      pageSize: 20,
      maxRetries: 3
    }
  })
  
  // 3. 计算属性优化 - 避免重复计算
  const expensiveComputed = computed(() => {
    // 使用闭包缓存昂贵的计算结果
    let cache = null
    let lastInput = null
    
    return (input) => {
      if (input === lastInput && cache !== null) {
        return cache
      }
      
      // 模拟昂贵的计算
      cache = input.map(item => ({
        ...item,
        processed: heavyProcessing(item)
      }))
      
      lastInput = input
      return cache
    }
  })
  
  // 4. 分页数据优化
  const paginatedData = computed(() => {
    const { page, pageSize } = pagination.value
    const start = (page - 1) * pageSize
    const end = start + pageSize
    
    // 只对当前页数据进行响应式处理
    return largeDataset.value.slice(start, end)
  })
  
  // 5. 树形数据扁平化处理
  const flattenTree = (tree) => {
    const flatMap = new Map()
    
    const traverse = (node, parent = null) => {
      flatMap.set(node.id, { ...node, parent })
      if (node.children) {
        node.children.forEach(child => traverse(child, node.id))
      }
    }
    
    tree.forEach(node => traverse(node))
    return flatMap
  }
  
  return {
    largeDataset,
    staticConfig: readonly(staticConfig),
    expensiveComputed,
    paginatedData,
    flattenTree
  }
}

function heavyProcessing(item) {
  // 模拟CPU密集型操作
  let result = 0
  for (let i = 0; i < 1000000; i++) {
    result += item.value * Math.random()
  }
  return result
}

2.2 虚拟列表实现

<!-- components/VirtualList.vue -->
<template>
  <div 
    ref="containerRef"
    class="virtual-list"
    :style="{ height: containerHeight + 'px' }"
    @scroll="handleScroll"
  >
    <div 
      class="virtual-list__phantom"
      :style="{ height: totalHeight + 'px' }"
    ></div>
    
    <div 
      class="virtual-list__content"
      :style="{ transform: `translateY(${offsetY}px)` }"
    >
      <div
        v-for="item in visibleItems"
        :key="getItemKey(item)"
        class="virtual-list__item"
        :style="{ height: itemHeight + 'px' }"
      >
        <slot :item="item" :index="item.index">
          {{ item.data }}
        </slot>
      </div>
    </div>
  </div>
</template>

<script setup>
import { ref, computed, watch, onMounted, onUnmounted, nextTick } from 'vue'

const props = defineProps({
  items: {
    type: Array,
    required: true
  },
  
  itemHeight: {
    type: Number,
    default: 50
  },
  
  containerHeight: {
    type: Number,
    default: 400
  },
  
  overscan: {
    type: Number,
    default: 5
  },
  
  getItemKey: {
    type: Function,
    default: (item) => item.id || item.index
  }
})

const containerRef = ref(null)
const scrollTop = ref(0)

// 计算属性
const totalHeight = computed(() => props.items.length * props.itemHeight)

const visibleCount = computed(() => 
  Math.ceil(props.containerHeight / props.itemHeight)
)

const startIndex = computed(() => 
  Math.max(0, Math.floor(scrollTop.value / props.itemHeight) - props.overscan)
)

const endIndex = computed(() => 
  Math.min(props.items.length - 1, startIndex.value + visibleCount.value + props.overscan * 2)
)

const offsetY = computed(() => startIndex.value * props.itemHeight)

const visibleItems = computed(() => {
  const items = []
  for (let i = startIndex.value; i <= endIndex.value; i++) {
    if (props.items[i]) {
      items.push({
        ...props.items[i],
        index: i
      })
    }
  }
  return items
})

// 滚动处理
const handleScroll = (event) => {
  scrollTop.value = event.target.scrollTop
}

// 滚动到指定索引
const scrollToIndex = (index) => {
  if (containerRef.value) {
    const targetScrollTop = index * props.itemHeight
    containerRef.value.scrollTop = targetScrollTop
  }
}

// 滚动到顶部
const scrollToTop = () => {
  scrollToIndex(0)
}

// 滚动到底部
const scrollToBottom = () => {
  scrollToIndex(props.items.length - 1)
}

defineExpose({
  scrollToIndex,
  scrollToTop,
  scrollToBottom
})
</script>

<style scoped>
.virtual-list {
  position: relative;
  overflow-y: auto;
}

.virtual-list__phantom {
  position: absolute;
  top: 0;
  left: 0;
  right: 0;
  z-index: -1;
}

.virtual-list__content {
  position: absolute;
  top: 0;
  left: 0;
  right: 0;
}

.virtual-list__item {
  box-sizing: border-box;
}
</style>

2.3 图片懒加载优化

// composables/useLazyLoad.js
import { ref, onMounted, onUnmounted } from 'vue'

export function useLazyLoad(options = {}) {
  const {
    rootMargin = '50px',
    threshold = 0.1,
    fallbackSrc = '/placeholder.jpg',
    errorSrc = '/error.jpg'
  } = options
  
  const observer = ref(null)
  const loadedImages = new Set()
  
  onMounted(() => {
    if ('IntersectionObserver' in window) {
      observer.value = new IntersectionObserver((entries) => {
        entries.forEach(entry => {
          if (entry.isIntersecting) {
            loadImage(entry.target)
            observer.value.unobserve(entry.target)
          }
        })
      }, {
        rootMargin,
        threshold
      })
    }
  })
  
  onUnmounted(() => {
    if (observer.value) {
      observer.value.disconnect()
    }
  })
  
  const loadImage = (img) => {
    if (loadedImages.has(img.src)) return
    
    const imageLoader = new Image()
    
    imageLoader.onload = () => {
      img.src = imageLoader.src
      img.classList.add('loaded')
      loadedImages.add(img.src)
    }
    
    imageLoader.onerror = () => {
      img.src = errorSrc
      img.classList.add('error')
    }
    
    imageLoader.src = img.dataset.src
  }
  
  const observe = (element) => {
    if (observer.value && element) {
      // 设置占位图
      if (!element.src) {
        element.src = fallbackSrc
      }
      
      observer.value.observe(element)
    } else {
      // 降级处理:直接加载
      loadImage(element)
    }
  }
  
  return {
    observe
  }
}

// 指令形式使用
export const lazyLoadDirective = {
  mounted(el, binding) {
    const { observe } = useLazyLoad(binding.value)
    el.dataset.src = binding.value.src || binding.value
    observe(el)
  }
}

三、构建优化策略

3.1 代码分割和懒加载

// router/index.js
import { createRouter, createWebHistory } from 'vue-router'
import { performanceMonitor } from '@/utils/performance'

// 路由级别的代码分割
const routes = [
  {
    path: '/',
    name: 'Home',
    component: () => import(
      /* webpackChunkName: "home" */
      '@/views/Home.vue'
    )
  },
  {
    path: '/dashboard',
    name: 'Dashboard',
    component: () => import(
      /* webpackChunkName: "dashboard" */
      /* webpackPreload: true */
      '@/views/Dashboard.vue'
    ),
    meta: { requiresAuth: true }
  },
  {
    path: '/reports',
    name: 'Reports',
    component: () => import(
      /* webpackChunkName: "reports" */
      '@/views/Reports.vue'
    ),
    meta: { requiresAuth: true, heavy: true }
  }
]

const router = createRouter({
  history: createWebHistory(),
  routes
})

// 路由性能监控
router.beforeEach((to, from, next) => {
  const measurement = performanceMonitor.measureRouteChange(from, to)
  
  // 对于重型页面,显示加载指示器
  if (to.meta?.heavy) {
    // 显示全局加载状态
    window.$loading?.show()
  }
  
  // 保存测量函数到路由元信息
  to.meta._measurement = measurement
  next()
})

router.afterEach((to) => {
  // 结束路由切换测量
  if (to.meta?._measurement) {
    to.meta._measurement.end()
    delete to.meta._measurement
  }
  
  // 隐藏加载指示器
  if (to.meta?.heavy) {
    window.$loading?.hide()
  }
})

export default router

3.2 Webpack/Vite优化配置

// vite.config.js
import { defineConfig } from 'vite'
import vue from '@vitejs/plugin-vue'
import { resolve } from 'path'

export default defineConfig({
  plugins: [
    vue({
      template: {
        compilerOptions: {
          // 生产环境移除注释和空格
          isProduction: process.env.NODE_ENV === 'production',
          whitespace: 'condense'
        }
      }
    })
  ],
  
  build: {
    // 代码分割策略
    rollupOptions: {
      output: {
        manualChunks: {
          // 将Vue生态相关的包单独打包
          'vue-vendor': ['vue', 'vue-router', 'pinia'],
          
          // UI库单独打包
          'ui-vendor': ['element-plus', '@element-plus/icons-vue'],
          
          // 工具库单独打包
          'utils-vendor': ['lodash-es', 'dayjs', 'axios'],
          
          // 图表库单独打包
          'chart-vendor': ['echarts', 'chart.js']
        },
        
        // 为每个chunk生成独立的CSS文件
        assetFileNames: (assetInfo) => {
          if (assetInfo.name.endsWith('.css')) {
            return 'css/[name].[hash][extname]'
          }
          return 'assets/[name].[hash][extname]'
        },
        
        chunkFileNames: (chunkInfo) => {
          const facadeModuleId = chunkInfo.facadeModuleId
          if (facadeModuleId) {
            const fileName = facadeModuleId.split('/').pop().replace('.vue', '')
            return `js/${fileName}.[hash].js`
          }
          return 'js/[name].[hash].js'
        }
      }
    },
    
    // 压缩配置
    minify: 'terser',
    terserOptions: {
      compress: {
        drop_console: true,
        drop_debugger: true,
        pure_funcs: ['console.log', 'console.warn']
      }
    },
    
    // 启用gzip压缩
    cssCodeSplit: true,
    sourcemap: false,
    
    // 设置chunk大小警告阈值
    chunkSizeWarningLimit: 1000
  },
  
  // 优化依赖预构建
  optimizeDeps: {
    include: [
      'vue',
      'vue-router',
      'pinia',
      'axios',
      'lodash-es'
    ],
    exclude: [
      '@iconify/json'
    ]
  },
  
  resolve: {
    alias: {
      '@': resolve(__dirname, 'src'),
      '~': resolve(__dirname, 'src'),
      'components': resolve(__dirname, 'src/components'),
      'utils': resolve(__dirname, 'src/utils'),
      'stores': resolve(__dirname, 'src/stores'),
      'views': resolve(__dirname, 'src/views')
    }
  }
})

四、运行时性能优化

4.1 内存泄漏防护

// composables/useMemoryManager.js
import { onUnmounted, ref } from 'vue'

export function useMemoryManager() {
  const timers = ref(new Set())
  const observers = ref(new Set())
  const eventListeners = ref(new Set())
  const abortControllers = ref(new Set())
  
  // 定时器管理
  const setManagedInterval = (callback, delay) => {
    const id = setInterval(callback, delay)
    timers.value.add(id)
    return id
  }
  
  const setManagedTimeout = (callback, delay) => {
    const id = setTimeout(() => {
      callback()
      timers.value.delete(id)
    }, delay)
    timers.value.add(id)
    return id
  }
  
  const clearManagedTimer = (id) => {
    clearInterval(id)
    clearTimeout(id)
    timers.value.delete(id)
  }
  
  // 观察者管理
  const addObserver = (observer) => {
    observers.value.add(observer)
    return observer
  }
  
  // 事件监听器管理
  const addManagedEventListener = (element, event, handler, options) => {
    element.addEventListener(event, handler, options)
    const listener = { element, event, handler }
    eventListeners.value.add(listener)
    return listener
  }
  
  // AbortController管理
  const createManagedAbortController = () => {
    const controller = new AbortController()
    abortControllers.value.add(controller)
    return controller
  }
  
  // 清理所有资源
  const cleanup = () => {
    // 清理定时器
    timers.value.forEach(id => {
      clearInterval(id)
      clearTimeout(id)
    })
    timers.value.clear()
    
    // 断开观察者
    observers.value.forEach(observer => {
      if (observer.disconnect) observer.disconnect()
      if (observer.unobserve) observer.unobserve()
    })
    observers.value.clear()
    
    // 移除事件监听器
    eventListeners.value.forEach(({ element, event, handler }) => {
      element.removeEventListener(event, handler)
    })
    eventListeners.value.clear()
    
    // 取消请求
    abortControllers.value.forEach(controller => {
      controller.abort()
    })
    abortControllers.value.clear()
  }
  
  // 组件卸载时自动清理
  onUnmounted(cleanup)
  
  return {
    setManagedInterval,
    setManagedTimeout,
    clearManagedTimer,
    addObserver,
    addManagedEventListener,
    createManagedAbortController,
    cleanup
  }
}

4.2 缓存策略优化

// utils/cache.js
class SmartCache {
  constructor(options = {}) {
    this.maxSize = options.maxSize || 100
    this.defaultTTL = options.defaultTTL || 5 * 60 * 1000 // 5分钟
    this.cache = new Map()
    this.timers = new Map()
    this.accessCount = new Map()
    this.lastAccess = new Map()
  }
  
  set(key, value, ttl = this.defaultTTL) {
    // 如果缓存已满,删除最少使用的项
    if (this.cache.size >= this.maxSize && !this.cache.has(key)) {
      this.evictLRU()
    }
    
    // 清除旧的定时器
    if (this.timers.has(key)) {
      clearTimeout(this.timers.get(key))
    }
    
    // 设置新值
    this.cache.set(key, value)
    this.accessCount.set(key, (this.accessCount.get(key) || 0) + 1)
    this.lastAccess.set(key, Date.now())
    
    // 设置过期定时器
    if (ttl > 0) {
      const timer = setTimeout(() => {
        this.delete(key)
      }, ttl)
      this.timers.set(key, timer)
    }
    
    return value
  }
  
  get(key) {
    if (!this.cache.has(key)) {
      return undefined
    }
    
    // 更新访问统计
    this.accessCount.set(key, (this.accessCount.get(key) || 0) + 1)
    this.lastAccess.set(key, Date.now())
    
    return this.cache.get(key)
  }
  
  delete(key) {
    if (this.timers.has(key)) {
      clearTimeout(this.timers.get(key))
      this.timers.delete(key)
    }
    
    this.cache.delete(key)
    this.accessCount.delete(key)
    this.lastAccess.delete(key)
  }
  
  // LRU淘汰策略
  evictLRU() {
    let lruKey = null
    let lruTime = Infinity
    
    for (const [key, time] of this.lastAccess) {
      if (time < lruTime) {
        lruTime = time
        lruKey = key
      }
    }
    
    if (lruKey) {
      this.delete(lruKey)
    }
  }
  
  clear() {
    this.timers.forEach(timer => clearTimeout(timer))
    this.cache.clear()
    this.timers.clear()
    this.accessCount.clear()
    this.lastAccess.clear()
  }
  
  // 获取缓存统计信息
  getStats() {
    return {
      size: this.cache.size,
      maxSize: this.maxSize,
      accessCount: Array.from(this.accessCount.entries()),
      lastAccess: Array.from(this.lastAccess.entries())
    }
  }
}

export const apiCache = new SmartCache({ maxSize: 50, defaultTTL: 5 * 60 * 1000 })
export const componentCache = new SmartCache({ maxSize: 20, defaultTTL: 10 * 60 * 1000 })

五、总结与监控指标

5.1 关键性能指标(KPI)

基于我的项目经验,以下是需要重点监控的指标:

1.首屏性能指标

2.应用性能指标

3.用户体验指标

5.2 性能优化ROI分析

在实际项目中,我建议按照以下优先级进行优化:

1.高ROI优化(立即实施)

2.中ROI优化(短期规划)

3.低ROI优化(长期规划)

通过系统性的性能优化方法论,我们能够显著提升Vue3应用的性能表现。记住,性能优化是一个持续的过程,需要不断地测量、分析和改进。

以上就是Vue3性能优化之首屏优化实战指南的详细内容,更多关于Vue3首屏优化的资料请关注脚本之家其它相关文章!

您可能感兴趣的文章:
阅读全文