Browserify - multiple entry points

17,383

Solution 1

Below is a task I was able to build that seems to solve the problem. Basically I use an outside library to gather the files names as an array. And then pass that array as the entry points

'use strict;'

var config = require('../config');
var gulp = require('gulp');
var plumber = require('gulp-plumber');
var glob = require('glob');
var browserify  = require('browserify');
var source = require('vinyl-source-stream');

gulp.task('tests', function(){
  var testFiles = glob.sync('./spec/**/*.js');
  return browserify({
      entries: testFiles,
      extensions: ['.jsx']
    })
    .bundle({debug: true})
    .pipe(source('app.js'))
    .pipe(plumber())
    .pipe(gulp.dest(config.dest.development));
});

Solution 2

Here's an alternate recipe that fits more with the gulp paradigm using gulp.src()

var gulp = require('gulp');
var browserify = require('browserify');
var transform = require('vinyl-transform');
var concat = require('gulp-concat');

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

  // use `vinyl-transform` to wrap around the regular ReadableStream returned by b.bundle();
  // so that we can use it down a vinyl pipeline as a vinyl file object.
  // `vinyl-transform` takes care of creating both streaming and buffered vinyl file objects.
  var browserified = transform(function(filename) {
    var b = browserify(filename, {
      debug: true,
      extensions: ['.coffee']
    });
    // you can now further configure/manipulate your bundle
    // you can perform transforms, for e.g.: 'coffeeify'
    // b.transform('coffeeify');
    // or even use browserify plugins, for e.g. 'minifyiy'
    // b.plugins('minifyify');
    // consult browserify documentation at: https://github.com/substack/node-browserify#methods for more available APIs
    return b.bundle();
  });

  return gulp.src(['./app/js/**/*Spec.coffee'])
    .pipe(browserified)/
    .pipe(concat('spec.js'))
    .pipe(gulp.dest('./specs'));
});

gulp.task('default', ['browserify']);

For more details about how this work, this article that I wrote goes more in-depth: http://medium.com/@sogko/gulp-browserify-the-gulp-y-way-bb359b3f9623

Solution 3

A little more complicated example to build files by glob pattern into many files with watching and rebuilding separated files. Not for .coffee, for es2015, but not a big difference:

var gulp = require("gulp");
var babelify = require("babelify");
var sourcemaps = require("gulp-sourcemaps");
var gutil = require("gulp-util");
var handleErrors = require("../utils/handleErrors.js");
var browserify = require("browserify");
var eventStream = require("event-stream");
var glob = require("glob");
var source = require("vinyl-source-stream");
var buffer = require("vinyl-buffer");
var watchify = require("watchify");

var SRC_PATH = "./src";
var BUILD_PATH = "./build";

var bundle = function (bundler, entryFilepath) {
  console.log(`Build: ${entryFilepath}`);

  return bundler.bundle()
    .on("error", handleErrors)
    .pipe(source(entryFilepath.replace(SRC_PATH, BUILD_PATH)))
    .pipe(buffer())
    .on("error", handleErrors)
    .pipe(
      process.env.TYPE === "development" ?
        sourcemaps.init({loadMaps: true}) :
        gutil.noop()
    )
    .on("error", handleErrors)
    .pipe(
      process.env.TYPE === "development" ?
        sourcemaps.write() :
        gutil.noop()
    )
    .on("error", handleErrors)
    .pipe(gulp.dest("."))
    .on("error", handleErrors);
};

var buildScripts = function (done, watch) {
  glob(`${SRC_PATH}/**/[A-Z]*.js`, function (err, files) {
    if (err) {
      done(err);
    }

    var tasks = files.map(function (entryFilepath) {
      var bundler = browserify({
        entries: [entryFilepath],
        debug: process.env.TYPE === "development",
        plugin: watch ? [watchify] : undefined
      })
        .transform(
          babelify,
          {
            presets: ["es2015"]
          });

      var build = bundle.bind(this, bundler, entryFilepath);

      if (watch) {
        bundler.on("update", build);
      }

      return build();
    });

    return eventStream
      .merge(tasks)
      .on("end", done);
  });
};

gulp.task("scripts-build", function (done) {
  buildScripts(done);
});

gulp.task("scripts-watch", function (done) {
  buildScripts(done, true);
});

Complete code here https://github.com/BigBadAlien/browserify-multy-build

Solution 4

For start, you can write a suite.js to require all the tests which you want to run and browserify them.

You can see two examples from my project https://github.com/mallim/sbangular.

One example for grunt-mocha-phantomjs

https://github.com/mallim/sbangular/blob/master/src/main/resources/js/suite.js

One example for protractor

https://github.com/mallim/sbangular/blob/master/src/main/resources/js/suite.js

This is just a start and I am sure there are more fancy ways available.

Share:
17,383
Matt
Author by

Matt

Hmm... let me think about this a tad

Updated on June 21, 2022

Comments

  • Matt
    Matt about 2 years

    I am using Browserify within gulp. I am trying to compile down my tests to a single file as well. But unlike my main app, which I have working just fine, I am having trouble getting the tests to compile. The major difference is the tests have multiple entry points, there isn't one single entry point like that app. But I am getting errors fro Browserify that it can't find the entry point.

    browserify   = require 'browserify'
    gulp         = require 'gulp'
    source       = require 'vinyl-source-stream'
    
    gulp.task 'tests', ->
        browserify
            entries: ['./app/js/**/*Spec.coffee']
            extensions: ['.coffee']
        .bundle 
            debug: true
        .pipe source('specs.js') 
        .pipe gulp.dest('./specs/')
    
  • Matt
    Matt about 10 years
    I know that I can use a suite, but I was trying to avoid doing so. To avoid problems with having to remember to add new files.
  • Matt
    Matt almost 10 years
    Just a quick note, the downside to this method is that you can't swap in watchify. As your builds get longer the native watch of gulp isn't well suited to the big compiled browserify form in my experience.
  • Hafiz Ismail
    Hafiz Ismail almost 10 years
    I agree, you would need a different approach for projects with bigger build: - one approach is to use watchify to perform small incremental builds (but as you mentioned, browserify+watchify requires a change in the recipe; i might consider writing one for that) - another approach that I personally prefer is to separate your codebase into bundles. most project tend to have application code and vendor code (react, angular etc). I've outlined the approach here (Warning: the writing is still raw)
  • superEb
    superEb almost 10 years
    Note also that this approach may not be compatible with some browserify plugins, like minifyify. In that case, you're pretty much forced to take Matt's approach.
  • Hafiz Ismail
    Hafiz Ismail almost 10 years
    @superEb: well, thats not exactly true. this approach uses the browserify original library directly, so you can still perform transforms and use browserify plugins as originally intended. Updated the answer with more information on how to use plugins like minifyify
  • superEb
    superEb almost 10 years
    Yes, obviously you can call b.plugin("minifyify", opts) within the transform, but when I tried this, it resulted in a stream error like TypeError: Object #<Readable> has no method 'write'. The transform works without the plugin, so I assume there's an incompatibility between minifyify and vinyl-transform.
  • Con Antonakos
    Con Antonakos about 9 years
    I do not think this solution is working properly any longer: github.com/substack/node-browserify/issues/1217
  • Aamir Afridi
    Aamir Afridi over 8 years
    var testFiles = glob.sync('./spec/**/*.js'); did the trick for me instead of using glob(paths.js+'/**.js', function(err, widgetFiles) {.... +1 👍
  • carloscarcamo
    carloscarcamo over 8 years
    I having errors using this solution: _stream_readable.js:540 var ret = dest.write(chunk); TypeError: undefined is not a function
  • user9342572809
    user9342572809 about 4 years
    and if you have an array of patterns, use globs instead of glob: npmjs.com/package/globs