2

所以,谷歌建议使用这个 npm 包来生成关键的 CSS:

var critical = require('critical');

gulp.task('critical', function (cb) {
    critical.generate({
        base: 'app/',
        src: 'index.html',
        dest: 'css/index.css'
    });
});

它实际上是一个很棒的工具,就像一个魅力。唯一的缺点是它仅适用于 Gulp 中的单个文件,而不是可以gulp.src('app/*.html')为所有匹配文件调用的其他任务。

所以我决定在一个数组中列出我所有的页面并遍历它们:

var pages = ['index', 'pricing'];

gulp.task('critical', function (cb) {
    for (var i = 0; i < pages.length; i++) {

        critical.generate({
            base: 'app/',
            src: pages[i] + '.html',
            dest: 'css/' + pages[i] + '.css'
        });
    }
});

这也被证明是一个可行的解决方案(除了一些 node.js 内存问题)。

现在的问题是我必须在数组中手动​​列出页面。所以我想知道是否有一种方法可以自动生成这样的列表,其功能类似于gulp.src('app/*.html')例如包含所选文件夹中的所有 .html 页面以生成关键的 CSS?

任何帮助将不胜感激!

4

2 回答 2

0

你可以做类似的事情(伪代码如下):

var foreach = require('gulp-foreach');

gulp.task('default', function () {

  return gulp.src('./yourPathTo/*.html')

          // treats each file in gulp.src as a separate stream
    .pipe(foreach(function (stream, file) {

         // see in next code for example of following
         var fileBase = file.path.stringOptoRemove Extension;

         critical.generate({
            base: 'app/',
            src: file.path,
            dest: 'css/' + fileBase + '.css'
        });
   }))
});

使用gulp-foreach

或者,glob-fs也很有用,我包含了我在下面编写的示例代码,它从流中操作单个文件,然后用新文件名将它们写出来。

var gulp = require('gulp');
var glob = require('glob-fs')({ gitignore: true });
var html2text = require('html-to-text');
var fs = require('fs');
var path = require('path');  

gulp.task('default', function () {

  glob.readdirStream('build/*.html')
    .on('data', function (file) {
      console.log(file.path);

      html2text.fromFile(file.path, (err, text) => {
        if (err) return console.error(err);

        // strip off extension and parent directories
        var filename = path.basename(file.path, '.html');

        // I assume you want a.html text to be written to 'build/txt/a.txt'
        fs.writeFileSync(path.join('build/txt', filename  + '.txt'), text, 'utf8');
      });
    });
});
于 2018-02-07T22:41:04.540 回答
0

我使用 gulp.src 进行这项工作。唯一的问题是,在包含许多 html 文件的网站上完成需要 3 分钟,并且如果您同时在计算机上执行其他操作,则很容易崩溃。我实际上是通过尝试找到一种更有效的方法来找到这篇文章的。

gulp.task('criticalCSS', ['compile-html', 'compile-styles'], function() {
    return gulp.src(config.dest.root + '**/*.html')
    .pipe(critical({
        base: config.dest.root, // "app/" which is the root of my build folder
        inline: true, 
        css: config.dest.css + styleBundleFilename, // "app/css/mainCssFilename"
        dimensions: [{
            width: 320,
            height: 480
            },{
            width: 768,
            height: 1024
            },{
            width: 1280,
            height: 960
            }],
        ignore: ['font-face']
    }))
    .on('error', function(err) { log(err.message); })
    .pipe(gulp.dest(config.dest.root));
});
于 2018-09-20T16:40:45.363 回答