-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathvite.config.mjs
186 lines (163 loc) · 5.57 KB
/
vite.config.mjs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
import { defineConfig } from 'vite';
import vue from '@vitejs/plugin-vue';
import fs from 'fs/promises';
import path from 'path';
import { optimize } from 'svgo';
import { fileURLToPath } from 'url';
import * as webfontModule from 'webfont';
const { webfont } = webfontModule;
// ✅ Эмуляция __dirname для ESM
const __filename = fileURLToPath(import.meta.url);
const __dirname = path.dirname(__filename);
// 🔧 Оптимизация SVG-файлов
async function optimizeSVGs(inputDir) {
console.log('🔍 Оптимизируем SVG перед генерацией шрифта...');
const files = await fs.readdir(inputDir);
const svgFiles = files.filter(file => file.endsWith('.svg'));
for (const file of svgFiles) {
const filePath = path.join(inputDir, file);
const svgContent = await fs.readFile(filePath, 'utf-8');
const optimizedSVG = optimize(svgContent, {
multipass: true,
plugins: [
'removeDoctype',
'removeXMLProcInst',
'removeComments',
'removeMetadata',
'removeTitle',
'removeDesc',
'removeEmptyAttrs',
'removeHiddenElems',
'removeEmptyText',
'removeEmptyContainers',
'convertPathData',
'collapseGroups',
'mergePaths',
{
name: 'removeAttrs',
params: {
attrs: '(stroke|clip-path|mask|id|width|height)',
},
},
{
name: 'convertShapeToPath',
params: { convertArcs: true },
},
],
});
await fs.writeFile(filePath, optimizedSVG.data, 'utf-8');
}
}
// 🎨 Генерация шрифта
async function generateIconFont() {
const ICONS_DIR = path.resolve(__dirname, 'lib/icons-source');
const OUTPUT_FONTS_DIR = path.resolve(__dirname, 'dist/iconfonts');
const OUTPUT_CSS_FILE = path.resolve(__dirname, 'dist/iconfonts/icons.css');
await optimizeSVGs(ICONS_DIR);
try {
console.log('🎨 Генерируем шрифт из SVG...');
const result = await webfont({
files: `${ICONS_DIR}/*.svg`,
fontName: 'icons',
formats: ['woff2', 'woff'],
template: 'css',
normalize: true,
fontHeight: 1000,
descent: 200,
});
await fs.mkdir(OUTPUT_FONTS_DIR, { recursive: true });
await fs.writeFile(path.join(OUTPUT_FONTS_DIR, 'icons.woff2'), result.woff2);
await fs.writeFile(path.join(OUTPUT_FONTS_DIR, 'icons.woff'), result.woff);
await fs.writeFile(OUTPUT_CSS_FILE, result.template);
console.log('✅ Шрифт и CSS успешно созданы!');
} catch (error) {
console.error('❌ Ошибка генерации шрифта:', error);
}
}
// 💾 Сохраняем CSS-переменные для иконок
async function saveIconFont() {
const INPUT_FONTS_DIR = path.resolve(__dirname, 'dist/iconfonts');
const OUTPUT_FONTS_DIR = path.resolve(__dirname, 'lib/iconfonts');
const INPUT_CSS_FILE = path.join(INPUT_FONTS_DIR, 'icons.css');
const OUTPUT_CSS_FILE = path.resolve(__dirname, 'lib/styles/icons.css');
try {
await fs.mkdir(OUTPUT_FONTS_DIR, { recursive: true });
await Promise.all([
fs.copyFile(path.join(INPUT_FONTS_DIR, 'icons.woff2'), path.join(OUTPUT_FONTS_DIR, 'icons.woff2')),
fs.copyFile(path.join(INPUT_FONTS_DIR, 'icons.woff'), path.join(OUTPUT_FONTS_DIR, 'icons.woff')),
]);
const cssContent = await fs.readFile(INPUT_CSS_FILE, 'utf-8');
const regex = /\.icons-([\w-]+)::before\s*\{\s*content:\s*["'](\\[a-fA-F0-9]+)["'];?\s*\}/g;
const iconVars = [];
let match;
while ((match = regex.exec(cssContent)) !== null) {
iconVars.push(` --icon-${match[1]}: "${match[2]}";`);
}
if (iconVars.length === 0) {
console.warn('⚠️ Не найдено ни одной иконки. Проверь icons.css!');
}
const finalCSS = `:root {\n${iconVars.join('\n')}\n}\n`;
await fs.mkdir(path.dirname(OUTPUT_CSS_FILE), { recursive: true });
await fs.writeFile(OUTPUT_CSS_FILE, finalCSS, 'utf-8');
console.log('✅ CSS-переменные иконок сохранены в:', OUTPUT_CSS_FILE);
} catch (err) {
console.error('❌ Ошибка при копировании шрифтов и CSS:', err);
}
}
// 📦 Конфигурация Vite
export default defineConfig({
build: {
emptyOutDir: false,
lib: {
entry: path.resolve(__dirname, 'lib/index.js'),
name: 'RobonomicsUiVue',
formats: ['cjs', 'es'],
fileName: format => (format === 'cjs' ? '[name].js' : `[name].${format}.js`),
},
rollupOptions: {
external: [
'vue',
'crypto-js',
'vue-router',
'vuex',
'file-saver',
'@polkadot/keyring',
'@polkadot/ui-keyring',
'@polkadot/util-crypto',
'@polkadot/util',
'mipd',
],
output: {
globals: {
vue: 'vue',
'crypto-js': 'crypto-js',
'vue-router': 'vue-router',
vuex: 'vuex',
'file-saver': 'file-saver',
'@polkadot/keyring': '@polkadot/keyring',
'@polkadot/ui-keyring': '@polkadot/ui-keyring',
'@polkadot/util-crypto': '@polkadot/util-crypto',
'@polkadot/util': '@polkadot/util',
mipd: 'mipd',
},
dir: './dist',
inlineDynamicImports: true,
},
},
},
plugins: [
vue(),
{
name: 'generate-icon-font',
buildStart: async () => {
await generateIconFont();
},
},
{
name: 'extract-icon-content',
closeBundle: async () => {
await saveIconFont();
},
},
],
});