This repository has been archived by the owner on Jul 22, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 212
/
gulpfile.js
570 lines (507 loc) · 18.5 KB
/
gulpfile.js
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
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
/* global exports process console __dirname Buffer */
/* eslint-disable no-console */
'use strict';
// Пакеты, использующиеся при обработке
const { series, parallel, src, dest, watch, lastRun } = require('gulp');
const fs = require('fs');
const plumber = require('gulp-plumber');
const del = require('del');
const pug = require('gulp-pug');
const through2 = require('through2');
const rename = require('gulp-rename');
const getClassesFromHtml = require('get-classes-from-html');
const browserSync = require('browser-sync').create();
const debug = require('gulp-debug');
const sass = require('gulp-sass');
const webpackStream = require('webpack-stream');
const buffer = require('vinyl-buffer');
const postcss = require('gulp-postcss');
const autoprefixer = require("autoprefixer");
const mqpacker = require("css-mqpacker");
const atImport = require("postcss-import");
const csso = require('gulp-csso');
const inlineSVG = require('postcss-inline-svg');
const cpy = require('cpy');
const svgstore = require('gulp-svgstore');
const svgmin = require('gulp-svgmin');
const spritesmith = require('gulp.spritesmith');
const merge = require('merge-stream');
const imagemin = require('gulp-imagemin');
const prettyHtml = require('gulp-pretty-html');
const replace = require('gulp-replace');
const ghpages = require('gh-pages');
const path = require('path');
// Глобальные настройки этого запуска
const buildLibrary = process.env.BUILD_LIBRARY || false;
const mode = process.env.MODE || 'development';
const nth = {};
nth.config = require('./config.js');
nth.blocksFromHtml = Object.create(nth.config.alwaysAddBlocks); // блоки из конфига сразу добавим в список блоков
nth.scssImportsList = []; // список импортов стилей
const dir = nth.config.dir;
// Сообщение для компилируемых файлов
let doNotEditMsg = '\n ВНИМАНИЕ! Этот файл генерируется автоматически.\n Любые изменения этого файла будут потеряны при следующей компиляции.\n Любое изменение проекта без возможности компиляции ДОЛЬШЕ И ДОРОЖЕ в 2-5 раз.\n\n';
// Настройки pug-компилятора
let pugOption = {
data: { repoUrl: 'https://github.com/nicothin/NTH-start-project', },
filters: { 'show-code': filterShowCode, },
};
// Настройки бьютификатора
let prettyOption = {
indent_size: 2,
indent_char: ' ',
unformatted: ['code', 'em', 'strong', 'span', 'i', 'b', 'br', 'script'],
content_unformatted: [],
};
// Список и настройки плагинов postCSS
let postCssPlugins = [
autoprefixer({grid: true}),
mqpacker({
sort: true
}),
atImport(),
inlineSVG(),
];
function writePugMixinsFile(cb) {
let allBlocksWithPugFiles = getDirectories('pug');
let pugMixins = '//-' + doNotEditMsg.replace(/\n /gm,'\n ');
allBlocksWithPugFiles.forEach(function(blockName) {
pugMixins += `include ${dir.blocks.replace(dir.src,'../')}${blockName}/${blockName}.pug\n`;
});
fs.writeFileSync(`${dir.src}pug/mixins.pug`, pugMixins);
cb();
}
exports.writePugMixinsFile = writePugMixinsFile;
function compilePug() {
const fileList = [
`${dir.src}pages/**/*.pug`
];
if(!buildLibrary) fileList.push(`!${dir.src}pages/blocks-demo.pug`);
return src(fileList)
.pipe(plumber({
errorHandler: function (err) {
console.log(err.message);
this.emit('end');
}
}))
.pipe(debug({title: 'Compiles '}))
.pipe(pug(pugOption))
.pipe(prettyHtml(prettyOption))
.pipe(replace(/^(\s*)(<button.+?>)(.*)(<\/button>)/gm, '$1$2\n$1 $3\n$1$4'))
.pipe(replace(/^( *)(<.+?>)(<script>)([\s\S]*)(<\/script>)/gm, '$1$2\n$1$3\n$4\n$1$5\n'))
.pipe(through2.obj(getClassesToBlocksList))
.pipe(dest(dir.build));
}
exports.compilePug = compilePug;
function compilePugFast() {
const fileList = [
`${dir.src}pages/**/*.pug`
];
if(!buildLibrary) fileList.push(`!${dir.src}pages/blocks-demo.pug`);
return src(fileList, { since: lastRun(compilePugFast) })
.pipe(plumber({
errorHandler: function (err) {
console.log(err.message);
this.emit('end');
}
}))
.pipe(debug({title: 'Compiles '}))
.pipe(pug(pugOption))
.pipe(prettyHtml(prettyOption))
.pipe(replace(/^(\s*)(<button.+?>)(.*)(<\/button>)/gm, '$1$2\n$1 $3\n$1$4'))
.pipe(replace(/^( *)(<.+?>)(<script>)([\s\S]*)(<\/script>)/gm, '$1$2\n$1$3\n$4\n$1$5\n'))
.pipe(through2.obj(getClassesToBlocksList))
.pipe(dest(dir.build));
}
exports.compilePugFast = compilePugFast;
function copyAssets(cb) {
for (let item in nth.config.addAssets) {
let dest = `${dir.build}${nth.config.addAssets[item]}`;
cpy(item, dest);
}
cb();
}
exports.copyAssets = copyAssets;
function copyImg(cb) {
let copiedImages = [];
nth.blocksFromHtml.forEach(function(block) {
let src = `${dir.blocks}${block}/img`;
if(fileExist(src)) copiedImages.push(`${src}/*.{png,jpg,jpeg,svg}`);
});
nth.config.alwaysAddBlocks.forEach(function(block) {
let src = `${dir.blocks}${block}/img`;
if(fileExist(src)) copiedImages.push(`${src}/*.{png,jpg,jpeg,svg}`);
});
if(copiedImages.length) {
(async () => {
await cpy(copiedImages, `${dir.build}img`);
cb();
})();
}
else {
cb();
}
}
exports.copyImg = copyImg;
function generateSvgSprite(cb) {
let spriteSvgPath = `${dir.blocks}sprite-svg/svg/`;
if(nth.config.alwaysAddBlocks.indexOf('sprite-svg') > -1 && fileExist(spriteSvgPath)) {
return src(spriteSvgPath + '*.svg')
.pipe(svgmin(function () {
return { plugins: [{ cleanupIDs: { minify: true } }] }
}))
.pipe(svgstore({ inlineSvg: true }))
.pipe(rename('sprite.svg'))
.pipe(dest(`${dir.blocks}sprite-svg/img/`));
}
else {
cb();
}
}
exports.generateSvgSprite = generateSvgSprite;
function generatePngSprite(cb) {
let spritePngPath = `${dir.blocks}sprite-png/png/`;
if(nth.config.alwaysAddBlocks.indexOf('sprite-png') > -1 && fileExist(spritePngPath)) {
del(`${dir.blocks}sprite-png/img/*.png`);
let fileName = 'sprite-' + Math.random().toString().replace(/[^0-9]/g, '') + '.png';
let spriteData = src(spritePngPath + '*.png')
.pipe(spritesmith({
imgName: fileName,
cssName: 'sprite-png.scss',
padding: 4,
imgPath: '../img/' + fileName
}));
let imgStream = spriteData.img
.pipe(buffer())
.pipe(imagemin([ imagemin.optipng({ optimizationLevel: 5 }) ]))
.pipe(dest(`${dir.blocks}sprite-png/img/`));
let cssStream = spriteData.css
.pipe(dest(`${dir.blocks}sprite-png/`));
return merge(imgStream, cssStream);
}
else {
cb();
}
}
exports.generatePngSprite = generatePngSprite;
function writeSassImportsFile(cb) {
const newScssImportsList = [];
nth.config.addStyleBefore.forEach(function(src) {
newScssImportsList.push(src);
});
nth.config.alwaysAddBlocks.forEach(function(blockName) {
if (fileExist(`${dir.blocks}${blockName}/${blockName}.scss`)) newScssImportsList.push(`${dir.blocks}${blockName}/${blockName}.scss`);
});
let allBlocksWithScssFiles = getDirectories('scss');
allBlocksWithScssFiles.forEach(function(blockWithScssFile){
let url = `${dir.blocks}${blockWithScssFile}/${blockWithScssFile}.scss`;
if (nth.blocksFromHtml.indexOf(blockWithScssFile) == -1) return;
if (newScssImportsList.indexOf(url) > -1) return;
newScssImportsList.push(url);
});
nth.config.addStyleAfter.forEach(function(src) {
newScssImportsList.push(src);
});
let diff = getArraysDiff(newScssImportsList, nth.scssImportsList);
if (diff.length) {
let msg = `\n/*!*${doNotEditMsg.replace(/\n /gm,'\n * ').replace(/\n\n$/,'\n */\n\n')}`;
let styleImports = msg;
newScssImportsList.forEach(function(src) {
styleImports += `@import "${src}";\n`;
});
styleImports += msg;
fs.writeFileSync(`${dir.src}scss/style.scss`, styleImports);
console.log('---------- Write new style.scss');
nth.scssImportsList = newScssImportsList;
}
cb();
}
exports.writeSassImportsFile = writeSassImportsFile;
function compileSass() {
const fileList = [
`${dir.src}scss/style.scss`,
];
if(buildLibrary) fileList.push(`${dir.blocks}blocks-library/blocks-library.scss`);
return src(fileList, { sourcemaps: true })
.pipe(plumber({
errorHandler: function (err) {
console.log(err.message);
this.emit('end');
}
}))
.pipe(debug({title: 'Compiles:'}))
.pipe(sass({includePaths: [__dirname+'/','node_modules']}))
.pipe(postcss(postCssPlugins))
.pipe(csso({
restructure: false,
}))
.pipe(dest(`${dir.build}/css`, { sourcemaps: mode === 'development' ? '.' : false }))
.pipe(browserSync.stream());
}
exports.compileSass = compileSass;
function writeJsRequiresFile(cb) {
const jsRequiresList = [];
nth.config.addJsBefore.forEach(function(src) {
jsRequiresList.push(src);
});
const allBlocksWithJsFiles = getDirectories('js');
allBlocksWithJsFiles.forEach(function(blockName){
if (nth.config.alwaysAddBlocks.indexOf(blockName) == -1) return;
jsRequiresList.push(`../blocks/${blockName}/${blockName}.js`)
});
allBlocksWithJsFiles.forEach(function(blockName){
let src = `../blocks/${blockName}/${blockName}.js`
if (nth.blocksFromHtml.indexOf(blockName) == -1) return;
if (jsRequiresList.indexOf(src) > -1) return;
jsRequiresList.push(src);
});
nth.config.addJsAfter.forEach(function(src) {
jsRequiresList.push(src);
});
let msg = `\n/*!*${doNotEditMsg.replace(/\n /gm,'\n * ').replace(/\n\n$/,'\n */\n\n')}`;
let jsRequires = msg + '/* global require */\n\n';
jsRequiresList.forEach(function(src) {
jsRequires += `require('${src}');\n`;
});
jsRequires += msg;
fs.writeFileSync(`${dir.src}js/entry.js`, jsRequires);
console.log('---------- Write new entry.js');
cb();
}
exports.writeJsRequiresFile = writeJsRequiresFile;
function buildJs() {
const entryList = {
'bundle': `./${dir.src}js/entry.js`,
};
if(buildLibrary) entryList['blocks-library'] = `./${dir.blocks}blocks-library/blocks-library.js`;
return src(`${dir.src}js/entry.js`)
.pipe(plumber())
.pipe(webpackStream({
mode: mode,
entry: entryList,
devtool: mode === 'development' ? 'inline-source-map' : false,
output: {
filename: '[name].js',
},
resolve: {
alias: {
Utils: path.resolve(__dirname, 'src/js/utils/'),
},
},
module: {
rules: [
{
test: /\.(js)$/,
exclude: /(node_modules)/,
loader: 'babel-loader',
query: {
presets: ['@babel/preset-env']
}
}
]
},
// externals: {
// jquery: 'jQuery'
// }
}))
.pipe(dest(`${dir.build}js`));
}
exports.buildJs = buildJs;
function clearBuildDir() {
return del([
`${dir.build}**/*`,
`!${dir.build}readme.md`,
]);
}
exports.clearBuildDir = clearBuildDir;
function reload(done) {
browserSync.reload();
done();
}
function deploy(cb) {
ghpages.publish(path.join(process.cwd(), dir.build), cb);
}
exports.deploy = deploy;
function serve() {
browserSync.init({
server: dir.build,
port: 8080,
startPath: 'index.html',
open: false,
notify: false,
});
// Страницы: изменение, добавление
watch([`${dir.src}pages/**/*.pug`], { events: ['change', 'add'], delay: 100 }, series(
compilePugFast,
parallel(writeSassImportsFile, writeJsRequiresFile),
parallel(compileSass, buildJs),
reload
));
// Страницы: удаление
watch([`${dir.src}pages/**/*.pug`], { delay: 100 })
// TODO попробовать с events: ['unlink']
.on('unlink', function(path) {
let filePathInBuildDir = path.replace(`${dir.src}pages/`, dir.build).replace('.pug', '.html');
fs.unlink(filePathInBuildDir, (err) => {
if (err) throw err;
console.log(`---------- Delete: ${filePathInBuildDir}`);
});
});
// Разметка Блоков: изменение
watch([`${dir.blocks}**/*.pug`], { events: ['change'], delay: 100 }, series(
compilePug,
reload
));
// Разметка Блоков: добавление
watch([`${dir.blocks}**/*.pug`], { events: ['add'], delay: 100 }, series(
writePugMixinsFile,
compilePug,
reload
));
// Разметка Блоков: удаление
watch([`${dir.blocks}**/*.pug`], { events: ['unlink'], delay: 100 }, writePugMixinsFile);
// Шаблоны pug: все события
watch([`${dir.src}pug/**/*.pug`, `!${dir.src}pug/mixins.pug`], { delay: 100 }, series(
compilePug,
parallel(writeSassImportsFile, writeJsRequiresFile),
parallel(compileSass, buildJs),
reload,
));
// Стили Блоков: изменение
watch([`${dir.blocks}**/*.scss`], { events: ['change'], delay: 100 }, series(
compileSass,
));
// Стили Блоков: добавление
watch([`${dir.blocks}**/*.scss`], { events: ['add'], delay: 100 }, series(
writeSassImportsFile,
compileSass,
));
// Стилевые глобальные файлы: все события
watch([`${dir.src}scss/**/*.scss`, `!${dir.src}scss/style.scss`], { events: ['all'], delay: 100 }, series(
compileSass,
));
// Скриптовые глобальные файлы: все события
watch([`${dir.src}js/**/*.js`, `!${dir.src}js/entry.js`, `${dir.blocks}**/*.js`], { events: ['all'], delay: 100 }, series(
writeJsRequiresFile,
buildJs,
reload
));
// Картинки: все события
watch([`${dir.blocks}**/img/*.{jpg,jpeg,png,gif,svg,webp}`], { events: ['all'], delay: 100 }, series(copyImg, reload));
// Спрайт SVG
watch([`${dir.blocks}sprite-svg/svg/*.svg`], { events: ['all'], delay: 100 }, series(
generateSvgSprite,
copyImg,
reload,
));
// Спрайт PNG
watch([`${dir.blocks}sprite-png/png/*.png`], { events: ['all'], delay: 100 }, series(
generatePngSprite,
copyImg,
compileSass,
reload,
));
}
exports.build = series(
parallel(clearBuildDir, writePugMixinsFile),
parallel(compilePugFast, copyAssets, generateSvgSprite, generatePngSprite),
parallel(copyImg, writeSassImportsFile, writeJsRequiresFile),
parallel(compileSass, buildJs),
);
exports.default = series(
parallel(clearBuildDir, writePugMixinsFile),
parallel(compilePugFast, copyAssets, generateSvgSprite, generatePngSprite),
parallel(copyImg, writeSassImportsFile, writeJsRequiresFile),
parallel(compileSass, buildJs),
serve,
);
// Функции, не являющиеся задачами Gulp ----------------------------------------
/**
* Получение списка классов из HTML и запись его в глоб. переменную nth.blocksFromHtml.
* @param {object} file Обрабатываемый файл
* @param {string} enc Кодировка
* @param {Function} cb Коллбэк
*/
function getClassesToBlocksList(file, enc, cb) {
// Передана херь — выходим
if (file.isNull()) {
cb(null, file);
return;
}
// Проверяем, не является ли обрабатываемый файл исключением
let processThisFile = true;
nth.config.notGetBlocks.forEach(function(item) {
if (file.relative.trim() == item.trim()) processThisFile = false;
});
// Файл не исключён из обработки, погнали
if (processThisFile) {
const fileContent = file.contents.toString();
let classesInFile = getClassesFromHtml(fileContent);
// nth.blocksFromHtml = [];
// Обойдём найденные классы
for (let item of classesInFile) {
// Не Блок или этот Блок уже присутствует?
if ((item.indexOf('__') > -1) || (item.indexOf('--') > -1) || (nth.blocksFromHtml.indexOf(item) + 1)) continue;
// Класс совпадает с классом-исключением из настроек?
if (nth.config.ignoredBlocks.indexOf(item) + 1) continue;
// У этого блока отсутствует папка?
// if (!fileExist(dir.blocks + item)) continue;
// Добавляем класс в список
nth.blocksFromHtml.push(item);
}
console.log('---------- Used HTML blocks: ' + nth.blocksFromHtml.join(', '));
file.contents = new Buffer.from(fileContent);
}
this.push(file);
cb();
}
//
/**
* Pug-фильтр, выводящий содержимое pug-файла в виде форматированного текста
*/
function filterShowCode(text, options) {
var lines = text.split('\n');
var result = '<pre class="code">\n';
if (typeof(options['first-line']) !== 'undefined') result = result + '<code>' + options['first-line'] + '</code>\n';
for (var i = 0; i < (lines.length - 1); i++) { // (lines.length - 1) для срезания последней строки (пустая)
result = result + '<code>' + lines[i].replace(/</gm, '<') + '</code>\n';
}
result = result + '</pre>\n';
result = result.replace(/<code><\/code>/g, '<code> </code>');
return result;
}
/**
* Проверка существования файла или папки
* @param {string} path Путь до файла или папки
* @return {boolean}
*/
function fileExist(filepath){
let flag = true;
try{
fs.accessSync(filepath, fs.F_OK);
}catch(e){
flag = false;
}
return flag;
}
/**
* Получение всех названий поддиректорий, содержащих файл указанного расширения, совпадающий по имени с поддиректорией
* @param {string} ext Расширение файлов, которое проверяется
* @return {array} Массив из имён блоков
*/
function getDirectories(ext) {
let source = dir.blocks;
let res = fs.readdirSync(source)
.filter(item => fs.lstatSync(source + item).isDirectory())
.filter(item => fileExist(source + item + '/' + item + '.' + ext));
return res;
}
/**
* Получение разницы между двумя массивами.
* @param {array} a1 Первый массив
* @param {array} a2 Второй массив
* @return {array} Элементы, которые отличаются
*/
function getArraysDiff(a1, a2) {
return a1.filter(i=>!a2.includes(i)).concat(a2.filter(i=>!a1.includes(i)))
}