我需要帮助。
我有这个代码。我有很多资料来源,而且我不使用n * source手表。
我以为for可以解决,但手表已实例化,并且无法读取我的原始资料[i]。

您可以说一些解决方案。

nk!

var base_source = '../';
var source = ['dir1', 'dir2'];
var allFiles = '/**/*';
var dest = '../dist';

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

      for(var i = 0; i < source.length ; i++) {
        var watchW = base_source + source[i] + allFiles;

        gulp.watch(watchW, function(obj){
          copyFiles(watchW, dest , obj);
        });

      }
    }


编辑:我需要copyFiles函数中的source [i]

对不起,我的英语^^“

最佳答案

很难解释为什么您的代码不起作用。如您所见,只有最后一个索引“ i”绑定到所有监视功能。这被称为“参考问题”。通过引用,您的所有手表功能都使用相同的索引i。参见,例如,referencing last index in loop

creating gulp tasks in a loop中使用@OverZealous的答案作为指导为您提供解决方案:

var gulp = require('gulp');

// changed to up one directory
var base_source = './';

// changed variable name slightly for clarity
var sources = ['dir1', 'dir2'];
var allFiles = '/**/*';

// changed to up one directory
var dest = './dist';

var watchSources = Object.keys(sources);

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

  watchSources.forEach(function (index) {

    var watchW = base_source + sources[index] + allFiles;

    gulp.watch(watchW, function (obj) {
      copyFiles(watchW, dest, obj);
    });
  });
});

function copyFiles(watched, to, obj)  {
  console.log("watched = " + watched);
}

10-08 05:04