vue3主题切换
- 目录结构
- [CSS 变量配置(src/styles/theme.scss)](#CSS 变量配置(src/styles/theme.scss))
- [Pinia 主题 store(src/store/theme.ts)](#Pinia 主题 store(src/store/theme.ts))
- 入口文件(src/main.ts)
- 主题抽屉组件
- 全局样式引用变量
目录结构
bash
src/
├── store/
│ └── theme.ts # Pinia 管理主题
├── styles/
│ └── theme.scss # CSS变量样式
├── App.vue
├── main.ts
CSS 变量配置(src/styles/theme.scss)
:root,
[data-theme='light'] {
--el-bg-color: #ffffff;
--el-text-color-primary: #303133;
--layout-bg-color: #f3f3f4;
}
[data-theme='dark'] {
--el-bg-color: #1e1e1e;
--el-text-color-primary: #e5eaf3;
--layout-bg-color: #121212;
}
Pinia 主题 store(src/store/theme.ts)
ts
import { defineStore } from 'pinia'
export const useThemeStore = defineStore('theme', {
state: () => ({
mode: 'light' as 'light' | 'dark',
primary: '#1C84C6'
}),
actions: {
loadTheme() {
// 从 localStorage 获取保存的模式,如果没有则使用默认值 'light'
// 使用类型断言确保值只能是 'light' 或 'dark'
const m = localStorage.getItem('mode') as 'light' | 'dark' || 'light'
// 从 localStorage 获取保存的主色调,如果没有则使用默认值 '#1C84C6'
const p = localStorage.getItem('primary') || '#1C84C6'
// 更新存储库的状态
this.mode = m
this.primary = p
document.documentElement.setAttribute('data-theme', m)
document.documentElement.style.setProperty('--el-color-primary', p)
},
setMode(mode: 'light' | 'dark') {
this.mode = mode
document.documentElement.setAttribute('data-theme', mode)
localStorage.setItem('mode', mode)
},
setPrimary(color: string) {
this.primary = color
document.documentElement.style.setProperty('--el-color-primary', color)
localStorage.setItem('primary', color)
}
}
})
入口文件(src/main.ts)
ts
import { createApp } from 'vue'
import App from './App.vue'
import 'element-plus/dist/index.css'
import pinia from '@/store'
import '@/styles/theme.scss'
const app = createApp(App)
app.use(pinia)
import { useThemeStore } from './store/theme'
const ts = useThemeStore()
ts.loadTheme()
app.mount('#app')
主题抽屉组件
ts
<!-- 主题抽屉 -->
<el-drawer v-model="drawer" title="主题设置" size="20%">
<el-form>
<el-form-item label="主题颜色">
<el-color-picker @change="onColorChange" v-model="color" show-alpha
/></el-form-item>
<el-form-item label="暗黑模式">
<el-switch v-model="isDark" @change="onModeChange"
/></el-form-item>
</el-form>
</el-drawer>
import { useThemeStore } from "@/store/modules/theme";
const themeStore = useThemeStore();
const color = computed({
get: () => themeStore.primary,
set: (val: string) => themeStore.setPrimary(val),
});
// 暗黑模式绑定
const isDark = computed({
get: () => themeStore.mode === "dark",
set: (val: boolean) => {
const mode = val ? "dark" : "light";
themeStore.setMode(mode);
},
});
// 可选,也可以直接在 computed set 内处理
function onColorChange(color: string) {
themeStore.setPrimary(color);
}
function onModeChange(val: boolean) {
themeStore.setMode(val ? "dark" : "light");
}
全局样式引用变量
ts
<style scoped>
.page {
background-color: var(--layout-bg-color);
color: var(--el-text-color-primary);
}
</style>