BigPipe

BigPipe 是适用于 Node.js 的全新模块化网络模式。「BigPipe is a radical new modular web pattern for Node.js」

  • 所有者: bigpipe/bigpipe
  • 平台:
  • 許可證: MIT License
  • 分類:
  • 主題:
  • 喜歡:
    0
      比較:

Github星跟蹤圖

BigPipe

Version npmBuild StatusDependenciesCoverage Status

BigPipe is a radical new web framework for Node.JS. The general idea is to
decompose web pages into small re-usable chunks of functionality called
Pagelets and pipeline them through several execution stages inside web
servers and browsers. This allows progressive rendering at the front-end and
results in exceptional front-end performance.

Most web frameworks are based on a request and response pattern, a request comes
in, we process the data and output a template. But before we can output the
template we have to wait until all data has been received in order for the
template to be processed. This doesn't make any sense for Node.js applications
where everything is done asynchronously. When receiving your first batch
of data, why not send it directly to the browser so it can start downloading the
required CSS, JavaScript and render it.

BigPipe is made up over 20 modules whose current status is available at: HEALTH.md

Installation

BigPipe is distributed through the node package manager (npm) and is written
against Node.js 0.10.x.

npm install --save bigpipe

Versioning

To keep track of cross module compatibility, the imported components will be synced
on minor releases. For example, bigpipe@0.5.0 will always be compatible with
pagelet@0.5.0 and pipe.js@0.5.0.

Support

Got stuck? Or can't wrap your head around a concept or just want some feedback,
we got a dedicated IRC channel for that on Freenode:

  • IRC Server: irc.freenode.net
  • IRC Room: #bigpipe

Still stuck? Create an issue. Every question you have is a bug in our
documentation and that should be corrected. So please, don't hesitate to create
issues, many of them.

Table of Contents

BigPipe

Getting started

In all of these example we assume that your file is setup as:

'use strict';

var BigPipe = require('bigpipe');

BigPipe.createServer()

public, returns BigPipe.

To create a BigPipe powered server can simply call the createServer method.
This creates an HTTP or HTTPS server based on the options provided.

var bigpipe = BigPipe.createServer(8080, {
  pagelets: __dirname +'/pagelets',
  dist:  __dirname +'/dist'
});

The first argument in the function call is port number you want the server to
listen on. The second argument is an object with the configuration/options of the
BigPipe server. The following options are supported:

  • cache A cache which is used for storing URL lookups. This cache instance
    should have a .get(key) and .set(key, value) method. Defaults to false
  • dist The location of our folder where we can store our compiled CSS and
    JavaScript to disk. If the path or folder does not exist it will be
    automatically created. Defaults to working dir/dist.
  • pagelets A directory that contains your Pagelet definitions or an array of Pagelet
    constructors. Defaults to working dir/pagelets. If you don't provide Pages it
    will serve a 404 page for every request.
  • parser The message parser we should use for our real-time communication.
    See Primus for the available parsers. Defaults to JSON.
  • pathname The root path of an URL that we can use our real-time
    communication. This path should not be used by your Pages. Defaults to
    /pagelet
  • transformer The transformer or real-time framework we want to use for the
    real-time communication. We're bundling and using ws by default. See Primus
    for the supported transformers. Please note that you do need to add the
    transformer dependency to your package.json when you choose something other
    than ws.
  • redirect When creating a HTTPS server you could automatically start an HTTP
    server which redirects all traffic to the HTTPS equiv. The value is the port
    number on which this server should be started. Defaults to false.

In addition to the options above, all HTTPS server options are also
supported. When you provide a server with cert and key files or set the
port number to 443, it assumes you want to setup up a HTTPS server instead.

var bigpipe = BigPipe.createServer(443, {
  key: fs.readFileSync(__dirname +'/ssl.key', 'utf-8'),
  cert: fs.readFileSync(__dirname +'/ssl.cert', 'utf-8')
});

When you're creating an HTTPS server you got to option to also setup a simple
HTTP server which redirects all content to HTTPS instead. This is done by
supplying the redirect property in the options. The value of this property
should be the port number you want this HTTP server to listen on:

var bigpipe = BigPipe.createServer(443, {
  ..

  key: fs.readFileSync(__dirname +'/ssl.key', 'utf-8'),
  cert: fs.readFileSync(__dirname +'/ssl.cert', 'utf-8'),
  redirect: 80
});

new BigPipe()

public, returns BigPipe.

If you want more control over the server creation process you can manually
create a HTTP or HTTPS server and supply it to the BigPipe constructor.

'use strict';

var server = require('http').createServer()
  , BigPipe = require('bigpipe');

var bigpipe = new BigPipe(server, { options });

If you are using this pattern to create a BigPipe server instance you need to
use the bigpipe.listen method to listen to the server. When this is called,
BigPipe starts compiling all assets, attach the correct listeners to the
supplied server, attach event listeners and finally listen on the server. The
first argument of this method is the port number you want to listen on, the
second argument is an optional callback function that should be called when
server starts listening for requests.

bigpipe.listen(8080, function listening() {
  console.log('hurray, we are listening on port 8080');
});

BigPipe.version

public, returns string.

bigpipe.version;

The current version of the BigPipe framework that is running.

BigPipe.define()

public, returns BigPipe.

bigpipe.define(pagelets, callback);

Merge pagelet(s) in the collection of existing pagelets. If given a string it
will search that directory for the available Pagelet files. After all dependencies
have been compiled the supplied, the callback is called.

bigpipe.define('../pagelets', function done(err) {

});

bigpipe.define([Pagelet, Pagelet, Pagelet], function done(err) {

}).define('../more/pagelets', function done(err) {

});

BigPipe.before()

public, returns BigPipe.

bigpipe.before(name, fn, options);

BigPipe has two ways of extending it's build-in functionality, we have plugins
but also middleware layers. The important difference between these is that
middleware layers allow you to modify the incoming requests before they
reach BigPipe.

There are 2 different kinds of middleware layers, async and sync. The
main difference is that the sync middleware doesn't require a callback. It's
completely optional and ideal for just introducing or modifying the properties
on a request or response object.

All middleware layers need to be named, this allows you to enable, disable or
remove the middleware layers. The supplied middleware function can either be a
pre-configured function that is ready to modify the request and responses:

bigpipe.before('foo', function (req, res) {
  req.foo = 'bar';
});

Or an unconfigured function. We assume that a function is unconfigured if the
supplied function has less than 2 arguments. When we detect such a function
we automatically call it with the context that is set to BigPipe and
the supplied options object and assume that it returns a configured middleware
layer.

bigpipe.before('foo', function (configure) {
  return function (req, res) {
    res.foo = configure.foo;
  };
}, { foo: 'bar' });

If you're building async middleware layers, you simply need to make sure that
your function accepts 3 arguments:

  • req The incoming HTTP request.
  • res The outgoing HTTP response.
  • next The continuation callback function. This function follows the error
    first callback pattern.
bigpipe.before('foo', function (req, res, next) {
  asyncthings(function (err, data) {
    req.foo = data;
    next(err);
  });
});

BigPipe.remove()

public, returns BigPipe.

bigpipe.remove(name);

Removes a middleware layer from the stack based on the given name.

bigpipe.before('layer', function () {});
bigpipe.remove('layer');

BigPipe.disable()

public, returns BigPipe.

bigpipe.disable(name);

Temporarily disables a middleware layer. It's not removed from the stack but it's
just skipped when we iterate over the middleware layers. A disabled middleware layer
can be re-enabled.

bigpipe.before('layer', function () {});
bigpipe.disable('layer');

BigPipe.enable()

public, returns BigPipe.

bigpipe.enable(name);

Re-enable a previously disabled module.

bigpipe.disable('layer');
bigpipe.enable('layer');

BigPipe.use()

public, returns BigPipe.

bigpipe.use(name, plugin);

Plugins can be used to extend the functionality of BigPipe itself. You can
control the client code as well as the server side code of BigPipe using the
plugin interface.

bigpipe.use('ack', {
  //
  // Only run on the server.
  //
  server: function (bigpipe, options) {
     // do stuff
  },

  //
  // Runs on the client, it's automatically bundled.
  //
  client: function (bigpipe, options) {
     // do client stuff
  },

  //
  // Optional library that needs to be bundled on the client (should be a string)
  //
  library: '',

  //
  // Optional plugin specific options, will be merged with Bigpipe.options
  //
  options: {}
});

Pagelets

Pagelets are part of the bigpipe/pagelet module and more information is available at: https://github.com/bigpipe/pagelet

Events

Everything in BigPipe is build upon the EventEmitter interface. It's either a
plain EventEmitter or a proper stream. This a summary of the events we emit:

Event Usage Location Description
log public server A new log message
transform::pagelet public server Transform a Pagelet
listening public server The server is listening
error public server The HTTP server received an error
pagelet::configure public server A new pagelet has been configured

Debugging

The library makes use of the diagnostics module and has all it's internals namespaced
to bigpipe:. These debug messages can be trigged by starting your application
with the DEBUG= env variable. In order to filter out all messages except
BigPipe's message run your server with the following command:

DEBUG=bigpipe:* node <server.js>

The following DEBUG namespaces are available:

  • bigpipe:server The part that handles the request dispatching, page / pagelet
    transformation and more.
  • bigpipe:pagelet Pagelet generation.
  • bigpipe:compiler Asset compilation.
  • bigpipe:primus BigPipe Primus setup.
  • pagelet:primus Pagelet and Primus interactions
  • pagelet Pagelet interactions

Testing

Tests are automatically run on Travis CI to ensure that everything is
functioning as intended. For local development we automatically install a
pre-commit hook that runs the npm test command every time you commit changes.
This ensures that we don't push any broken code into this project.

Inspiration

Bigpipe is inspired by the concept behind Facebook's BigPipe. For more details
read their blog post: Pipelining web pages for high performance.

License

BigPipe is released under MIT.

主要指標

概覽
名稱與所有者bigpipe/bigpipe
主編程語言JavaScript
編程語言JavaScript (語言數: 2)
平台
許可證MIT License
所有者活动
創建於2013-03-27 08:02:08
推送於2016-11-16 20:42:51
最后一次提交2015-10-05 22:04:04
發布數16
最新版本名稱0.9.14 (發布於 )
第一版名稱v0.5.1 (發布於 2014-05-09 11:34:59)
用户参与
星數1.2k
關注者數61
派生數94
提交數0.9k
已啟用問題?
問題數59
打開的問題數23
拉請求數29
打開的拉請求數1
關閉的拉請求數1
项目设置
已啟用Wiki?
已存檔?
是復刻?
已鎖定?
是鏡像?
是私有?