0

当我尝试启动 grunt 时,我想为 html 模板项目创建 yoeman 生成器,我有这个错误 Task 'default not found grunt build give grunt is not defined

$> grunt
Loading "Gruntfile.js" tasks...ERROR
>> ReferenceError: grunt is not defined
Warning: Task "default" not found. Use --force to continue.
Aborted due to warnings.

这是我的代码

var fs = require('fs');
var path = require('path');
var showdown = require('showdown');
var EJS = require('ejs');
var TemplateRender = function(file, destination, source, template) {
this.file = file;
this.destination = destination;
this.source = source;
this.template = template;
this.grunt = grunt;
};

TemplateRender.prototype = {
render: function() {
var file    = this._read();
var html    = this._convert(file);
var content = this._template(html);
              this._write(content);
},
_read: function() {
var filepath = path.join(this.source,this.file);
grunt.file.read(filepath);
},
_convert: function(file) {
return new showdown.convertor().makeHtml(file);
},
_template: function(html) {
    var template = this.grunt.file.read(this.template);
    return EJS.render(template,{content:html});
 },
_write: function() {
this.grunt.file.write(
  path.join(this.destination, this.file),
  page
  );
  }

  };
'use strict';
module.exports = function(grunt) {

  grunt.registerTask('build', function() {
    var template = "app/index.ejs",
    destination = path.join(process.cwd(),"dist"),
    source = path.join(process.cwd(),"posts"),
    files = fs.readdirSync(source);

  files.forEach(function(file) {
    new TemplateRender(file, destination, source, template, grunt).render();
    read();
    convert();
    template();
    write();


  });

  });

  };

我需要知道如何检测 grunt 和 yeoman 中的错误

4

1 回答 1

0

在代码的顶部,在TemplateRender函数中,您有这行:this.grunt = grunt;但是您实际上并没有该名称的参数。尝试这个:

// ... (everything the same above here)

// *** Notice the new argument to this constructor function
var TemplateRender = function(file, destination, source, template, grunt) {
  this.file = file;
  this.destination = destination;
  this.source = source;
  this.template = template;
  this.grunt = grunt;
};

TemplateRender.prototype = {
  // ...
  _read: function() {
    var filepath = path.join(this.source,this.file);

    // *** probably needs to be `this.grunt` ?
    this.grunt.file.read(filepath);
  },

  // ...
};

module.exports = function(grunt) {
  grunt.registerTask('build', function() {
    // ... (mostly the same)

    files.forEach(function(file) {
      new TemplateRender(file, destination, source, template, grunt).render();

      // *** where are these defined? Should they be: this._read(), etc?
      this._read();
      this._convert();
      this._template();
      this._write();
    });

  });

};
于 2015-01-30T20:29:31.680 回答