pax_global_header00006660000000000000000000000064141770074330014520gustar00rootroot0000000000000052 comment=a532ca1fb29d4f006cb62f25a44db96cd65bdb89 columnify-1.6.0/000077500000000000000000000000001417700743300135315ustar00rootroot00000000000000columnify-1.6.0/.github/000077500000000000000000000000001417700743300150715ustar00rootroot00000000000000columnify-1.6.0/.github/workflows/000077500000000000000000000000001417700743300171265ustar00rootroot00000000000000columnify-1.6.0/.github/workflows/test.yml000066400000000000000000000011361417700743300206310ustar00rootroot00000000000000name: Columnify Unit Tests 'on': push: branches: - master pull_request: branches: - master jobs: Build: runs-on: ubuntu-latest strategy: matrix: node-version: - 16.x - 14.x - 12.x - 10.x steps: - name: 'Set up Node.js ${{ matrix.node-version }}' uses: actions/setup-node@v1 with: node-version: '${{ matrix.node-version }}' cache: 'npm' - uses: actions/checkout@v2 - name: Install dependencies run: npm ci - name: Run Tests run: npm test columnify-1.6.0/.gitignore000066400000000000000000000000321417700743300155140ustar00rootroot00000000000000node_modules columnify.js columnify-1.6.0/.npmignore000066400000000000000000000000571417700743300155320ustar00rootroot00000000000000node_modules .npmignore .travis.yml test bench columnify-1.6.0/LICENSE000066400000000000000000000020641417700743300145400ustar00rootroot00000000000000The MIT License (MIT) Copyright (c) 2013 Tim Oxley Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. columnify-1.6.0/Makefile000066400000000000000000000002001417700743300151610ustar00rootroot00000000000000 all: columnify.js prepublish: all columnify.js: index.js package.json babel index.js > columnify.js .PHONY: all prepublish columnify-1.6.0/Readme.md000066400000000000000000000261121417700743300152520ustar00rootroot00000000000000# columnify [![Columnify Unit Tests](https://github.com/timoxley/columnify/actions/workflows/test.yml/badge.svg)](https://github.com/timoxley/columnify/actions/workflows/test.yml) [![NPM Version](https://img.shields.io/npm/v/columnify.svg?style=flat)](https://npmjs.org/package/columnify) [![License](http://img.shields.io/npm/l/columnify.svg?style=flat)](LICENSE) Create text-based columns suitable for console output from objects or arrays of objects. Columns are automatically resized to fit the content of the largest cell. Each cell will be padded with spaces to fill the available space and ensure column contents are left-aligned. Designed to [handle sensible wrapping in npm search results](https://github.com/isaacs/npm/pull/2328). `npm search` before & after integrating columnify: ![npm-tidy-search](https://f.cloud.github.com/assets/43438/1848959/ae02ad04-76a1-11e3-8255-4781debffc26.gif) ## Installation ``` $ npm install columnify ``` ## Usage ```javascript var columnify = require('columnify') var columns = columnify(data, options) console.log(columns) ``` ## Examples ### Columnify Objects Objects are converted to a list of key/value pairs: ```javascript var data = { "commander@0.6.1": 1, "minimatch@0.2.14": 3, "mkdirp@0.3.5": 2, "sigmund@1.0.0": 3 } console.log(columnify(data)) ``` #### Output: ``` KEY VALUE commander@0.6.1 1 minimatch@0.2.14 3 mkdirp@0.3.5 2 sigmund@1.0.0 3 ``` ### Custom Column Names ```javascript var data = { "commander@0.6.1": 1, "minimatch@0.2.14": 3, "mkdirp@0.3.5": 2, "sigmund@1.0.0": 3 } console.log(columnify(data, {columns: ['MODULE', 'COUNT']})) ``` #### Output: ``` MODULE COUNT commander@0.6.1 1 minimatch@0.2.14 3 mkdirp@0.3.5 2 sigmund@1.0.0 3 ``` ### Columnify Arrays of Objects Column headings are extracted from the keys in supplied objects. ```javascript var columnify = require('columnify') var columns = columnify([{ name: 'mod1', version: '0.0.1' }, { name: 'module2', version: '0.2.0' }]) console.log(columns) ``` #### Output: ``` NAME VERSION mod1 0.0.1 module2 0.2.0 ``` ### Filtering & Ordering Columns By default, all properties are converted into columns, whether or not they exist on every object or not. To explicitly specify which columns to include, and in which order, supply a "columns" or "include" array ("include" is just an alias). ```javascript var data = [{ name: 'module1', description: 'some description', version: '0.0.1', }, { name: 'module2', description: 'another description', version: '0.2.0', }] var columns = columnify(data, { columns: ['name', 'version'] }) console.log(columns) ``` #### Output: ``` NAME VERSION module1 0.0.1 module2 0.2.0 ``` ## Global and Per Column Options You can set a number of options at a global level (ie. for all columns) or on a per column basis. Set options on a per column basis by using the `config` option to specify individual columns: ```javascript var columns = columnify(data, { optionName: optionValue, config: { columnName: {optionName: optionValue}, columnName: {optionName: optionValue}, } }) ``` ### Maximum and Minimum Column Widths As with all options, you can define the `maxWidth` and `minWidth` globally, or for specified columns. By default, wrapping will happen at word boundaries. Empty cells or those which do not fill the `minWidth` will be padded with spaces. ```javascript var columns = columnify([{ name: 'mod1', description: 'some description which happens to be far larger than the max', version: '0.0.1', }, { name: 'module-two', description: 'another description larger than the max', version: '0.2.0', }], { minWidth: 20, config: { description: {maxWidth: 30} } }) console.log(columns) ``` #### Output: ``` NAME DESCRIPTION VERSION mod1 some description which happens 0.0.1 to be far larger than the max module-two another description larger 0.2.0 than the max ``` #### Maximum Line Width You can set a hard maximum line width using the `maxLineWidth` option. Beyond this value data is unceremoniously truncated with no truncation marker. This can either be a number or 'auto' to set the value to the width of stdout. Setting this value to 'auto' prevent TTY-imposed line-wrapping when lines exceed the screen width. #### Truncating Column Cells Instead of Wrapping You can disable wrapping and instead truncate content at the maximum column width by using the `truncate` option. Truncation respects word boundaries. A truncation marker, `…`, will appear next to the last word in any truncated line. ```javascript var columns = columnify(data, { truncate: true, config: { description: { maxWidth: 20 } } }) console.log(columns) ``` #### Output: ``` NAME DESCRIPTION VERSION mod1 some description… 0.0.1 module-two another description… 0.2.0 ``` ### Align Right/Center You can set the alignment of the column data by using the `align` option. ```js var data = { "mocha@1.18.2": 1, "commander@2.0.0": 1, "debug@0.8.1": 1 } columnify(data, {config: {value: {align: 'right'}}}) ``` #### Output: ``` KEY VALUE mocha@1.18.2 1 commander@2.0.0 1 debug@0.8.1 1 ``` `align: 'center'` works in a similar way. ### Padding Character Set a character to fill whitespace within columns with the `paddingChr` option. ```js var data = { "shortKey": "veryVeryVeryVeryVeryLongVal", "veryVeryVeryVeryVeryLongKey": "shortVal" } columnify(data, { paddingChr: '.'}) ``` #### Output: ``` KEY........................ VALUE...................... shortKey................... veryVeryVeryVeryVeryLongVal veryVeryVeryVeryVeryLongKey shortVal................... ``` ### Preserve Existing Newlines By default, `columnify` sanitises text by replacing any occurance of 1 or more whitespace characters with a single space. `columnify` can be configured to respect existing new line characters using the `preserveNewLines` option. Note this will still collapse all other whitespace. ```javascript var data = [{ name: "glob@3.2.9", paths: [ "node_modules/tap/node_modules/glob", "node_modules/tape/node_modules/glob" ].join('\n') }, { name: "nopt@2.2.1", paths: [ "node_modules/tap/node_modules/nopt" ] }, { name: "runforcover@0.0.2", paths: "node_modules/tap/node_modules/runforcover" }] console.log(columnify(data, {preserveNewLines: true})) ``` #### Output: ``` NAME PATHS glob@3.2.9 node_modules/tap/node_modules/glob node_modules/tape/node_modules/glob nopt@2.2.1 node_modules/tap/node_modules/nopt runforcover@0.0.2 node_modules/tap/node_modules/runforcover ``` Compare this with output without `preserveNewLines`: ```javascript console.log(columnify(data, {preserveNewLines: false})) // or just console.log(columnify(data)) ``` ``` NAME PATHS glob@3.2.9 node_modules/tap/node_modules/glob node_modules/tape/node_modules/glob nopt@2.2.1 node_modules/tap/node_modules/nopt runforcover@0.0.2 node_modules/tap/node_modules/runforcover ``` ### Custom Truncation Marker You can change the truncation marker to something other than the default `…` by using the `truncateMarker` option. ```javascript var columns = columnify(data, { truncate: true, truncateMarker: '>', widths: { description: { maxWidth: 20 } } }) console.log(columns) ``` #### Output: ``` NAME DESCRIPTION VERSION mod1 some description> 0.0.1 module-two another description> 0.2.0 ``` ### Custom Column Splitter If your columns need some bling, you can split columns with custom characters by using the `columnSplitter` option. ```javascript var columns = columnify(data, { columnSplitter: ' | ' }) console.log(columns) ``` #### Output: ``` NAME | DESCRIPTION | VERSION mod1 | some description which happens to be far larger than the max | 0.0.1 module-two | another description larger than the max | 0.2.0 ``` ### Control Header Display Control whether column headers are displayed by using the `showHeaders` option. ```javascript var columns = columnify(data, { showHeaders: false }) ``` This also works well for hiding a single column header, like an `id` column: ```javascript var columns = columnify(data, { config: { id: { showHeaders: false } } }) ``` ### Transforming Column Data and Headers If you need to modify the presentation of column content or heading content there are two useful options for doing that: `dataTransform` and `headingTransform`. Both of these take a function and need to return a valid string. ```javascript var columns = columnify([{ name: 'mod1', description: 'SOME DESCRIPTION TEXT.' }, { name: 'module-two', description: 'SOME SLIGHTLY LONGER DESCRIPTION TEXT.' }], { dataTransform: function(data) { return data.toLowerCase() }, headingTransform: function(heading) { return heading.toLowerCase() }, config: { name: { headingTransform: function(heading) { heading = "module " + heading return "*" + heading.toUpperCase() + "*" } } } }) ``` #### Output: ``` *MODULE NAME* description mod1 some description text. module-two some slightly longer description text. ``` ## Multibyte Character Support `columnify` uses [mycoboco/wcwidth.js](https://github.com/mycoboco/wcwidth.js) to calculate length of multibyte characters: ```javascript var data = [{ name: 'module-one', description: 'some description', version: '0.0.1', }, { name: '这是一个很长的名字的模块', description: '这真的是一个描述的内容这个描述很长', version: "0.3.3" }] console.log(columnify(data)) ``` #### Without multibyte handling: i.e. before columnify added this feature ``` NAME DESCRIPTION VERSION module-one some description 0.0.1 这是一个很长的名字的模块 这真的是一个描述的内容这个描述很长 0.3.3 ``` #### With multibyte handling: ``` NAME DESCRIPTION VERSION module-one some description 0.0.1 这是一个很长的名字的模块 这真的是一个描述的内容这个描述很长 0.3.3 ``` ## Contributions ``` project : columnify repo age : 8 years active : 47 days commits : 180 files : 57 authors : 123 Tim Oxley 68.3% 11 Nicholas Hoffman 6.1% 8 Tim 4.4% 7 Arjun Mehta 3.9% 6 Dany 3.3% 5 Tim Kevin Oxley 2.8% 5 Wei Gao 2.8% 4 Matias Singers 2.2% 3 Michael Kriese 1.7% 2 sreekanth370 1.1% 2 Dany Shaanan 1.1% 1 Tim Malone 0.6% 1 Seth Miller 0.6% 1 andyfusniak 0.6% 1 Isaac Z. Schlueter 0.6% ``` ## License MIT columnify-1.6.0/bench/000077500000000000000000000000001417700743300146105ustar00rootroot00000000000000columnify-1.6.0/bench/index.js000066400000000000000000000023161417700743300162570ustar00rootroot00000000000000var test = require('tape') var fs = require('fs') var columnify = require('../') var data = require('./large.json') var data2 = fs.readFileSync(__dirname + '/large.json', 'utf8') test('handling large data', function(t) { t.plan(3) var maxStringLength = data2.length / 360 console.time('large data as single cell') t.ok(columnify({key: 'root', description: data2.slice(0, maxStringLength)}, { config: { description: { maxWidth: 30, minWidth: 10 } } })) console.timeEnd('large data as single cell') // have to reduce dataset, otherwise bench // blows memory limit data = data.slice(0, data.length / 20) console.time('large data 1') t.ok(columnify(data, { config: { description: { maxWidth: 30, minWidth: 10 } } })) console.timeEnd('large data 1') console.time('large data 2') t.ok(columnify(data, { config: { description: { maxWidth: 30, minWidth: 10 } } })) console.timeEnd('large data 2') console.time('large data 3') t.ok(columnify(data, { config: { description: { maxWidth: 30, minWidth: 10 } } })) console.timeEnd('large data 3') }) columnify-1.6.0/bench/large.json000066400000000000000001624424101417700743300166130ustar00rootroot00000000000000[{"name":"0","url":null,"keywords":"","version":"0.0.0","words":"0 =zolmeister","author":"=zolmeister","date":"2014-06-17 "},{"name":"001","description":"This is my first custom module","url":null,"keywords":"","version":"0.0.1","words":"001 this is my first custom module =skt","author":"=skt","date":"2014-08-08 "},{"name":"001_skt","description":"This is my first custom module","url":null,"keywords":"","version":"0.0.1","words":"001_skt this is my first custom module =skt","author":"=skt","date":"2014-08-08 "},{"name":"001_test","description":"This is my first custom module","url":null,"keywords":"","version":"0.0.1","words":"001_test this is my first custom module =skt","author":"=skt","date":"2014-08-08 "},{"name":"007","description":"Returns a deep copy of an object with all functions converted to spies","url":null,"keywords":"testing test mock spy","version":"0.0.2","words":"007 returns a deep copy of an object with all functions converted to spies =btford testing test mock spy","author":"=btford","date":"2013-07-29 "},{"name":"01","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"01 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"012_trexmodule","keywords":"","version":[],"words":"012_trexmodule","author":"","date":"2014-04-06 "},{"name":"06_byvoidmodule","description":"你好","url":null,"keywords":"ni hao","version":"0.0.0","words":"06_byvoidmodule 你好 =cennanfang ni hao","author":"=cennanfang","date":"2013-05-18 "},{"name":"0815","description":"Och nee, nicht noch ein Built-Script…","url":null,"keywords":"","version":"0.1.9","words":"0815 och nee, nicht noch ein built-script… =sebbo2002","author":"=sebbo2002","date":"2013-06-21 "},{"name":"0x21","description":"0x21 === `!`","url":null,"keywords":"0x21 ! bang","version":"0.0.1","words":"0x21 0x21 === `!` =cfddream 0x21 ! bang","author":"=cfddream","date":"2012-07-14 "},{"name":"0x23","description":"0x23 === `#`","url":null,"keywords":"0x23 # hash","version":"0.0.1","words":"0x23 0x23 === `#` =cfddream 0x23 # hash","author":"=cfddream","date":"2012-07-14 "},{"name":"1","description":"Distributed pub/sub based in ØMQ","url":null,"keywords":"ØMQ 0mq zeromq cluster mq message queue nodes distributed","version":"0.1.2","words":"1 distributed pub/sub based in ømq =marcooliveira =indigounited ømq 0mq zeromq cluster mq message queue nodes distributed","author":"=marcooliveira =indigounited","date":"2014-04-08 "},{"name":"1-1-help-desk-system","description":"1:1 ticket and laptop system","url":null,"keywords":"","version":"0.0.7","words":"1-1-help-desk-system 1:1 ticket and laptop system =chuck-aka-ben","author":"=chuck-aka-ben","date":"2014-08-11 "},{"name":"10","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"10 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"100","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"100 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"101","description":"common javascript utils that can be required selectively that assume es5+","url":null,"keywords":"utils js helpers functional pick pluck map array object string","version":"0.7.0","words":"101 common javascript utils that can be required selectively that assume es5+ =tjmehta utils js helpers functional pick pluck map array object string","author":"=tjmehta","date":"2014-07-15 "},{"name":"102","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"102 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"10er10","description":"10er10 is an HTML5 audio jukebox. It works on Firefox 4+ and Chromium/Chrome.","url":null,"keywords":"","version":"0.23.0","words":"10er10 10er10 is an html5 audio jukebox. it works on firefox 4+ and chromium/chrome. =michael_bailly","author":"=michael_bailly","date":"2013-10-15 "},{"name":"10tcl","description":"CRUD over express and mongodb","url":null,"keywords":"10tcl tentacle web app crud","version":"0.0.10","words":"10tcl crud over express and mongodb =fernandobecker 10tcl tentacle web app crud","author":"=fernandobecker","date":"2014-07-31 "},{"name":"11","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"11 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"11-packagemath","description":"package math","url":null,"keywords":"","version":"0.0.0","words":"11-packagemath package math =shahla","author":"=shahla","date":"2013-08-27 "},{"name":"11-packagename","description":"This is a mathematic package","url":null,"keywords":"\"math\" \"example\"","version":"0.0.0","words":"11-packagename this is a mathematic package =shahla \"math\" \"example\"","author":"=shahla","date":"2013-08-27 "},{"name":"1129","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"1129 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"11zgit-fs","description":"Git as a filesystem.","url":null,"keywords":"","version":"0.0.10","words":"11zgit-fs git as a filesystem. =sun11","author":"=sun11","date":"2012-11-17 "},{"name":"11znode-meta","description":"Creationix is a meta package for my personal packages","url":null,"keywords":"","version":"0.3.1","words":"11znode-meta creationix is a meta package for my personal packages =sun11","author":"=sun11","date":"2012-11-17 "},{"name":"11zsimple-mime","description":"A simple mime database.","url":null,"keywords":"","version":"0.0.8","words":"11zsimple-mime a simple mime database. =sun11","author":"=sun11","date":"2012-11-17 "},{"name":"11zstack","description":"Stack is a minimal http module system for node.js","url":null,"keywords":"","version":"0.1.0","words":"11zstack stack is a minimal http module system for node.js =sun11","author":"=sun11","date":"2012-11-17 "},{"name":"11zwheat","description":"Git powered javascript blog.","url":null,"keywords":"","version":"0.2.6","words":"11zwheat git powered javascript blog. =sun11","author":"=sun11","date":"2012-11-17 "},{"name":"1212","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"1212 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"122","keywords":"","version":[],"words":"122","author":"","date":"2014-03-03 "},{"name":"123","description":"123","url":null,"keywords":"123","version":"0.0.1","words":"123 123 =feitian 123","author":"=feitian","date":"2013-12-20 "},{"name":"1257-server","description":"Team 1257's attendance server template","url":null,"keywords":"","version":"0.0.7","words":"1257-server team 1257's attendance server template =gottemer123","author":"=gottemer123","date":"2014-07-14 "},{"name":"127-ssh","description":"Capture your command not found and tries to ssh","url":null,"keywords":"","version":"0.1.2","words":"127-ssh capture your command not found and tries to ssh =romainberger","author":"=romainberger","date":"2013-12-28 "},{"name":"12factor-config","description":"Read the config for your app from only the environment.","url":null,"keywords":"config env environment 12factor","version":"1.0.0","words":"12factor-config read the config for your app from only the environment. =chilts config env environment 12factor","author":"=chilts","date":"2014-08-27 "},{"name":"12factor-log","description":"Simple log infrastructure.","url":null,"keywords":"log stdout 12factor","version":"0.1.1","words":"12factor-log simple log infrastructure. =chilts log stdout 12factor","author":"=chilts","date":"2014-06-04 "},{"name":"1664","description":"Sort safe base16 to/from base64 conversion with filename and url safe characters written in pure javascript","url":null,"keywords":"","version":"0.3.2","words":"1664 sort safe base16 to/from base64 conversion with filename and url safe characters written in pure javascript =angleman","author":"=angleman","date":"2014-03-25 "},{"name":"1985","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"1985 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"1bit-chart-bars","description":"Simple module for generating 1bit bar charts","url":null,"keywords":"chart plot graph 1bit bars","version":"0.0.2","words":"1bit-chart-bars simple module for generating 1bit bar charts =rexxars chart plot graph 1bit bars","author":"=rexxars","date":"2014-05-31 "},{"name":"1css","description":"1CSS - CSS dialect made for fun","url":null,"keywords":"","version":"1.0.1","words":"1css 1css - css dialect made for fun =azproduction","author":"=azproduction","date":"2014-04-01 "},{"name":"1pass","description":"1Password reader for the command line.","url":null,"keywords":"1pass 1password command-line","version":"0.1.0","words":"1pass 1password reader for the command line. =oggy 1pass 1password command-line","author":"=oggy","date":"2013-03-12 "},{"name":"1password","description":"Work With 1Password Keychains","url":null,"keywords":"onepassword cloud keychain","version":"0.2.1","words":"1password work with 1password keychains =stayradiated onepassword cloud keychain","author":"=stayradiated","date":"2013-06-28 "},{"name":"1pif-to-csv","description":"Convert 1Password 1pif files to csv","url":null,"keywords":"1Password 1pif 1Password interchange convert csv","version":"1.0.0","words":"1pif-to-csv convert 1password 1pif files to csv =joeybaker 1password 1pif 1password interchange convert csv","author":"=joeybaker","date":"2014-04-03 "},{"name":"1t","description":"Ensures that only one instance of your module exists either serverside or in the browser.","url":null,"keywords":"singleton global #ifndef pragma","version":"0.1.0","words":"1t ensures that only one instance of your module exists either serverside or in the browser. =thlorenz singleton global #ifndef pragma","author":"=thlorenz","date":"2014-04-18 "},{"name":"2","description":"hello er","url":null,"keywords":"","version":"0.0.1","words":"2 hello er =errorrik","author":"=errorrik","date":"2012-08-10 "},{"name":"2-sat","description":"2SAT solver","url":null,"keywords":"2SAT 2 satisfiability boolean nl complete","version":"1.0.1","words":"2-sat 2sat solver =mikolalysenko 2sat 2 satisfiability boolean nl complete","author":"=mikolalysenko","date":"2014-05-15 "},{"name":"200","description":"Ip location query.","url":null,"keywords":"","version":"0.0.1","words":"200 ip location query. =kangpangpang","author":"=kangpangpang","date":"2014-04-21 "},{"name":"2014","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"2014 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"2015","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"2015 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"2016","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"2016 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"2048","description":"game 2048 in terminal","url":null,"keywords":"game 2048","version":"0.2.2","words":"2048 game 2048 in terminal =winsonwq game 2048","author":"=winsonwq","date":"2014-04-08 "},{"name":"2048.io","url":null,"keywords":"","version":"0.0.1","words":"2048.io =goalkeeper112","author":"=goalkeeper112","date":"2014-06-30 "},{"name":"20lines-chatroom","description":"Mini ChatRoom in 20 lines.","url":null,"keywords":"","version":"1.1.0","words":"20lines-chatroom mini chatroom in 20 lines. =jysperm","author":"=jysperm","date":"2014-06-28 "},{"name":"23andme","description":"a api wrapper of api.23andme.com","url":null,"keywords":"23andme gene dna","version":"0.0.0","words":"23andme a api wrapper of api.23andme.com =turing 23andme gene dna","author":"=turing","date":"2013-09-05 "},{"name":"23andme-node","description":"Node.js client for 23andme API.","url":null,"keywords":"23andme genomics node.js API genes synthetic biology","version":"0.0.1","words":"23andme-node node.js client for 23andme api. =crzrcn 23andme genomics node.js api genes synthetic biology","author":"=crzrcn","date":"2013-11-23 "},{"name":"23query","description":"A node.js module for querying genome data in the style of jQuery","url":null,"keywords":"dna genome genetics 23andme","version":"0.0.1","words":"23query a node.js module for querying genome data in the style of jquery =maciek416 dna genome genetics 23andme","author":"=maciek416","date":"2013-07-30 "},{"name":"27bslash6-module","description":"just a dump module used for infrastructure tests","url":null,"keywords":"","version":"0.0.2","words":"27bslash6-module just a dump module used for infrastructure tests =frnksgr","author":"=frnksgr","date":"2012-05-22 "},{"name":"28","description":"Command line utility to download and upload 28.io queries.","url":null,"keywords":"jsoniq xquery dev cloud","version":"0.4.2","words":"28 command line utility to download and upload 28.io queries. =wcandillon jsoniq xquery dev cloud","author":"=wcandillon","date":"2014-08-15 "},{"name":"28.io-nodejs","description":"Node.js bindings for the 28.io API","url":null,"keywords":"jsoniq xquery dev cloud","version":"0.1.1","words":"28.io-nodejs node.js bindings for the 28.io api =wcandillon jsoniq xquery dev cloud","author":"=wcandillon","date":"2014-08-15 "},{"name":"2ch","description":"A JavaScript library for comfortable 2ch watching.","url":null,"keywords":"2ch","version":"0.1.3","words":"2ch a javascript library for comfortable 2ch watching. =shiwano 2ch","author":"=shiwano","date":"2013-11-20 "},{"name":"2checkout-node","description":"A node.js wrapper for the 2Checkout Payment API.","url":null,"keywords":"","version":"0.0.1","words":"2checkout-node a node.js wrapper for the 2checkout payment api. =janfredrik","author":"=janfredrik","date":"2014-06-12 "},{"name":"2co","description":"Module that will provide nodejs adapters for 2checkout API payment gateway","url":null,"keywords":"payments 2checkout adapter gateway","version":"0.0.4","words":"2co module that will provide nodejs adapters for 2checkout api payment gateway =biggora payments 2checkout adapter gateway","author":"=biggora","date":"2014-04-21 "},{"name":"2co-client","description":"A low-level HTTP client for the 2checkout API","url":null,"keywords":"2checkout 2co payment payment gateway","version":"0.0.12","words":"2co-client a low-level http client for the 2checkout api =rakeshpai 2checkout 2co payment payment gateway","author":"=rakeshpai","date":"2013-11-06 "},{"name":"2csv","description":"A pluggable file format converter into Comma-Separated Values (CSV)","url":null,"keywords":"","version":"0.1.2","words":"2csv a pluggable file format converter into comma-separated values (csv) =dfellis","author":"=dfellis","date":"2012-07-13 "},{"name":"2d-array","description":"Transform a 1d array into a 2d array","url":null,"keywords":"","version":"0.0.1","words":"2d-array transform a 1d array into a 2d array =domharrington","author":"=domharrington","date":"2014-05-16 "},{"name":"2d-point","description":"2D point object","url":null,"keywords":"2D point geometry svg bbox rectangles","version":"1.0.0","words":"2d-point 2d point object =crowdhailer 2d point geometry svg bbox rectangles","author":"=crowdhailer","date":"2014-08-22 "},{"name":"2dgeometry","description":"Geometry of position in two dimensions","url":null,"keywords":"Point Vector Line Circle","version":"0.1.1","words":"2dgeometry geometry of position in two dimensions =zeta point vector line circle","author":"=zeta","date":"2014-03-11 "},{"name":"2gis","description":"A simple way to use the 2GIS API from Node.js","url":null,"keywords":"2gis api geo search map","version":"0.0.2","words":"2gis a simple way to use the 2gis api from node.js =andreychizh 2gis api geo search map","author":"=andreychizh","date":"2012-10-24 "},{"name":"2gis-api","description":"2GIS API for Node.js","url":null,"keywords":"2gis api geo search map","version":"0.1.6","words":"2gis-api 2gis api for node.js =staltec 2gis api geo search map","author":"=staltec","date":"2013-12-25 "},{"name":"2gis-project-loader","description":"Helper for load and parse 2gis web api projects","url":null,"keywords":"","version":"0.1.3","words":"2gis-project-loader helper for load and parse 2gis web api projects =wenqer","author":"=wenqer","date":"2014-07-01 "},{"name":"2kenizer","description":"efficient tokenizer","url":null,"keywords":"","version":"0.1.6","words":"2kenizer efficient tokenizer =elmerbulthuis","author":"=elmerbulthuis","date":"2013-01-29 "},{"name":"2lemetry","description":"2lemetry toolkit.","url":null,"keywords":"2lemetry m2m api swagger tcp mqtt angular cassandra","version":"0.0.7","words":"2lemetry 2lemetry toolkit. =franklovecchio 2lemetry m2m api swagger tcp mqtt angular cassandra","author":"=franklovecchio","date":"2013-10-02 "},{"name":"2way-router","description":"2-way router","url":null,"keywords":"router two-way async promises","version":"1.2.5","words":"2way-router 2-way router =nyakto router two-way async promises","author":"=nyakto","date":"2014-09-17 "},{"name":"3","keywords":"","version":[],"words":"3","author":"","date":"2013-12-11 "},{"name":"3-3somepack","description":"a module for test","url":null,"keywords":"","version":"0.0.0","words":"3-3somepack a module for test =fenfenfen999","author":"=fenfenfen999","date":"2014-06-09 "},{"name":"3-way-merge","description":"3-way merging of JavaScript objects","url":null,"keywords":"3-way merge 3way merge","version":"0.0.3","words":"3-way-merge 3-way merging of javascript objects =bender =mark33 3-way merge 3way merge","author":"=bender =mark33","date":"2014-07-02 "},{"name":"300","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"300 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"302","description":"Ip location query.","url":null,"keywords":"","version":"0.0.1","words":"302 ip location query. =kangpangpang","author":"=kangpangpang","date":"2014-04-21 "},{"name":"31i73-class","description":"31i73.com simple node.js class library","url":null,"keywords":"31i73 class prototype inheritence multiple inheritence oop mixin","version":"1.1.0","words":"31i73-class 31i73.com simple node.js class library =propuke 31i73 class prototype inheritence multiple inheritence oop mixin","author":"=propuke","date":"2014-01-05 "},{"name":"34","description":"Yet another Selenium WebDriver library","url":null,"keywords":"selenium webdriver sync automation testing","version":"0.0.2","words":"34 yet another selenium webdriver library =hugs selenium webdriver sync automation testing","author":"=hugs","date":"2014-07-15 "},{"name":"36node-api-nodejs","description":"for communicating with 36node platform in nodejs","url":null,"keywords":"36node","version":"0.1.5","words":"36node-api-nodejs for communicating with 36node platform in nodejs =zzswang 36node","author":"=zzswang","date":"2014-02-08 "},{"name":"37-pieces-of-flair","description":"to get the badge, you know","url":null,"keywords":"","version":"0.0.1","words":"37-pieces-of-flair to get the badge, you know =artemave","author":"=artemave","date":"2014-03-08 "},{"name":"39ae-core","description":"39-asocial-network core module","url":null,"keywords":"39ae 39-asocial-engine asocial-engine engine cms core","version":"0.0.1-dev1","words":"39ae-core 39-asocial-network core module =39dotyt 39ae 39-asocial-engine asocial-engine engine cms core","author":"=39dotyt","date":"2014-09-16 "},{"name":"39f-callbacks","description":"Async callback generator, designed to use with 39f-* modules and 39f-socket.io","url":null,"keywords":"callbacks 39 39-framework 39f","version":"1.0.0","words":"39f-callbacks async callback generator, designed to use with 39f-* modules and 39f-socket.io =39dotyt callbacks 39 39-framework 39f","author":"=39dotyt","date":"2014-08-16 "},{"name":"39f-meta","description":"39-framework meta-module designed to develop WebSocket web-application, designed to work with MongoDB","url":null,"keywords":"39f 39-framework socket.io framework WebSocket MongoDB","version":"0.10.0","words":"39f-meta 39-framework meta-module designed to develop websocket web-application, designed to work with mongodb =39dotyt 39f 39-framework socket.io framework websocket mongodb","author":"=39dotyt","date":"2014-09-17 "},{"name":"39f-socket.io","description":"Handy socket.io wrapper, which adds to socket.io handlers' chains and middlewares","url":null,"keywords":"socket.io websocket 39f 39-framework framework realtime socket io tcp events","version":"1.0.6-d","words":"39f-socket.io handy socket.io wrapper, which adds to socket.io handlers' chains and middlewares =39dotyt socket.io websocket 39f 39-framework framework realtime socket io tcp events","author":"=39dotyt","date":"2014-09-16 "},{"name":"39f-socket.io-auth","description":"39f-socket.io auth module","url":null,"keywords":"auth 39f-socket.io 39-framework socket.io websocket","version":"0.9.3","words":"39f-socket.io-auth 39f-socket.io auth module =39dotyt auth 39f-socket.io 39-framework socket.io websocket","author":"=39dotyt","date":"2014-08-30 "},{"name":"39f-socket.io-auth-local","description":"Local auth (using username:password) module for 39f-socket.io-auth","url":null,"keywords":"39f-socket.io-auth 39f-socket.io auth local","version":"0.9.0","words":"39f-socket.io-auth-local local auth (using username:password) module for 39f-socket.io-auth =39dotyt 39f-socket.io-auth 39f-socket.io auth local","author":"=39dotyt","date":"2014-08-31 "},{"name":"39f-socket.io-auth-sm-redis","description":"Redis-based sessions manager for 39f-socket.io-auth","url":null,"keywords":"39f-socket.io-auth 39f-socket.io auth redis","version":"0.9.0","words":"39f-socket.io-auth-sm-redis redis-based sessions manager for 39f-socket.io-auth =39dotyt 39f-socket.io-auth 39f-socket.io auth redis","author":"=39dotyt","date":"2014-08-30 "},{"name":"39se-core","description":"39se-core ================","url":null,"keywords":"","version":"0.0.1","words":"39se-core 39se-core ================ =39dotyt","author":"=39dotyt","date":"2014-05-30 "},{"name":"3c","description":"json-schema api-doc mock-server","url":null,"keywords":"json schema api doc mock server check","version":"0.0.3-alpha","words":"3c json-schema api-doc mock-server =sdyxch json schema api doc mock server check","author":"=sdyxch","date":"2014-07-01 "},{"name":"3d-print-price-calculator","description":"this is a thing that calculates the price of a 3d object given its volume","url":null,"keywords":"","version":"0.0.1","words":"3d-print-price-calculator this is a thing that calculates the price of a 3d object given its volume =pwnate","author":"=pwnate","date":"2014-04-11 "},{"name":"3dgrid","description":"Takes a grid array and renders a visualization using three.js","keywords":"","version":[],"words":"3dgrid takes a grid array and renders a visualization using three.js =jwaxo","author":"=jwaxo","date":"2014-04-04 "},{"name":"3dstojs","description":"nodejs module to parse 3D Studio (.3ds) files to javascript and/or JSON","url":null,"keywords":".3ds nodejs parser binary 3d 3D Studios","version":"0.0.2","words":"3dstojs nodejs module to parse 3d studio (.3ds) files to javascript and/or json =chrispalazzolo .3ds nodejs parser binary 3d 3d studios","author":"=chrispalazzolo","date":"2014-06-04 "},{"name":"3kenizer","description":"3kenizer","url":null,"keywords":"","version":"0.1.2","words":"3kenizer 3kenizer =elmerbulthuis","author":"=elmerbulthuis","date":"2013-01-30 "},{"name":"3point","description":"3 point problem calculator","url":null,"keywords":"","version":"1.1.2","words":"3point 3 point problem calculator =danielchilds","author":"=danielchilds","date":"2013-11-18 "},{"name":"3s","description":"A Command-line script to triplesec encrypt and decrypt","url":null,"keywords":"encryption triplesec","version":"0.0.3","words":"3s a command-line script to triplesec encrypt and decrypt =maxtaco encryption triplesec","author":"=maxtaco","date":"2014-02-01 "},{"name":"3s_camfinder","keywords":"","version":[],"words":"3s_camfinder","author":"","date":"2014-06-17 "},{"name":"3scale","description":"Client for 3Scale Networks API","url":null,"keywords":"api authorization 3scale web","version":"0.5.0","words":"3scale client for 3scale networks api =michal.3scale =3scale =victordg api authorization 3scale web","author":"=michal.3scale =3scale =victordg","date":"2014-09-02 "},{"name":"3scale-senico","description":"Client for 3Scale Networks API","url":null,"keywords":"api authorization 3scale web","version":"0.3.3","words":"3scale-senico client for 3scale networks api =senico api authorization 3scale web","author":"=senico","date":"2012-08-08 "},{"name":"3scale_senico","description":"Client for 3Scale Networks API","url":null,"keywords":"api authorization 3scale web","version":"0.4.0","words":"3scale_senico client for 3scale networks api =schaitanya api authorization 3scale web","author":"=schaitanya","date":"2013-03-07 "},{"name":"3vot","description":"ERROR: No README data found!","url":null,"keywords":"","version":"0.1.6","words":"3vot error: no readme data found! =rodriguezartav","author":"=rodriguezartav","date":"2014-08-02 "},{"name":"3vot-cli","description":"3VOT Command Line Interface to run development task from the command line.","url":null,"keywords":"","version":"0.8.26","words":"3vot-cli 3vot command line interface to run development task from the command line. =rodriguezartav","author":"=rodriguezartav","date":"2014-09-10 "},{"name":"3vot-cloud","description":"Cloud Components for 3VOT Command Line Tools","url":null,"keywords":"","version":"0.0.63","words":"3vot-cloud cloud components for 3vot command line tools =rodriguezartavia =rodriguezartav","author":"=rodriguezartavia =rodriguezartav","date":"2014-09-10 "},{"name":"3vot-cors","description":"CORS Plugin for 3VOT Servers","url":null,"keywords":"","version":"0.0.5","words":"3vot-cors cors plugin for 3vot servers =rodriguezartav","author":"=rodriguezartav","date":"2014-02-10 "},{"name":"3vot-db","description":"Core for plv8 operations in POSTGRES base on work by Mario Gutierrez mario@mgutz.com","url":null,"keywords":"plv8 postgresql","version":"0.0.1","words":"3vot-db core for plv8 operations in postgres base on work by mario gutierrez mario@mgutz.com =rodriguezartav plv8 postgresql","author":"=rodriguezartav","date":"2014-02-26 "},{"name":"3vot-js-salesforce","description":"Salesforce Extensions for SpineJS","url":null,"keywords":"","version":"0.1.0","words":"3vot-js-salesforce salesforce extensions for spinejs =rodriguezartav","author":"=rodriguezartav","date":"2014-02-11 "},{"name":"3vot-model","description":"3VOT Model based on SpineJS","url":null,"keywords":"","version":"0.1.3","words":"3vot-model 3vot model based on spinejs =rodriguezartav","author":"=rodriguezartav","date":"2014-07-23 "},{"name":"3vot-salesforce-proxy","description":"Salesforce Production NodeJS Proxy Server that translates SF-REST-API into standard REST to be consumed by BackboneJS, SpineJS, Angular, Ember, etc. It includes an OAUTH Authentication Strategy for OAUTH 2.0 Password and Server and Cookie Stateless Session Management for infinite scalability","url":null,"keywords":"","version":"0.1.6","words":"3vot-salesforce-proxy salesforce production nodejs proxy server that translates sf-rest-api into standard rest to be consumed by backbonejs, spinejs, angular, ember, etc. it includes an oauth authentication strategy for oauth 2.0 password and server and cookie stateless session management for infinite scalability =rodriguezartav","author":"=rodriguezartav","date":"2014-02-11 "},{"name":"3vot-spine-salesforce","description":"Salesforce Extensions for SpineJS","url":null,"keywords":"","version":"0.0.4","words":"3vot-spine-salesforce salesforce extensions for spinejs =rodriguezartav","author":"=rodriguezartav","date":"2014-02-09 "},{"name":"3vot_cloud","keywords":"","version":[],"words":"3vot_cloud","author":"","date":"2014-05-07 "},{"name":"3x3-equation-solver","description":"A 3 unknown equation solver.","url":null,"keywords":"equation solver node","version":"0.0.0","words":"3x3-equation-solver a 3 unknown equation solver. =ionicabizau equation solver node","author":"=ionicabizau","date":"2014-05-25 "},{"name":"4","description":"WOOHOO! I GOT 4!","url":null,"keywords":"","version":"0.0.0","words":"4 woohoo! i got 4! =rvagg","author":"=rvagg","date":"2014-03-09 "},{"name":"400","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"400 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"404","keywords":"","version":[],"words":"404","author":"","date":"2013-11-25 "},{"name":"404project","description":"Report 404 errors to http://www.dshield.org/tools/404project.html","url":null,"keywords":"security http https connect express","version":"0.1.1","words":"404project report 404 errors to http://www.dshield.org/tools/404project.html =jfk security http https connect express","author":"=jfk","date":"2012-06-28 "},{"name":"42","url":null,"keywords":"","version":"0.0.1","words":"42 =yofine","author":"=yofine","date":"2014-05-16 "},{"name":"42-cent","description":"abstraction of 42-cent payment gateways, this is a structural interface the different payement gateways must implement ","url":null,"keywords":"payment gateway 42-cent","version":"0.2.0","words":"42-cent abstraction of 42-cent payment gateways, this is a structural interface the different payement gateways must implement =lorenzofox3 payment gateway 42-cent","author":"=lorenzofox3","date":"2014-09-18 "},{"name":"42-cent-authorizenet","description":"42-cent adaptor for Authorize.net payment gateway","url":null,"keywords":"42-cent payment gateway authorize.net","version":"0.2.0","words":"42-cent-authorizenet 42-cent adaptor for authorize.net payment gateway =lorenzofox3 42-cent payment gateway authorize.net","author":"=lorenzofox3","date":"2014-09-18 "},{"name":"42-cent-base","description":"structural interface for 42-cent adaptors","url":null,"keywords":"42-cent payment gateway","version":"0.2.0","words":"42-cent-base structural interface for 42-cent adaptors =lorenzofox3 42-cent payment gateway","author":"=lorenzofox3","date":"2014-09-18 "},{"name":"42-cent-payflow","description":"42-cent adaptor for PayFlow payment gateway","url":null,"keywords":"42-cent payment gateway PayFlow","version":"0.1.0","words":"42-cent-payflow 42-cent adaptor for payflow payment gateway =lorenzofox3 42-cent payment gateway payflow","author":"=lorenzofox3","date":"2014-09-16 "},{"name":"42-cent-rocketgate","description":"42-cent adaptor for rocketgate payment gateway","url":null,"keywords":"42-cent payment gateway rocketgate","version":"0.1.1","words":"42-cent-rocketgate 42-cent adaptor for rocketgate payment gateway =lorenzofox3 42-cent payment gateway rocketgate","author":"=lorenzofox3","date":"2014-09-16 "},{"name":"42am-team","description":"42am team as an Array","url":null,"keywords":"42am members cv person npm-as-a-backend","version":"0.0.1","words":"42am-team 42am team as an array =joshleaves 42am members cv person npm-as-a-backend","author":"=joshleaves","date":"2013-07-25 "},{"name":"4b82","description":"4b82 Continuity Trustcenter Framework","url":null,"keywords":"","version":"0.1.12","words":"4b82 4b82 continuity trustcenter framework =anbreezee","author":"=anbreezee","date":"2014-08-19 "},{"name":"4chan","description":"4chan picture downloader","url":null,"keywords":"4chan picture downloader utility command line","version":"0.0.10","words":"4chan 4chan picture downloader =ypocat 4chan picture downloader utility command line","author":"=ypocat","date":"2014-01-08 "},{"name":"4chan-downloader","description":"Downloads all files in 4chan threads.","url":null,"keywords":"4chan download watch cli","version":"0.0.0","words":"4chan-downloader downloads all files in 4chan threads. =ythis 4chan download watch cli","author":"=ythis","date":"2014-08-06 "},{"name":"4chanjs","description":"NodeJS and Browser 4chan API client","url":null,"keywords":"","version":"0.1.0","words":"4chanjs nodejs and browser 4chan api client =fractal","author":"=fractal","date":"2013-12-06 "},{"name":"4dlcd","description":"An implementation of the 4D SGC/Picasso development environment","url":null,"keywords":"","version":"0.1.1","words":"4dlcd an implementation of the 4d sgc/picasso development environment =jerrysievert","author":"=jerrysievert","date":"2014-06-16 "},{"name":"4g","keywords":"","version":[],"words":"4g","author":"","date":"2013-12-11 "},{"name":"4search","description":"4chan search CLI tool and utility library","url":null,"keywords":"","version":"0.0.1","words":"4search 4chan search cli tool and utility library =fractal","author":"=fractal","date":"2013-07-31 "},{"name":"4sq","description":"A wrapper for the Foursquare API","url":null,"keywords":"foursquare 4sq api wrapper","version":"0.1.6","words":"4sq a wrapper for the foursquare api =meritt foursquare 4sq api wrapper","author":"=meritt","date":"2014-04-03 "},{"name":"4square-venues","description":"Simple module for adding, editing or searching Foursquare Venues via the API","url":null,"keywords":"foursquare venues api add edit search query","version":"0.0.3","words":"4square-venues simple module for adding, editing or searching foursquare venues via the api =mattcollins84 foursquare venues api add edit search query","author":"=mattcollins84","date":"2014-03-06 "},{"name":"5","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"5 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"500","keywords":"","version":[],"words":"500","author":"","date":"2014-04-05 "},{"name":"500px","description":"A wrapper for the 500px.com API","url":null,"keywords":"api 500px","version":"0.4.0","words":"500px a wrapper for the 500px.com api =roka api 500px","author":"=roka","date":"2014-09-04 "},{"name":"501","keywords":"","version":[],"words":"501","author":"","date":"2014-04-05 "},{"name":"502","keywords":"","version":[],"words":"502","author":"","date":"2014-04-05 "},{"name":"503","keywords":"","version":[],"words":"503","author":"","date":"2014-04-05 "},{"name":"504","keywords":"","version":[],"words":"504","author":"","date":"2014-04-05 "},{"name":"505","keywords":"","version":[],"words":"505","author":"","date":"2014-04-05 "},{"name":"506","keywords":"","version":[],"words":"506","author":"","date":"2014-04-05 "},{"name":"507","keywords":"","version":[],"words":"507","author":"","date":"2014-04-05 "},{"name":"508","keywords":"","version":[],"words":"508","author":"","date":"2014-04-05 "},{"name":"509","keywords":"","version":[],"words":"509","author":"","date":"2014-04-05 "},{"name":"510","keywords":"","version":[],"words":"510","author":"","date":"2014-04-05 "},{"name":"511","keywords":"","version":[],"words":"511","author":"","date":"2014-04-05 "},{"name":"512","keywords":"","version":[],"words":"512","author":"","date":"2014-04-05 "},{"name":"513","keywords":"","version":[],"words":"513","author":"","date":"2014-04-05 "},{"name":"514","keywords":"","version":[],"words":"514","author":"","date":"2014-04-05 "},{"name":"515","keywords":"","version":[],"words":"515","author":"","date":"2014-04-05 "},{"name":"516","keywords":"","version":[],"words":"516","author":"","date":"2014-04-05 "},{"name":"517","keywords":"","version":[],"words":"517","author":"","date":"2014-04-05 "},{"name":"518","keywords":"","version":[],"words":"518","author":"","date":"2014-04-05 "},{"name":"519","keywords":"","version":[],"words":"519","author":"","date":"2014-04-05 "},{"name":"51degrees","description":"51degrees c-sdk native bindings for nodejs","url":null,"keywords":"","version":"1.2.0","words":"51degrees 51degrees c-sdk native bindings for nodejs =yorkie","author":"=yorkie","date":"2014-09-12 "},{"name":"520","keywords":"","version":[],"words":"520","author":"","date":"2014-04-05 "},{"name":"521","keywords":"","version":[],"words":"521","author":"","date":"2014-04-05 "},{"name":"522","keywords":"","version":[],"words":"522","author":"","date":"2014-04-05 "},{"name":"523","keywords":"","version":[],"words":"523","author":"","date":"2014-04-05 "},{"name":"524","keywords":"","version":[],"words":"524","author":"","date":"2014-04-05 "},{"name":"525","keywords":"","version":[],"words":"525","author":"","date":"2014-04-05 "},{"name":"526","keywords":"","version":[],"words":"526","author":"","date":"2014-04-05 "},{"name":"527","keywords":"","version":[],"words":"527","author":"","date":"2014-04-05 "},{"name":"528","keywords":"","version":[],"words":"528","author":"","date":"2014-04-05 "},{"name":"529","keywords":"","version":[],"words":"529","author":"","date":"2014-04-05 "},{"name":"530","keywords":"","version":[],"words":"530","author":"","date":"2014-04-05 "},{"name":"531","keywords":"","version":[],"words":"531","author":"","date":"2014-04-05 "},{"name":"532","keywords":"","version":[],"words":"532","author":"","date":"2014-04-05 "},{"name":"533","keywords":"","version":[],"words":"533","author":"","date":"2014-04-05 "},{"name":"534","keywords":"","version":[],"words":"534","author":"","date":"2014-04-05 "},{"name":"535","keywords":"","version":[],"words":"535","author":"","date":"2014-04-05 "},{"name":"536","keywords":"","version":[],"words":"536","author":"","date":"2014-04-05 "},{"name":"537","keywords":"","version":[],"words":"537","author":"","date":"2014-04-05 "},{"name":"538","keywords":"","version":[],"words":"538","author":"","date":"2014-04-05 "},{"name":"539","keywords":"","version":[],"words":"539","author":"","date":"2014-04-05 "},{"name":"53cal-jp-scraper","description":"Scrape the days of 53cal.jp","url":null,"keywords":"scraper scraping 53cal.jp","version":"0.1.1","words":"53cal-jp-scraper scrape the days of 53cal.jp =sanemat scraper scraping 53cal.jp","author":"=sanemat","date":"2014-07-05 "},{"name":"53test_package","description":"this is a test for public ","url":null,"keywords":"test public","version":"0.0.2","words":"53test_package this is a test for public =532454550 test public","author":"=532454550","date":"2013-11-08 "},{"name":"540","keywords":"","version":[],"words":"540","author":"","date":"2014-04-05 "},{"name":"541","keywords":"","version":[],"words":"541","author":"","date":"2014-04-05 "},{"name":"542","keywords":"","version":[],"words":"542","author":"","date":"2014-04-05 "},{"name":"543","keywords":"","version":[],"words":"543","author":"","date":"2014-04-05 "},{"name":"544","keywords":"","version":[],"words":"544","author":"","date":"2014-04-05 "},{"name":"545","keywords":"","version":[],"words":"545","author":"","date":"2014-04-05 "},{"name":"546","keywords":"","version":[],"words":"546","author":"","date":"2014-04-05 "},{"name":"547","keywords":"","version":[],"words":"547","author":"","date":"2014-04-05 "},{"name":"548","keywords":"","version":[],"words":"548","author":"","date":"2014-04-05 "},{"name":"549","keywords":"","version":[],"words":"549","author":"","date":"2014-04-05 "},{"name":"550","keywords":"","version":[],"words":"550","author":"","date":"2014-04-05 "},{"name":"551","keywords":"","version":[],"words":"551","author":"","date":"2014-04-05 "},{"name":"6","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"6 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"639","keywords":"","version":[],"words":"639","author":"","date":"2014-04-05 "},{"name":"66","description":"Simple client-side router.","url":null,"keywords":"routing browser","version":"0.2.0","words":"66 simple client-side router. =airportyh =parris routing browser","author":"=airportyh =parris","date":"2014-09-15 "},{"name":"6px","description":"Node.js module for 6px","url":null,"keywords":"6px image manipulation processing saas paas","version":"0.1.6","words":"6px node.js module for 6px =dustinwtf =nparsons08 6px image manipulation processing saas paas","author":"=dustinwtf =nparsons08","date":"2014-09-06 "},{"name":"7","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"7 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"75.weekly","description":"command-tool for 75weekly","url":null,"keywords":"cli 75weekly","version":"0.0.2","words":"75.weekly command-tool for 75weekly =liangchao cli 75weekly","author":"=liangchao","date":"2014-03-20 "},{"name":"7digital-api","description":"7digital API client for nodeJS","url":null,"keywords":"api nodejs 7digital","version":"0.26.1","words":"7digital-api 7digital api client for nodejs =raoulmillais =c24w =actionshrimp api nodejs 7digital","author":"=raoulmillais =c24w =actionshrimp","date":"2014-09-19 "},{"name":"7dk","description":"7 development kit","url":null,"keywords":"se7en se7en.io 7dk SDK","version":"0.0.0","words":"7dk 7 development kit =jerryyangjin se7en se7en.io 7dk sdk","author":"=jerryyangjin","date":"2014-07-23 "},{"name":"7f","description":"7F protocol library for node.js","url":null,"keywords":"","version":"1.1.2","words":"7f 7f protocol library for node.js =flosse","author":"=flosse","date":"2014-01-09 "},{"name":"7geese","description":"The 7Geese command line utility.","url":null,"keywords":"7geese command","version":"0.0.4","words":"7geese the 7geese command line utility. =maxparm 7geese command","author":"=maxparm","date":"2013-11-01 "},{"name":"7z","description":"7z == WORK IN PROGRESS, DON'T EVEN THINK OF USING THIS LIB","url":null,"keywords":"","version":"0.0.1","words":"7z 7z == work in progress, don't even think of using this lib =michalbe","author":"=michalbe","date":"2014-08-16 "},{"name":"8","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"8 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"824","description":"Amodule for learningperpose","url":null,"keywords":"5566138asd","version":"1.0.0","words":"824 amodule for learningperpose =lszh 5566138asd","author":"=lszh","date":"2014-08-24 "},{"name":"88","description":"a powerful nodejs module, we called the luck number 88","url":null,"keywords":"88","version":"0.0.1","words":"88 a powerful nodejs module, we called the luck number 88 =andyliu 88","author":"=andyliu","date":"2014-06-17 "},{"name":"9","description":"test","url":null,"keywords":"hello world","version":"0.0.1","words":"9 test =xiaosheng hello world","author":"=xiaosheng","date":"2014-05-12 "},{"name":"9292","description":"A Node module for 9292ov.nl API","url":null,"keywords":"Public Transport","version":"0.0.0","words":"9292 a node module for 9292ov.nl api =timvanelsloo public transport","author":"=timvanelsloo","date":"2013-01-22 "},{"name":"96module","keywords":"","version":[],"words":"96module","author":"","date":"2014-07-11 "},{"name":"99","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"99 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"999","description":"Provides a comprehensive 9-9-9 plan for web applications","url":null,"keywords":"","version":"0.0.1","words":"999 provides a comprehensive 9-9-9 plan for web applications =fractal","author":"=fractal","date":"2013-08-04 "},{"name":"9wmuypsg","description":"9WmUYpSG","url":null,"keywords":"","version":"0.0.1","words":"9wmuypsg 9wmuypsg =0xe4783995","author":"=0xe4783995","date":"2013-06-10 "},{"name":"a","description":"Mocking framework and test framework in compact when-style. With recursive test runner","url":null,"keywords":"mock mocking partial mock strict mock tdd bdd test runner stub stubbing mock require verify unit test","version":"0.4.6","words":"a mocking framework and test framework in compact when-style. with recursive test runner =adlanelm =lroal mock mocking partial mock strict mock tdd bdd test runner stub stubbing mock require verify unit test","author":"=adlanelm =lroal","date":"2014-08-15 "},{"name":"A","description":"Minimal promise implementation from the CommonJS Promises/A specification","url":null,"keywords":"promise","version":"0.0.1","words":"a minimal promise implementation from the commonjs promises/a specification =grahamlyons promise","author":"=grahamlyons","date":"2012-03-07 "},{"name":"a-big-triangle","description":"Draws a big triangle","url":null,"keywords":"triangle webgl draw","version":"1.0.0","words":"a-big-triangle draws a big triangle =mikolalysenko triangle webgl draw","author":"=mikolalysenko","date":"2014-09-15 "},{"name":"a-construct-fn","url":null,"keywords":"","version":"0.0.0","words":"a-construct-fn =joaoafrmartins","author":"=joaoafrmartins","date":"2014-06-15 "},{"name":"a-csv","description":"A CSV parsing/stringify module","url":null,"keywords":"csv parse parser stringify","version":"0.2.3","words":"a-csv a csv parsing/stringify module =jillix csv parse parser stringify","author":"=jillix","date":"2014-08-27 "},{"name":"a-frame","description":"A javascript framework","url":null,"keywords":"","version":"0.0.0","words":"a-frame a javascript framework =architectd","author":"=architectd","date":"2012-08-23 "},{"name":"a-french-javascript-developer","description":"Install this and see if you want to hire me :)","url":null,"keywords":"","version":"0.4.2","words":"a-french-javascript-developer install this and see if you want to hire me :) =joshleaves","author":"=joshleaves","date":"2013-07-25 "},{"name":"a-kind-of-magic","description":"Automatic dependency resolution for Javascript","url":null,"keywords":"","version":"0.5.1","words":"a-kind-of-magic automatic dependency resolution for javascript =shz","author":"=shz","date":"2014-01-29 "},{"name":"a-star","description":"Generic synchronous A* search algorithm","url":null,"keywords":"","version":"0.2.0","words":"a-star generic synchronous a* search algorithm =superjoe","author":"=superjoe","date":"2014-06-07 "},{"name":"a-star-search","description":"A special case of best-first graph search that uses heuristics to improve speed. Define your 2D grid then add any blocked coordinates to the environment that must be avoided when generating the shortest path. Written in CoffeeScript.","url":null,"keywords":"a* astar star search game shortest path pathfinding graph movement map","version":"0.1.11","words":"a-star-search a special case of best-first graph search that uses heuristics to improve speed. define your 2d grid then add any blocked coordinates to the environment that must be avoided when generating the shortest path. written in coffeescript. =hackjoy a* astar star search game shortest path pathfinding graph movement map","author":"=hackjoy","date":"2014-05-26 "},{"name":"a-sync","description":"Make sync functions a?sync","url":null,"keywords":"sync async nodeify","version":"0.0.0","words":"a-sync make sync functions a?sync =fritx sync async nodeify","author":"=fritx","date":"2014-06-07 "},{"name":"a-taste-of-node","description":"A short node workshop","url":null,"keywords":"node tutorial workshop beginner","version":"2.1.0","words":"a-taste-of-node a short node workshop =benng node tutorial workshop beginner","author":"=benng","date":"2014-03-10 "},{"name":"a-test-package-for-registry-key","keywords":"","version":[],"words":"a-test-package-for-registry-key =gustavnikolaj","author":"=gustavnikolaj","date":"2014-07-21 "},{"name":"a-wild-version-appears","description":"sometimes versions happen and you want to alert your users","url":null,"keywords":"versions","version":"0.1.0","words":"a-wild-version-appears sometimes versions happen and you want to alert your users =chrisdickinson versions","author":"=chrisdickinson","date":"2013-12-16 "},{"name":"a.config","description":"Node.js Config System","url":null,"keywords":"Config Yaml","version":"0.1.5","words":"a.config node.js config system =a696385 config yaml","author":"=a696385","date":"2013-09-08 "},{"name":"a.js","url":null,"keywords":"","version":"0.0.1","words":"a.js =qianxun","author":"=qianxun","date":"2014-09-08 "},{"name":"a.require","description":"Require Node.js System","url":null,"keywords":"Require","version":"0.0.1","words":"a.require require node.js system =a696385 require","author":"=a696385","date":"2013-09-09 "},{"name":"a1","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"a1 ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"a127","description":"a127 placeholder","url":null,"keywords":"","version":"0.0.0","words":"a127 a127 placeholder =mohsen","author":"=mohsen","date":"2014-08-06 "},{"name":"a127-magic","description":"Apigee 127 Swagger Loader and Middleware","url":null,"keywords":"Apigee 127 Swagger Volos","version":"0.5.0","words":"a127-magic apigee 127 swagger loader and middleware =scottganyo apigee 127 swagger volos","author":"=scottganyo","date":"2014-09-19 "},{"name":"a2","description":"HTML Academy Developer Tools","url":null,"keywords":"","version":"0.0.1","words":"a2 html academy developer tools =meritt","author":"=meritt","date":"2014-05-13 "},{"name":"a2p3","description":"Node module for bulding Apps for A2P3 Proof of Concept","url":null,"keywords":"A2P3 a2p3 identity","version":"0.3.4","words":"a2p3 node module for bulding apps for a2p3 proof of concept =dickhardt a2p3 a2p3 identity","author":"=dickhardt","date":"2013-04-09 "},{"name":"a2r-osc","description":"An OSC implementation for node.js and the browser","url":null,"keywords":"a2r addicted2random osc","version":"0.0.1","words":"a2r-osc an osc implementation for node.js and the browser =beyama a2r addicted2random osc","author":"=beyama","date":"2013-05-23 "},{"name":"a2s","description":"Provides a nice interface to a2saas.com, the asciitosvg web service.","url":null,"keywords":"","version":"1.0.2","words":"a2s provides a nice interface to a2saas.com, the asciitosvg web service. =schoonology","author":"=schoonology","date":"2013-05-20 "},{"name":"a2vh","description":"A commandline tool to quickly create vhosts for Apache2","url":null,"keywords":"apache cli vhost","version":"0.0.2","words":"a2vh a commandline tool to quickly create vhosts for apache2 =kaesetoast apache cli vhost","author":"=kaesetoast","date":"2014-03-21 "},{"name":"a2z","description":"A little library for creating string ranges.","url":null,"keywords":"range string","version":"0.2.0","words":"a2z a little library for creating string ranges. =founddrama range string","author":"=founddrama","date":"2013-08-04 "},{"name":"a3","description":"a3 loads any folder of code into an 'API Tree'","url":null,"keywords":"module loader loader api tree","version":"0.1.0","words":"a3 a3 loads any folder of code into an 'api tree' =twojcik module loader loader api tree","author":"=twojcik","date":"2011-10-29 "},{"name":"a5","description":"NodeJS implementation of the A5 JavaScript development framework","url":null,"keywords":"a5 framework oop aop object oriented","version":"0.0.6","words":"a5 nodejs implementation of the a5 javascript development framework =jdepascale a5 framework oop aop object oriented","author":"=jdepascale","date":"2012-12-10 "},{"name":"a_mock","description":"Sub package of a. Mocking framework","url":null,"keywords":"mock mocking partial mock strict mock tdd stub stubbing mock require verify","version":"0.1.4","words":"a_mock sub package of a. mocking framework =lroal =adlanelm mock mocking partial mock strict mock tdd stub stubbing mock require verify","author":"=lroal =adlanelm","date":"2014-06-10 "},{"name":"a_test","description":"Sub package of a. Test framework in compact when-style. With recursive test runner","url":null,"keywords":"tdd bdd test runner","version":"0.1.8","words":"a_test sub package of a. test framework in compact when-style. with recursive test runner =lroal =adlanelm tdd bdd test runner","author":"=lroal =adlanelm","date":"2014-08-15 "},{"name":"a_watcher","description":"just a watcher class. do whatever you want with it.","url":null,"keywords":"","version":"0.1.0","words":"a_watcher just a watcher class. do whatever you want with it. =marxus","author":"=marxus","date":"2013-03-10 "},{"name":"aa","description":"Async-Await. co, co-chan, co-thunkify package","url":null,"keywords":"chan co co-chan co-thunkify go channel aa async async-await","version":"0.0.4","words":"aa async-await. co, co-chan, co-thunkify package =lightspeedc chan co co-chan co-thunkify go channel aa async async-await","author":"=lightspeedc","date":"2014-04-05 "},{"name":"aa-bmq","description":"a simple bidirectional message queue for Node.js","url":null,"keywords":"aa-bmq message queue","version":"0.1.1","words":"aa-bmq a simple bidirectional message queue for node.js =amoa400 aa-bmq message queue","author":"=amoa400","date":"2014-04-17 "},{"name":"aa-io","description":"a realtime communication library base on Engine.io","url":null,"keywords":"aa-io engine.io socket","version":"0.1.4","words":"aa-io a realtime communication library base on engine.io =amoa400 aa-io engine.io socket","author":"=amoa400","date":"2014-04-21 "},{"name":"aa-io-client","description":"a realtime communication library base on Engine.io-client","url":null,"keywords":"aa-io-client engine.io-client socket","version":"0.1.2","words":"aa-io-client a realtime communication library base on engine.io-client =amoa400 aa-io-client engine.io-client socket","author":"=amoa400","date":"2014-04-21 "},{"name":"aa-mysql","description":"a simple and flexible MySql library for Node.js","url":null,"keywords":"aa-mysql mysql","version":"0.1.4","words":"aa-mysql a simple and flexible mysql library for node.js =amoa400 aa-mysql mysql","author":"=amoa400","date":"2014-04-11 "},{"name":"aa-thunkify","keywords":"","version":[],"words":"aa-thunkify","author":"","date":"2014-03-25 "},{"name":"aaa","description":"aaa...","url":null,"keywords":"math","version":"0.0.2","words":"aaa aaa... =erhu65 math","author":"=erhu65","date":"2014-03-13 "},{"name":"aaas","description":"api as a service","url":null,"keywords":"aaas","version":"0.0.1","words":"aaas api as a service =mdemo aaas","author":"=mdemo","date":"2013-08-15 "},{"name":"aabb","description":"Axis-align bounding box","url":null,"keywords":"3d 2d aabb axis-aligned bounding box volume area geomtry search","version":"0.0.1","words":"aabb axis-align bounding box =imbcmdth 3d 2d aabb axis-aligned bounding box volume area geomtry search","author":"=imbcmdth","date":"2012-10-27 "},{"name":"aabb-2d","description":"2d axis aligned bounding boxes","url":null,"keywords":"aabb axis aligned bounding boxes 2d","version":"0.0.0","words":"aabb-2d 2d axis aligned bounding boxes =chrisdickinson aabb axis aligned bounding boxes 2d","author":"=chrisdickinson","date":"2013-01-12 "},{"name":"aabb-3d","description":"3d axis aligned bounding boxes","url":null,"keywords":"aabb axis aligned bounding boxes 3d","version":"0.1.0","words":"aabb-3d 3d axis aligned bounding boxes =chrisdickinson aabb axis aligned bounding boxes 3d","author":"=chrisdickinson","date":"2013-12-23 "},{"name":"aabbbc","url":null,"keywords":"","version":"0.0.2","words":"aabbbc =lorrylockie","author":"=lorrylockie","date":"2014-06-05 "},{"name":"aac","description":"An AAC decoder for Aurora.js","url":null,"keywords":"audio av aurora.js aurora decode","version":"0.1.0","words":"aac an aac decoder for aurora.js =devongovett audio av aurora.js aurora decode","author":"=devongovett","date":"2014-06-17 "},{"name":"aahpushit","description":"Unified Push Messaging from Node.js Apps","url":null,"keywords":"","version":"0.0.1","words":"aahpushit unified push messaging from node.js apps =unwitting","author":"=unwitting","date":"2013-07-16 "},{"name":"aahyhaamodule","description":"A module for learning perpose","url":null,"keywords":"publish package","version":"0.0.1","words":"aahyhaamodule a module for learning perpose =aahyhaa publish package","author":"=aahyhaa","date":"2014-04-10 "},{"name":"aalk","description":"aalk module","url":null,"keywords":"aalk","version":"0.0.1","words":"aalk aalk module =hsuching aalk","author":"=hsuching","date":"2014-06-13 "},{"name":"aang-template-brunch","description":"Compile Angular templates","url":null,"keywords":"","version":"1.7.6","words":"aang-template-brunch compile angular templates =jupl","author":"=jupl","date":"2014-01-31 "},{"name":"aao-js","description":"AAO-js","url":null,"keywords":"testing test automation bdd","version":"0.0.1","words":"aao-js aao-js =meza testing test automation bdd","author":"=meza","date":"2013-09-05 "},{"name":"aap","description":"async-await package","url":null,"keywords":"","version":"0.0.1","words":"aap async-await package =piscisaureus","author":"=piscisaureus","date":"2014-08-12 "},{"name":"aardvark","description":"Tiny, function-centric test framework.","url":null,"keywords":"test framework testing","version":"0.1.1","words":"aardvark tiny, function-centric test framework. =wub test framework testing","author":"=wub","date":"2012-12-28 "},{"name":"aarlogic_gps_3t","description":"A library to parse the NMEA sentences produced by the AARLogic GPS 3T module","url":null,"keywords":"","version":"0.0.1","words":"aarlogic_gps_3t a library to parse the nmea sentences produced by the aarlogic gps 3t module =vesteraas","author":"=vesteraas","date":"2013-04-29 "},{"name":"aaronblohowiak-plugify-js","url":null,"keywords":"","version":"1.0.6","words":"aaronblohowiak-plugify-js =aaronblohowiak","author":"=aaronblohowiak","date":"2011-08-08 "},{"name":"aaronblohowiak-uglify-js","url":null,"keywords":"","version":"1.0.6","words":"aaronblohowiak-uglify-js =aaronblohowiak","author":"=aaronblohowiak","date":"2011-08-07 "},{"name":"aaronshaf-bible-data","description":"Jots and tittles and JSON","url":null,"keywords":"","version":"2.2.1","words":"aaronshaf-bible-data jots and tittles and json =aaronshaf","author":"=aaronshaf","date":"2014-09-09 "},{"name":"aasm-js","description":"CoffeeScript state machines","url":null,"keywords":"state-machine statemachine aasm","version":"1.0.0","words":"aasm-js coffeescript state machines =cpatni state-machine statemachine aasm","author":"=cpatni","date":"2011-08-28 "},{"name":"ab","description":"A benchmark tool.","url":null,"keywords":"ab","version":"0.1.0","words":"ab a benchmark tool. =fengmk2 ab","author":"=fengmk2","date":"2014-06-10 "},{"name":"ab-file-manager","description":"This is a simple, incomplete file manager that provides service to a webserver.","url":null,"keywords":"","version":"1.0.1","words":"ab-file-manager this is a simple, incomplete file manager that provides service to a webserver. =arcadebench","author":"=arcadebench","date":"2014-03-05 "},{"name":"ab-js-utils","description":"\"JavaScript utitilies by Antonio Brandao\"","url":null,"keywords":"js utils","version":"1.0.2","words":"ab-js-utils \"javascript utitilies by antonio brandao\" =antoniobrandao js utils","author":"=antoniobrandao","date":"2014-09-01 "},{"name":"ab-test","description":"AngularJS A/B Test Service and Directives for creating declarative and imperative A/B/n tests.","url":null,"keywords":"angularjs ab test directive","version":"0.0.1","words":"ab-test angularjs a/b test service and directives for creating declarative and imperative a/b/n tests. =daniellmb angularjs ab test directive","author":"=daniellmb","date":"2014-04-06 "},{"name":"ab-test-service","description":"An AngularJS service for creating imperative A/B/n tests in your AngularJS projects.","url":null,"keywords":"angularjs ab test split test","version":"0.0.1","words":"ab-test-service an angularjs service for creating imperative a/b/n tests in your angularjs projects. =daniellmb angularjs ab test split test","author":"=daniellmb","date":"2014-03-12 "},{"name":"ab-tool","description":"A extension of Apache HTTP Benchmarking tool for Node.js","url":null,"keywords":"ab apache http test web","version":"0.2.0","words":"ab-tool a extension of apache http benchmarking tool for node.js =cgcladera ab apache http test web","author":"=cgcladera","date":"2014-04-02 "},{"name":"ab.js","description":"0.2kb A/B/n Testing micro-library","url":null,"keywords":"ab test a/b test split test","version":"0.0.2","words":"ab.js 0.2kb a/b/n testing micro-library =daniellmb ab test a/b test split test","author":"=daniellmb","date":"2014-03-06 "},{"name":"ab_file_manager","keywords":"","version":[],"words":"ab_file_manager =arcadebench","author":"=arcadebench","date":"2014-03-03 "},{"name":"abaaso","description":"abaaso is a modern, lightweight Enterprise class RESTful JavaScript application framework.","url":null,"keywords":"framework rest api consumer hateoas server proxy cache nosql","version":"3.11.12","words":"abaaso abaaso is a modern, lightweight enterprise class restful javascript application framework. =avoidwork framework rest api consumer hateoas server proxy cache nosql","author":"=avoidwork","date":"2014-06-09 "},{"name":"ababot-scripts","description":"The public scripts used for Abakus' IRC-bot ababot.","url":null,"keywords":"github hubot bot","version":"0.1.1","words":"ababot-scripts the public scripts used for abakus' irc-bot ababot. =webkom github hubot bot","author":"=webkom","date":"2014-02-07 "},{"name":"abac","description":"Attribute based access control for Node.js.","url":null,"keywords":"abac authorization","version":"0.0.0","words":"abac attribute based access control for node.js. =vovantics abac authorization","author":"=vovantics","date":"2014-03-04 "},{"name":"abac-backend","description":"An abstract class implementing ABAC's back-end API.","url":null,"keywords":"abac back-end","version":"0.0.2","words":"abac-backend an abstract class implementing abac's back-end api. =vovantics abac back-end","author":"=vovantics","date":"2014-03-19 "},{"name":"abac-mongodb","description":"MongoDB back-end for ABAC and Node.js.","url":null,"keywords":"abac mongodb","version":"0.0.0","words":"abac-mongodb mongodb back-end for abac and node.js. =vovantics abac mongodb","author":"=vovantics","date":"2014-03-04 "},{"name":"abaco","description":"Abaco, an ultra fast number parser for Buffers. It parses a Buffer, or a portion of it, to get the Number value stored as (ASCII) String.","url":null,"keywords":"parseInt parseFloat parseIntArray parseFloatArray decimal integer float buffer util number parser string","version":"1.10.1","words":"abaco abaco, an ultra fast number parser for buffers. it parses a buffer, or a portion of it, to get the number value stored as (ascii) string. =rootslab parseint parsefloat parseintarray parsefloatarray decimal integer float buffer util number parser string","author":"=rootslab","date":"2014-08-10 "},{"name":"abaculus","description":"stitches map tiles together for high-res exporting from tm2","url":null,"keywords":"","version":"0.0.5","words":"abaculus stitches map tiles together for high-res exporting from tm2 =camilleanne =mapbox","author":"=camilleanne =mapbox","date":"2014-09-09 "},{"name":"abacus","description":"Counter library with statsD support","url":null,"keywords":"Abacus counters statsd graphite statistics metrics","version":"0.2.3","words":"abacus counter library with statsd support =thedeveloper abacus counters statsd graphite statistics metrics","author":"=thedeveloper","date":"2014-08-12 "},{"name":"abase","keywords":"","version":[],"words":"abase","author":"","date":"2014-04-05 "},{"name":"abasta","description":"Abasta — Array based AST API","url":null,"keywords":"","version":"0.0.1","words":"abasta abasta — array based ast api =afelix","author":"=afelix","date":"2013-01-10 "},{"name":"ABAValidator","description":"A validation module for browsers and Node.js to validate an American Bankers Association Routing Number used in ACH payments.","url":null,"keywords":"ach validation browser","version":"1.0.5","words":"abavalidator a validation module for browsers and node.js to validate an american bankers association routing number used in ach payments. =jameseggers ach validation browser","author":"=JamesEggers","date":"2012-08-16 "},{"name":"abba","description":"Minimal A/B testing library","url":null,"keywords":"A/B bucket testing","version":"0.0.9","words":"abba minimal a/b testing library =mde a/b bucket testing","author":"=mde","date":"2014-08-10 "},{"name":"abbr","description":"Common variable name abbreviation conversion","url":null,"keywords":"abbreviation conversion","version":"0.0.2","words":"abbr common variable name abbreviation conversion =cattail abbreviation conversion","author":"=cattail","date":"2013-11-22 "},{"name":"abbr-touch.js","description":"A JavaScript library that makes element title attributes touch accessible.","url":null,"keywords":"touch abbr accessibility html","version":"0.1.0","words":"abbr-touch.js a javascript library that makes element title attributes touch accessible. =tyriar touch abbr accessibility html","author":"=tyriar","date":"2014-07-27 "},{"name":"abbrev","description":"Like ruby's abbrev module, but in js","url":null,"keywords":"","version":"1.0.5","words":"abbrev like ruby's abbrev module, but in js =isaacs","author":"=isaacs","date":"2014-04-17 "},{"name":"abbreviate-number","description":"Abbreviate a number and include a suffix such as k and m.","url":null,"keywords":"number abbreviate abbreviate-number","version":"0.0.6","words":"abbreviate-number abbreviate a number and include a suffix such as k and m. =jackmahoney number abbreviate abbreviate-number","author":"=jackmahoney","date":"2014-09-05 "},{"name":"abbyy-ocr","description":"Unofficial node module for calling ABBYY's OCR-SDK. See http://ocrsdk.com/","url":null,"keywords":"ocr abbyy","version":"0.0.4","words":"abbyy-ocr unofficial node module for calling abbyy's ocr-sdk. see http://ocrsdk.com/ =benblair ocr abbyy","author":"=benblair","date":"2013-01-07 "},{"name":"abc","description":"Misc js helpers","url":null,"keywords":"","version":"0.6.1","words":"abc misc js helpers =gregof","author":"=gregof","date":"2014-04-01 "},{"name":"abc-generator","description":"generator for abc","url":null,"keywords":"generator","version":"0.1.5","words":"abc-generator generator for abc =abc-team generator","author":"=abc-team","date":"2013-08-25 "},{"name":"abc-gruntfile-helper","description":"Helpers to easier the configuration of gruntfile for ABC","url":null,"keywords":"abc gruntfile helper kissypie","version":"0.0.11","words":"abc-gruntfile-helper helpers to easier the configuration of gruntfile for abc =neekey =abc_team =abc-team abc gruntfile helper kissypie","author":"=neekey =abc_team =abc-team","date":"2013-11-27 "},{"name":"abc-tpl-kissypie","description":"ABC推荐目录.","url":null,"keywords":"","version":"0.0.1","words":"abc-tpl-kissypie abc推荐目录. =cookieu","author":"=cookieu","date":"2013-04-07 "},{"name":"abc-web","keywords":"","version":[],"words":"abc-web","author":"","date":"2013-08-14 "},{"name":"abc-web-core","description":"Core module for abc-web","url":null,"keywords":"abc yeoman grunt","version":"0.0.5","words":"abc-web-core core module for abc-web =abc-team abc yeoman grunt","author":"=abc-team","date":"2013-08-22 "},{"name":"abcdefghijson","description":"Javascript object keys have no defined ordering. But sometimes you'd like to serialize JSON keys in an order that is human-friendly, like for an API doc. abcdefghijson is your solution. ","url":null,"keywords":"alphabetize json node","version":"0.0.0","words":"abcdefghijson javascript object keys have no defined ordering. but sometimes you'd like to serialize json keys in an order that is human-friendly, like for an api doc. abcdefghijson is your solution. =jacoblyles alphabetize json node","author":"=jacoblyles","date":"2013-08-17 "},{"name":"abcenter","description":"assets build center","url":null,"keywords":"assets build","version":"0.0.0","words":"abcenter assets build center =frontwindysky assets build","author":"=frontwindysky","date":"2013-01-17 "},{"name":"abcnode","description":"ABC notation parser for JavaScript","url":null,"keywords":"abc music notation parser json","version":"0.0.2","words":"abcnode abc notation parser for javascript =sergi abc music notation parser json","author":"=sergi","date":"2012-10-25 "},{"name":"abctest","keywords":"","version":[],"words":"abctest","author":"","date":"2014-06-09 "},{"name":"abdero-fetcher","description":"fetch mails from imap, and stream them","url":null,"keywords":"imap mail stream","version":"0.1.0","words":"abdero-fetcher fetch mails from imap, and stream them =parroit imap mail stream","author":"=parroit","date":"2014-01-18 "},{"name":"abdicate","keywords":"","version":[],"words":"abdicate","author":"","date":"2014-04-05 "},{"name":"abdominal","keywords":"","version":[],"words":"abdominal","author":"","date":"2014-04-05 "},{"name":"abe","description":"Expose ArrayBuffers as read/write text streams","url":null,"keywords":"ArrayBuffer stream","version":"0.0.0","words":"abe expose arraybuffers as read/write text streams =shtylman arraybuffer stream","author":"=shtylman","date":"2012-11-08 "},{"name":"abee","description":"Abee is a template-based, highly costumizable meteor scaffolding application that supports javascript and coffescript.","url":null,"keywords":"scaffolding meteor model utility","version":"0.6.4","words":"abee abee is a template-based, highly costumizable meteor scaffolding application that supports javascript and coffescript. =fastrde scaffolding meteor model utility","author":"=fastrde","date":"2014-04-08 "},{"name":"aberr","description":"http://dustinsenos.com/articles/customErrorsInNode","url":null,"keywords":"","version":"1.0.0","words":"aberr http://dustinsenos.com/articles/customerrorsinnode =gregrperkins","author":"=gregrperkins","date":"2013-04-19 "},{"name":"abevigoda","description":"Abe Vigoda as a Service","url":null,"keywords":"","version":"0.0.0","words":"abevigoda abe vigoda as a service =jed","author":"=jed","date":"2013-04-15 "},{"name":"abhi-git-example","description":"get a list of github user repos","url":null,"keywords":"","version":"0.0.3","words":"abhi-git-example get a list of github user repos =amthekkel","author":"=amthekkel","date":"2013-02-20 "},{"name":"abhisek-npmtest","description":"Just A test","url":null,"keywords":"npmtest","version":"0.0.1","words":"abhisek-npmtest just a test =abhisekatinnofied npmtest","author":"=abhisekatinnofied","date":"2014-03-21 "},{"name":"abhispeak","description":"Finally, lorem ipsum worth reading.","url":null,"keywords":"lorem ipsum lipsum filler text","version":"0.0.2","words":"abhispeak finally, lorem ipsum worth reading. =mertonium lorem ipsum lipsum filler text","author":"=mertonium","date":"2011-09-22 "},{"name":"abide","description":"Base class pub-sub observers for JS objects based on ECMA5 getters/setters","url":null,"keywords":"","version":"1.0.0","words":"abide base class pub-sub observers for js objects based on ecma5 getters/setters =hiddentao","author":"=hiddentao","date":"2013-08-24 "},{"name":"abie","description":"Framework for controllers in express","url":null,"keywords":"","version":"0.1.0","words":"abie framework for controllers in express =julian","author":"=julian","date":"2012-08-20 "},{"name":"abif","description":"An ABIF parser","url":null,"keywords":"bioinformatics","version":"0.0.1","words":"abif an abif parser =imlucas bioinformatics","author":"=imlucas","date":"2013-07-12 "},{"name":"ability","description":"A simple route-based ACL component for expressjs.","url":null,"keywords":"acl everyauth express","version":"0.0.3","words":"ability a simple route-based acl component for expressjs. =scottkf acl everyauth express","author":"=scottkf","date":"2011-10-14 "},{"name":"abiogenesis","description":"Asyncronous, nested 'task' runner framework with dependency resolution.","url":null,"keywords":"","version":"0.5.0","words":"abiogenesis asyncronous, nested 'task' runner framework with dependency resolution. =jakeluer","author":"=jakeluer","date":"2012-10-12 "},{"name":"abird.co","description":"Simple wrapper for the aBird.co API -The world's most awesome content shortening service.","url":null,"keywords":"shortening awesome fly light","version":"0.2.18","words":"abird.co simple wrapper for the abird.co api -the world's most awesome content shortening service. =aichholzer shortening awesome fly light","author":"=aichholzer","date":"2014-09-04 "},{"name":"able-bodied","keywords":"","version":[],"words":"able-bodied","author":"","date":"2014-04-05 "},{"name":"ablejs","description":"The statics build tools for ablesky","url":null,"keywords":"ablesky","version":"0.2.0","words":"ablejs the statics build tools for ablesky =gemstone ablesky","author":"=gemstone","date":"2014-01-13 "},{"name":"ableton-live-locators","description":"A way to extract the stuff you've typed into live: Notes, info text, the names of markers, etc.","url":null,"keywords":"ableton locator xml","version":"0.0.6","words":"ableton-live-locators a way to extract the stuff you've typed into live: notes, info text, the names of markers, etc. =mk-pmb ableton locator xml","author":"=mk-pmb","date":"2014-04-22 "},{"name":"ablock","description":"Asynchronous block-based templating","url":null,"keywords":"","version":"0.1.1","words":"ablock asynchronous block-based templating =jongleberry","author":"=jongleberry","date":"2013-10-02 "},{"name":"abn","description":"Expressjs middleware for testing multiple route handlers (think A/B testing). Middleware will round-robin each route handler for a given test, setting a cookie for each new request in order to match the user to the same handler on subsequent requests.","url":null,"keywords":"a/b abn ab testing ab middleware multivariant express middleware","version":"0.0.1","words":"abn expressjs middleware for testing multiple route handlers (think a/b testing). middleware will round-robin each route handler for a given test, setting a cookie for each new request in order to match the user to the same handler on subsequent requests. =noumansaleem a/b abn ab testing ab middleware multivariant express middleware","author":"=noumansaleem","date":"2014-05-30 "},{"name":"abner","description":"simple hapi server for use in tests","url":null,"keywords":"hapi testing tests","version":"0.0.10","words":"abner simple hapi server for use in tests =diff_sky hapi testing tests","author":"=diff_sky","date":"2014-07-16 "},{"name":"abnf","description":"Augmented Backus-Naur Form (ABNF) parsing. See RFC 5234.","url":null,"keywords":"","version":"0.0.5","words":"abnf augmented backus-naur form (abnf) parsing. see rfc 5234. =hildjj","author":"=hildjj","date":"2013-06-10 "},{"name":"abnormal","keywords":"","version":[],"words":"abnormal","author":"","date":"2014-04-05 "},{"name":"aboard","description":"A javascript imageboard","url":null,"keywords":"chan forum groupware","version":"0.0.1-a","words":"aboard a javascript imageboard =tehfreak chan forum groupware","author":"=tehfreak","date":"2013-09-19 "},{"name":"about","keywords":"","version":[],"words":"about","author":"","date":"2013-10-26 "},{"name":"aboveboard","keywords":"","version":[],"words":"aboveboard","author":"","date":"2014-04-05 "},{"name":"abovefold","description":"Finds required css to render above the fold content. Adds it to your html head","url":null,"keywords":"","version":"0.2.0","words":"abovefold finds required css to render above the fold content. adds it to your html head =devfd3","author":"=devfd3","date":"2014-04-06 "},{"name":"abracadabra","keywords":"","version":[],"words":"abracadabra","author":"","date":"2013-10-25 "},{"name":"abraxas","description":"A streaming gearman client / worker / server (as you choose)","url":null,"keywords":"gearman streaming client worker server","version":"2.1.0","words":"abraxas a streaming gearman client / worker / server (as you choose) =iarna gearman streaming client worker server","author":"=iarna","date":"2014-09-08 "},{"name":"abridge","description":"Streaming minifier for JS and CSS","url":null,"keywords":"","version":"0.5.3","words":"abridge streaming minifier for js and css =weltschmerz","author":"=Weltschmerz","date":"2013-01-10 "},{"name":"abrogate","keywords":"","version":[],"words":"abrogate","author":"","date":"2014-04-05 "},{"name":"abs-require","keywords":"","version":[],"words":"abs-require","author":"","date":"2014-08-21 "},{"name":"abs-svg-path","description":"redefine an svg path with absolute coordinates","url":null,"keywords":"absolute svg path","version":"0.1.1","words":"abs-svg-path redefine an svg path with absolute coordinates =jkroso absolute svg path","author":"=jkroso","date":"2013-11-25 "},{"name":"absolurl","description":"lib for resolving urls","url":null,"keywords":"url parse resolve","version":"1.0.1","words":"absolurl lib for resolving urls =chevett url parse resolve","author":"=chevett","date":"2014-01-04 "},{"name":"absolute","description":"Test if a path (string) is absolute","url":null,"keywords":"","version":"0.0.0","words":"absolute test if a path (string) is absolute =bahamas10","author":"=bahamas10","date":"2013-04-23 "},{"name":"absolute-path","description":"Node.js 0.11.x path.isAbsolute as a separate module","url":null,"keywords":"path absolute isabsolute windows","version":"0.0.0","words":"absolute-path node.js 0.11.x path.isabsolute as a separate module =filearts path absolute isabsolute windows","author":"=filearts","date":"2014-03-17 "},{"name":"absolution","description":"absolution accepts HTML and a base URL, and returns HTML with absolute URLs. Great for generating valid RSS feeds.","url":null,"keywords":"url urls resolver url resolver html resolve urls in html rss feed","version":"1.0.0","words":"absolution absolution accepts html and a base url, and returns html with absolute urls. great for generating valid rss feeds. =boutell url urls resolver url resolver html resolve urls in html rss feed","author":"=boutell","date":"2014-01-05 "},{"name":"abstemious","keywords":"","version":[],"words":"abstemious","author":"","date":"2014-04-05 "},{"name":"abstract","description":"Abstraction of JavaScript Objects.","url":null,"keywords":"object module class prototype events","version":"0.1.2","words":"abstract abstraction of javascript objects. =andy.potanin object module class prototype events","author":"=andy.potanin","date":"2013-12-16 "},{"name":"abstract-blob-store","description":"A test suite and interface you can use to implement streaming file (blob) storage modules for various storage backends and platforms.","url":null,"keywords":"hyperdata dat","version":"2.1.0","words":"abstract-blob-store a test suite and interface you can use to implement streaming file (blob) storage modules for various storage backends and platforms. =maxogden =mafintosh hyperdata dat","author":"=maxogden =mafintosh","date":"2014-08-19 "},{"name":"abstract-data","description":"A library of abstract data types for JavaScript and Node.js. Currently supports stacks and linked lists","url":null,"keywords":"abstract data types data stacks linked lists queues dequeus","version":"0.1.6","words":"abstract-data a library of abstract data types for javascript and node.js. currently supports stacks and linked lists =audun abstract data types data stacks linked lists queues dequeus","author":"=audun","date":"2014-07-15 "},{"name":"abstract-data-types","description":"This module aims to provide a full suite of abstract data types. At present it provides the abstract data type, Queue, Linked List, Stack, Binary Tree an Binary Search Tree.","url":null,"keywords":"abstract data type queue adt abstract data type abstract-data-type link list linked list stack binary tree binary-tree binary tree binary search tree binary-search-tree search tree search","version":"0.1.18","words":"abstract-data-types this module aims to provide a full suite of abstract data types. at present it provides the abstract data type, queue, linked list, stack, binary tree an binary search tree. =gozumi abstract data type queue adt abstract data type abstract-data-type link list linked list stack binary tree binary-tree binary tree binary search tree binary-search-tree search tree search","author":"=gozumi","date":"2014-09-13 "},{"name":"abstract-definer","description":"一个抽象物定义器","url":null,"keywords":"","version":"0.0.1","words":"abstract-definer 一个抽象物定义器 =guangwong","author":"=guangwong","date":"2014-09-11 "},{"name":"abstract-env","description":"Abstracts environment settings allowing them to be supplied from the command-line, environment variables, or a file.","url":null,"keywords":"environment config configuration settings","version":"0.0.0","words":"abstract-env abstracts environment settings allowing them to be supplied from the command-line, environment variables, or a file. =ethangarofolo environment config configuration settings","author":"=ethangarofolo","date":"2013-11-13 "},{"name":"abstract-factory","description":"abstract factory class","url":null,"keywords":"","version":"0.2.0","words":"abstract-factory abstract factory class =techjacker","author":"=techjacker","date":"2013-07-29 "},{"name":"abstract-leveldown","description":"An abstract prototype matching the LevelDOWN API","url":null,"keywords":"leveldb leveldown levelup","version":"2.0.1","words":"abstract-leveldown an abstract prototype matching the leveldown api =rvagg leveldb leveldown levelup","author":"=rvagg","date":"2014-09-01 "},{"name":"abstract-socket","description":"Abstract domain socket support for Node","url":null,"keywords":"","version":"0.1.0","words":"abstract-socket abstract domain socket support for node =saghul","author":"=saghul","date":"2014-07-15 "},{"name":"abstract-store","description":"a module to abstract key/value storage away from the underlying technology","url":null,"keywords":"mongodb riak leveldb memcached s3","version":"0.1.5","words":"abstract-store a module to abstract key/value storage away from the underlying technology =phidelta mongodb riak leveldb memcached s3","author":"=phidelta","date":"2013-09-17 "},{"name":"abstractsocket","description":"Abstract unix sockets support by spawning socat process","url":null,"keywords":"child spawn stream abstract sockets","version":"0.0.3","words":"abstractsocket abstract unix sockets support by spawning socat process =sidorares child spawn stream abstract sockets","author":"=sidorares","date":"2013-09-27 "},{"name":"abstruse","keywords":"","version":[],"words":"abstruse","author":"","date":"2014-04-05 "},{"name":"absu","description":"A wrapper for Node's http.get","url":null,"keywords":"node http request stream","version":"0.0.2","words":"absu a wrapper for node's http.get =caike node http request stream","author":"=caike","date":"2014-07-23 "},{"name":"absurd","description":"JavaScript library with superpowers - http://absurdjs.com/","url":null,"keywords":"css preprocessor","version":"0.3.31","words":"absurd javascript library with superpowers - http://absurdjs.com/ =krasimir css preprocessor","author":"=krasimir","date":"2014-08-01 "},{"name":"abu","description":"Jasmine test skeleton builder for Tetra.js","url":null,"keywords":"jasmine tetra","version":"0.4.1","words":"abu jasmine test skeleton builder for tetra.js =redking jasmine tetra","author":"=redking","date":"2013-04-09 "},{"name":"abuse-cfg","description":"abuse node.js module cache to provide a simple app-level config persistance layer. You should not use it.","url":null,"keywords":"","version":"0.0.1","words":"abuse-cfg abuse node.js module cache to provide a simple app-level config persistance layer. you should not use it. =aliem","author":"=aliem","date":"2014-04-16 "},{"name":"abut","keywords":"","version":[],"words":"abut","author":"","date":"2014-04-05 "},{"name":"abyssa","description":"A stateful router library for single page applications","url":null,"keywords":"routes routing router hierarchical stateful pushState","version":"6.6.0","words":"abyssa a stateful router library for single page applications =boubiyeah routes routing router hierarchical stateful pushstate","author":"=boubiyeah","date":"2014-07-16 "},{"name":"ac","description":"Autocomplete","url":null,"keywords":"Autocomplete","version":"0.0.2","words":"ac autocomplete =nelsonic autocomplete","author":"=nelsonic","date":"2014-07-15 "},{"name":"ac-koa","description":"Modules for building Atlassian Connect and HipChat Connect add-ons","url":null,"keywords":"atlassian connect atlassian-connect hipchat koa","version":"0.2.3","words":"ac-koa modules for building atlassian connect and hipchat connect add-ons =rbergman atlassian connect atlassian-connect hipchat koa","author":"=rbergman","date":"2014-08-28 "},{"name":"ac-koa-hipchat","description":"A Koa.js library for building Atlassian Connect HipChat add-ons","url":null,"keywords":"atlassian connect atlassian-connect hipchat koa","version":"0.2.8","words":"ac-koa-hipchat a koa.js library for building atlassian connect hipchat add-ons =rbergman atlassian connect atlassian-connect hipchat koa","author":"=rbergman","date":"2014-09-11 "},{"name":"ac-koa-hipchat-keenio","description":"Simple Keen.io-based analytics capture for AC Koa HipChat","url":null,"keywords":"atlassian connect atlassian-connect hipchat koa keen.io","version":"0.1.4","words":"ac-koa-hipchat-keenio simple keen.io-based analytics capture for ac koa hipchat =rbergman atlassian connect atlassian-connect hipchat koa keen.io","author":"=rbergman","date":"2014-09-12 "},{"name":"ac-node","description":"A common module for building Atlassian Connect add-ons","url":null,"keywords":"atlassian connect atlassian-connect hipchat","version":"0.2.1","words":"ac-node a common module for building atlassian connect add-ons =rbergman atlassian connect atlassian-connect hipchat","author":"=rbergman","date":"2014-08-23 "},{"name":"ac-node-hipchat","description":"A common module plugin for building Atlassian Connect add-ons for HipChat","url":null,"keywords":"atlassian connect atlassian-connect hipchat","version":"0.2.4","words":"ac-node-hipchat a common module plugin for building atlassian connect add-ons for hipchat =rbergman atlassian connect atlassian-connect hipchat","author":"=rbergman","date":"2014-09-11 "},{"name":"academic","description":"Academic Utility","url":null,"keywords":"academic utility","version":"0.0.3","words":"academic academic utility =msds academic utility","author":"=msds","date":"2014-02-12 "},{"name":"acall.js","description":"A simple wrapper for a node.js spawn call which gives an easy callback to get stdout.","url":null,"keywords":"","version":"0.0.4","words":"acall.js a simple wrapper for a node.js spawn call which gives an easy callback to get stdout. =mattiasrunge","author":"=mattiasrunge","date":"2013-09-29 "},{"name":"acatiris","description":"A Cat Iris is an ASCII art middleware for Express.","url":null,"keywords":"acatiris art ascii express middleware","version":"0.1.0","words":"acatiris a cat iris is an ascii art middleware for express. =lsvx acatiris art ascii express middleware","author":"=lsvx","date":"2014-09-03 "},{"name":"acc-lang-parser","description":"A simple parser for http Accept-Language headers.","url":null,"keywords":"http accept-language parser nodejs","version":"1.0.4","words":"acc-lang-parser a simple parser for http accept-language headers. =velrok http accept-language parser nodejs","author":"=velrok","date":"2012-08-30 "},{"name":"accel-mma84","description":"Library to run the MMA8452Q accelerometer.","url":null,"keywords":"","version":"0.2.3","words":"accel-mma84 library to run the mma8452q accelerometer. =tcr =technicalmachine","author":"=tcr =technicalmachine","date":"2014-05-28 "},{"name":"accela-construct","description":"A Node.js module for working with the Accela Construct API.","url":null,"keywords":"","version":"0.1.0","words":"accela-construct a node.js module for working with the accela construct api. =mark.headd","author":"=mark.headd","date":"2014-09-05 "},{"name":"accept","keywords":"","version":[],"words":"accept","author":"","date":"2014-04-05 "},{"name":"accept-bitcoin","description":"accept bitcoins on your projects","url":null,"keywords":"node accept-bitcoin bitcoin","version":"0.0.9","words":"accept-bitcoin accept bitcoins on your projects =sagivo node accept-bitcoin bitcoin","author":"=sagivo","date":"2014-09-16 "},{"name":"accept-encoding","description":"Simple plugin for checking a request's Accept-Encoding","url":null,"keywords":"accepts accept-encoding","version":"0.1.0","words":"accept-encoding simple plugin for checking a request's accept-encoding =stephenmathieson accepts accept-encoding","author":"=stephenmathieson","date":"2013-09-11 "},{"name":"accept-language","description":"HTTP Accept-Language parser for node","url":null,"keywords":"accept-language i18n parser","version":"1.2.0","words":"accept-language http accept-language parser for node =tinganho accept-language i18n parser","author":"=tinganho","date":"2014-08-13 "},{"name":"accept-language-parser","description":"Parse the accept-language header from a HTTP request","url":null,"keywords":"accept-language i18n parser","version":"1.0.2","words":"accept-language-parser parse the accept-language header from a http request =andyroyle accept-language i18n parser","author":"=andyroyle","date":"2014-05-13 "},{"name":"accept-locale","description":"HTTP Accept-Language parser for node","url":null,"keywords":"accept-language i18n parser","version":"1.2.0","words":"accept-locale http accept-language parser for node =tinganho accept-language i18n parser","author":"=tinganho","date":"2014-08-13 "},{"name":"accept-promises","description":"Accept Promises into your heart and/or functions.","url":null,"keywords":"promise decorator","version":"1.0.1","words":"accept-promises accept promises into your heart and/or functions. =grncdr promise decorator","author":"=grncdr","date":"2014-05-06 "},{"name":"acceptance","description":"Validate dynamic parameters against a predefined schema","url":null,"keywords":"schema validation parameters","version":"0.1.3","words":"acceptance validate dynamic parameters against a predefined schema =bradleyg schema validation parameters","author":"=bradleyg","date":"2012-05-18 "},{"name":"accepts","description":"Higher-level content negotiation","url":null,"keywords":"content negotiation accept accepts","version":"1.1.0","words":"accepts higher-level content negotiation =jongleberry =federomero =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123 content negotiation accept accepts","author":"=jongleberry =federomero =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123","date":"2014-09-02 "},{"name":"access","description":"access control resources, groups and modes by id","url":null,"keywords":"access control groups modes resources redis graph","version":"0.2.1","words":"access access control resources, groups and modes by id =tblobaum access control groups modes resources redis graph","author":"=tblobaum","date":"2012-08-09 "},{"name":"access-control","description":"Easily handle HTTP Access Control (CORS) in your applications","url":null,"keywords":"CORS HTTP Access Control Access Control Allow Origin Access-Control-Allow-Origin Access-Control-Expose-Headers Access-Control-Allow-Methods Access-Control-Allow-Credentials Access-Control-Allow-Headers Access-Control-Max-Age","version":"0.0.4","words":"access-control easily handle http access control (cors) in your applications =v1 =davedoesdev =jcrugzz =lpinca =swaagie cors http access control access control allow origin access-control-allow-origin access-control-expose-headers access-control-allow-methods access-control-allow-credentials access-control-allow-headers access-control-max-age","author":"=V1 =davedoesdev =jcrugzz =lpinca =swaagie","date":"2014-07-01 "},{"name":"access-controls","description":"rule based access-controls engine for node.js (browser compatible)","url":null,"keywords":"access control rules permissions","version":"0.4.1","words":"access-controls rule based access-controls engine for node.js (browser compatible) =nherment access control rules permissions","author":"=nherment","date":"2014-09-12 "},{"name":"access-log","description":"Add simple access logs to any http or https server","url":null,"keywords":"access apache clf logs","version":"0.3.9","words":"access-log add simple access logs to any http or https server =bahamas10 access apache clf logs","author":"=bahamas10","date":"2014-06-25 "},{"name":"access-logger","description":"Extensive access logger middleware","url":null,"keywords":"logger log4node middleware express","version":"0.0.2","words":"access-logger extensive access logger middleware =abarre logger log4node middleware express","author":"=abarre","date":"2012-08-10 "},{"name":"access-token","description":"Small OAuth2 access token helper.","url":null,"keywords":"token oauth oauth2 passport access token refresh token","version":"0.2.1","words":"access-token small oauth2 access token helper. =cayasso token oauth oauth2 passport access token refresh token","author":"=cayasso","date":"2014-08-20 "},{"name":"access2couch","description":"A command-line utility for Windows, that pushes a MS Access database to a CouchDB instance.","url":null,"keywords":"ms access msaccess access microsoft access couch couchdb shell conversion","version":"0.0.6","words":"access2couch a command-line utility for windows, that pushes a ms access database to a couchdb instance. =lmatteis ms access msaccess access microsoft access couch couchdb shell conversion","author":"=lmatteis","date":"2012-06-15 "},{"name":"accessible","description":"``` var controlList = { \"/tournaments\": { getRole: function getUserRole (req, done){ done(undefined, 'organizer'); }, get: [\"admin\", \"organizer\"], put: [\"admin\", \"organizer\"], post: [\"admin\", \"organizer\"], ","url":null,"keywords":"","version":"0.1.0","words":"accessible ``` var controllist = { \"/tournaments\": { getrole: function getuserrole (req, done){ done(undefined, 'organizer'); }, get: [\"admin\", \"organizer\"], put: [\"admin\", \"organizer\"], post: [\"admin\", \"organizer\"], =robertwhurst","author":"=robertwhurst","date":"2014-03-25 "},{"name":"accesslabsproxy","description":"A proxy for local access labs development","url":null,"keywords":"","version":"0.0.18","words":"accesslabsproxy a proxy for local access labs development =connyay","author":"=connyay","date":"2014-09-15 "},{"name":"accesslog","description":"Simple common/combined access log middleware","url":null,"keywords":"logger log access common combined http apache nsca","version":"0.0.2","words":"accesslog simple common/combined access log middleware =carlos8f logger log access common combined http apache nsca","author":"=carlos8f","date":"2013-11-29 "},{"name":"Accessor","description":"A database wrapper, provide easy access to databases","url":null,"keywords":"","version":"0.3.2","words":"accessor a database wrapper, provide easy access to databases =bu","author":"=bu","date":"2012-11-22 "},{"name":"Accessor_MongoDB","description":"A MongoDB wrapper for Accessor database layer","url":null,"keywords":"","version":"0.5.5","words":"accessor_mongodb a mongodb wrapper for accessor database layer =bu","author":"=bu","date":"2012-11-11 "},{"name":"Accessor_MySQL","description":"A MySQL database wrapper, provide easy access to database without writing SQL code","url":null,"keywords":"mysql accessor genericobject observer","version":"0.4.1","words":"accessor_mysql a mysql database wrapper, provide easy access to database without writing sql code =bu mysql accessor genericobject observer","author":"=bu","date":"2012-11-28 "},{"name":"Accessor_Singleton","description":"A instance pool for Accessor module","url":null,"keywords":"","version":"0.1.2","words":"accessor_singleton a instance pool for accessor module =bu","author":"=bu","date":"2012-05-30 "},{"name":"accessor_sqlite","description":"A simple wraper for developer to access their SQLite database without writing SQL code","url":null,"keywords":"sqlite observer notify","version":"0.2.0","words":"accessor_sqlite a simple wraper for developer to access their sqlite database without writing sql code =bu sqlite observer notify","author":"=bu","date":"2013-02-17 "},{"name":"accessorizer","description":"Browser micromodule for creating and caching functions that access a property on an object, primarily for use in D3.","url":null,"keywords":"accessorize D3","version":"0.1.0","words":"accessorizer browser micromodule for creating and caching functions that access a property on an object, primarily for use in d3. =jimkang accessorize d3","author":"=jimkang","date":"2014-05-30 "},{"name":"accessors","description":"Read and update (nested) objects using simple patterns.","url":null,"keywords":"accessor pattern access object nested path","version":"0.0.2","words":"accessors read and update (nested) objects using simple patterns. =ttaubert accessor pattern access object nested path","author":"=ttaubert","date":"2013-09-28 "},{"name":"accets","description":"composable asset compilation","url":null,"keywords":"","version":"0.1.2","words":"accets composable asset compilation =espr","author":"=espr","date":"2014-09-19 "},{"name":"accidental-value","description":"The values of accidentals in music","url":null,"keywords":"","version":"1.0.0","words":"accidental-value the values of accidentals in music =saebekassebil","author":"=saebekassebil","date":"2014-08-23 "},{"name":"acclimate-variables","description":"rename all invalid identifiers in an AST","url":null,"keywords":"ast safe variables identifiers","version":"0.1.1","words":"acclimate-variables rename all invalid identifiers in an ast =jkroso ast safe variables identifiers","author":"=jkroso","date":"2014-05-23 "},{"name":"accompaniment","keywords":"","version":[],"words":"accompaniment","author":"","date":"2014-04-05 "},{"name":"accord","description":"A unified interface for compiled languages and templates in JavaScript","url":null,"keywords":"","version":"0.12.0","words":"accord a unified interface for compiled languages and templates in javascript =jenius","author":"=jenius","date":"2014-08-20 "},{"name":"accord-cli","description":"compile any language from the command line","url":null,"keywords":"","version":"0.0.2","words":"accord-cli compile any language from the command line =jenius","author":"=jenius","date":"2014-04-03 "},{"name":"accord-joshrowley","description":"A unified interface for compiled languages and templates in JavaScript","url":null,"keywords":"","version":"0.11.2","words":"accord-joshrowley a unified interface for compiled languages and templates in javascript =joshrowley","author":"=joshrowley","date":"2014-08-06 "},{"name":"accord-parallel","description":"run compilation tasks through accord while distributing the load over multiple CPU cores","url":null,"keywords":"","version":"0.1.0","words":"accord-parallel run compilation tasks through accord while distributing the load over multiple cpu cores =slang800","author":"=slang800","date":"2014-07-25 "},{"name":"accordion","description":"","keywords":"","version":[],"words":"accordion =anthonyshort","author":"=anthonyshort","date":"2013-03-08 "},{"name":"account","description":"Provide a skeleton interface for user account login, registration, serialization, and deserialization","url":null,"keywords":"account user registration login","version":"1.0.0","words":"account provide a skeleton interface for user account login, registration, serialization, and deserialization =clewfirst account user registration login","author":"=clewfirst","date":"2013-05-01 "},{"name":"account-couch","description":"Implement the accounts interface using a couchdb backend","url":null,"keywords":"accounts register couch couchdb cradle","version":"1.0.1","words":"account-couch implement the accounts interface using a couchdb backend =clewfirst accounts register couch couchdb cradle","author":"=clewfirst","date":"2013-05-01 "},{"name":"account-logger","description":"Add logging to the account interface","url":null,"keywords":"account","version":"1.0.1","words":"account-logger add logging to the account interface =clewfirst account","author":"=clewfirst","date":"2013-05-01 "},{"name":"account-security","description":"A basic generic create/authenticate wrapper for logins.","url":null,"keywords":"","version":"1.0.0","words":"account-security a basic generic create/authenticate wrapper for logins. =korynunn","author":"=korynunn","date":"2014-04-22 "},{"name":"account-test","description":"Test suite for account interface implementations. This module is intended to be used in a mocha-based test suite for a specific account implementation. See the [account-couch](https://github.com/nisaacson/account-couch) module for an example","url":null,"keywords":"account test","version":"1.0.0","words":"account-test test suite for account interface implementations. this module is intended to be used in a mocha-based test suite for a specific account implementation. see the [account-couch](https://github.com/nisaacson/account-couch) module for an example =clewfirst account test","author":"=clewfirst","date":"2013-05-01 "},{"name":"accountant","description":"Double Entry Accounting","url":null,"keywords":"","version":"0.5.0","words":"accountant double entry accounting =peterbraden","author":"=peterbraden","date":"2014-02-21 "},{"name":"accountdown","description":"persistent accounts backed to leveldb","url":null,"keywords":"level user account database","version":"1.0.2","words":"accountdown persistent accounts backed to leveldb =substack level user account database","author":"=substack","date":"2014-08-29 "},{"name":"accountdown-basic","description":"username/password authentication for accountdown using salted hashes","url":null,"keywords":"accountdown accountdown-plugin authentication account user database salt hash","version":"1.0.0","words":"accountdown-basic username/password authentication for accountdown using salted hashes =substack accountdown accountdown-plugin authentication account user database salt hash","author":"=substack","date":"2014-07-31 "},{"name":"accounting","description":"number, money and currency formatting library","url":null,"keywords":"accounting number money currency format utilities finance exchange","version":"0.4.1","words":"accounting number, money and currency formatting library =joss accounting number money currency format utilities finance exchange","author":"=joss","date":"2014-07-16 "},{"name":"accountmanager","keywords":"","version":[],"words":"accountmanager","author":"","date":"2014-05-13 "},{"name":"accrue","description":"A loan and interest calculation plugin for jQuery.","url":null,"keywords":"","version":"0.0.1","words":"accrue a loan and interest calculation plugin for jquery. =jpederson","author":"=jpederson","date":"2014-06-16 "},{"name":"accu-mediator","description":"A mediator built on accu-router","url":null,"keywords":"router","version":"0.1.0","words":"accu-mediator a mediator built on accu-router =autosponge router","author":"=autosponge","date":"2014-04-17 "},{"name":"accu-router","description":"A router with specificity-based handler searching","url":null,"keywords":"router","version":"0.1.4","words":"accu-router a router with specificity-based handler searching =autosponge router","author":"=autosponge","date":"2014-05-08 "},{"name":"accum","description":"accum - Simple write stream which accumulates or collects the data from a stream. Pipe your stream into this to get all the data as buffer, string, or raw array. (streams2)","url":null,"keywords":"stream streams2 data accumulator collector filter pipe","version":"0.3.6","words":"accum accum - simple write stream which accumulates or collects the data from a stream. pipe your stream into this to get all the data as buffer, string, or raw array. (streams2) =jeffbski stream streams2 data accumulator collector filter pipe","author":"=jeffbski","date":"2014-03-05 "},{"name":"accum-transform","description":"concat-stream as a transform stream","url":null,"keywords":"accumulate stream","version":"1.0.2","words":"accum-transform concat-stream as a transform stream =andrewwinterman accumulate stream","author":"=andrewwinterman","date":"2014-04-01 "},{"name":"accumasync","description":"accumulate values asynchronously","url":null,"keywords":"loop async asynchronous accumulate","version":"0.0.2","words":"accumasync accumulate values asynchronously =bumblehead loop async asynchronous accumulate","author":"=bumblehead","date":"2014-04-18 "},{"name":"accumulate","description":"Accumualates data, e.g. from a readable stream","url":null,"keywords":"accumulate","version":"0.0.2","words":"accumulate accumualates data, e.g. from a readable stream =weltschmerz accumulate","author":"=Weltschmerz","date":"2012-07-22 "},{"name":"accumulator","description":"Wait to call the final callback until all subtasks have returned.","url":null,"keywords":"","version":"0.0.3","words":"accumulator wait to call the final callback until all subtasks have returned. =torchlight","author":"=torchlight","date":"2013-03-18 "},{"name":"accuracy","keywords":"","version":[],"words":"accuracy","author":"","date":"2014-04-05 "},{"name":"accurate-timer","description":"An accurate timer using requestAnimationFrame() and performance.now(), defaulting to setInterval when needed.","url":null,"keywords":"timer accurate accurate_timer aaron sullivan javascript precise precise_timer","version":"0.0.6","words":"accurate-timer an accurate timer using requestanimationframe() and performance.now(), defaulting to setinterval when needed. =aaronik timer accurate accurate_timer aaron sullivan javascript precise precise_timer","author":"=aaronik","date":"2014-06-13 "},{"name":"accursed","keywords":"","version":[],"words":"accursed","author":"","date":"2014-04-05 "},{"name":"accusation","keywords":"","version":[],"words":"accusation","author":"","date":"2014-04-05 "},{"name":"ace","description":"Sinatra for Node","url":null,"keywords":"","version":"0.0.2","words":"ace sinatra for node =maccman","author":"=maccman","date":"2014-01-18 "},{"name":"ace-browserify","description":"A wrapper around ajaxorg/ace to use it with browserify","url":null,"keywords":"","version":"1.0.0","words":"ace-browserify a wrapper around ajaxorg/ace to use it with browserify =vancoding","author":"=VanCoding","date":"2013-02-28 "},{"name":"ace-log","description":"nodejs log for ace","url":null,"keywords":"ace aliyun nodejs log","version":"0.9.6","words":"ace-log nodejs log for ace =chylvina ace aliyun nodejs log","author":"=chylvina","date":"2014-06-04 "},{"name":"ace-sdk-js","description":"Aliyun ACE SDK for Javascript","url":null,"keywords":"aliyun ace nodejs","version":"0.1.8","words":"ace-sdk-js aliyun ace sdk for javascript =chylvina aliyun ace nodejs","author":"=chylvina","date":"2014-06-04 "},{"name":"ace_offline","description":"Fork from Ace to server Offline Manifest File","url":null,"keywords":"","version":"0.0.3","words":"ace_offline fork from ace to server offline manifest file =rodriguezartav","author":"=rodriguezartav","date":"2011-11-01 "},{"name":"acequia","description":"Message router for node supporting multiple protocols","url":null,"keywords":"","version":"0.2.0","words":"acequia message router for node supporting multiple protocols =prgsmall","author":"=prgsmall","date":"2012-07-10 "},{"name":"acetate","description":"Layout and templating framework for static websites.","url":null,"keywords":"static site template templating","version":"0.0.7","words":"acetate layout and templating framework for static websites. =patrickarlt static site template templating","author":"=patrickarlt","date":"2014-09-08 "},{"name":"acetate-cli","description":"Command line interface for the Acetate static site builder.","url":null,"keywords":"","version":"0.0.1","words":"acetate-cli command line interface for the acetate static site builder. =patrickarlt","author":"=patrickarlt","date":"2014-09-08 "},{"name":"acetate-kss","description":"Parse KSS formatted sass documentation and add it to Acetate","url":null,"keywords":"","version":"0.0.2","words":"acetate-kss parse kss formatted sass documentation and add it to acetate =paulcpederson","author":"=paulcpederson","date":"2014-09-11 "},{"name":"acetic","description":"an asset (pre-)compilation engine for node.js and express","url":null,"keywords":"asset pipeline rails assets compilation coffeescript less stylus","version":"0.0.7-4","words":"acetic an asset (pre-)compilation engine for node.js and express =saschagehlich asset pipeline rails assets compilation coffeescript less stylus","author":"=saschagehlich","date":"2014-05-25 "},{"name":"acf","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.2.1","words":"acf error: no readme.md file found! =imzshh","author":"=imzshh","date":"2013-05-08 "},{"name":"ach","description":"Connect middleware for setting Access-Control headers","url":null,"keywords":"access-control middleware","version":"0.3.0","words":"ach connect middleware for setting access-control headers =stuartpb access-control middleware","author":"=stuartpb","date":"2014-03-12 "},{"name":"achain.js","description":"A simple module to chain asynchronous calls.","url":null,"keywords":"","version":"0.0.8","words":"achain.js a simple module to chain asynchronous calls. =mattiasrunge","author":"=mattiasrunge","date":"2014-06-12 "},{"name":"achelous","description":"Achelous - the father of sirens","url":null,"keywords":"Achelous Siren HATEOAS","version":"0.0.2","words":"achelous achelous - the father of sirens =darcinc achelous siren hateoas","author":"=darcinc","date":"2014-04-02 "},{"name":"achilles","description":"Lightweight framework for structured web applications","url":null,"keywords":"controller view client browser","version":"0.18.7","words":"achilles lightweight framework for structured web applications =hashanp controller view client browser","author":"=hashanp","date":"2014-09-20 "},{"name":"achilles-couchdb","description":"CouchDB adapter for Achilles","url":null,"keywords":"achilles couchdb database","version":"0.4.12","words":"achilles-couchdb couchdb adapter for achilles =hashanp achilles couchdb database","author":"=hashanp","date":"2014-08-16 "},{"name":"achilles-mongodb","description":"MongoDB adapter for Achilles","url":null,"keywords":"adapter achilles couchdb database db","version":"0.0.0","words":"achilles-mongodb mongodb adapter for achilles =hashanp adapter achilles couchdb database db","author":"=hashanp","date":"2014-09-01 "},{"name":"acid","description":"A rails flavored asset pipeline based on piler","url":null,"keywords":"","version":"0.2.6","words":"acid a rails flavored asset pipeline based on piler =phreax","author":"=phreax","date":"2012-06-24 "},{"name":"acidity","description":"Test your open source project for friendliness.","url":null,"keywords":"","version":"0.0.4","words":"acidity test your open source project for friendliness. =tofumatt =sole =potch","author":"=tofumatt =sole =potch","date":"2014-04-24 "},{"name":"acidpm","description":"AcidFarm package manager","url":null,"keywords":"acidpm","version":"0.1.4","words":"acidpm acidfarm package manager =freyskeyd acidpm","author":"=freyskeyd","date":"2013-05-01 "},{"name":"ack","description":"XOR based ack tracking library for guaranteeing message processing","url":null,"keywords":"xor tracker ack","version":"0.1.0","words":"ack xor based ack tracking library for guaranteeing message processing =tristanls xor tracker ack","author":"=tristanls","date":"2013-09-14 "},{"name":"ack-types","description":"ack type lookup","url":null,"keywords":"ack type lookup","version":"0.1.1","words":"ack-types ack type lookup =jarofghosts ack type lookup","author":"=jarofghosts","date":"2014-05-29 "},{"name":"ackee","keywords":"","version":[],"words":"ackee","author":"","date":"2014-02-25 "},{"name":"acknowledgment","keywords":"","version":[],"words":"acknowledgment","author":"","date":"2014-04-05 "},{"name":"acl","description":"An Access Control List module, based on Redis with Express middleware support","url":null,"keywords":"middleware acl web","version":"0.4.4","words":"acl an access control list module, based on redis with express middleware support =manast middleware acl web","author":"=manast","date":"2014-09-08 "},{"name":"acl-checker","description":"ACL checker library","url":null,"keywords":"acl","version":"0.1.0","words":"acl-checker acl checker library =ryanzec acl","author":"=ryanzec","date":"2014-06-07 "},{"name":"acl-firebase","description":"Firebase backend for acl","url":null,"keywords":"middleware acl web firebase","version":"0.1.1","words":"acl-firebase firebase backend for acl =tonila middleware acl web firebase","author":"=tonila","date":"2014-08-08 "},{"name":"acl-knex","description":"A Knex.js backend for node_acl","url":null,"keywords":"middleware acl web knex postgres mysql","version":"0.1.8","words":"acl-knex a knex.js backend for node_acl =christophertrudel middleware acl web knex postgres mysql","author":"=christophertrudel","date":"2014-09-02 "},{"name":"acl-medved","description":"NodeJS Role Management","url":null,"keywords":"","version":"1.0.0","words":"acl-medved nodejs role management =jiri.medved","author":"=jiri.medved","date":"2012-12-04 "},{"name":"acl_knex","keywords":"","version":[],"words":"acl_knex","author":"","date":"2014-08-02 "},{"name":"aclass","description":"A small but powerful wrapper over JavaScript's prototype system that eases the creation of classes.","url":null,"keywords":"classes prototypes methods inheritance objects instances","version":"0.5.0","words":"aclass a small but powerful wrapper over javascript's prototype system that eases the creation of classes. =mwiencek classes prototypes methods inheritance objects instances","author":"=mwiencek","date":"2014-03-14 "},{"name":"acm","description":"another configuraiton module","url":null,"keywords":"config configuration","version":"1.0.2","words":"acm another configuraiton module =minond config configuration","author":"=minond","date":"2014-09-20 "},{"name":"acmcc-node-spritesheet","description":"Sprite sheet generator for node.js","url":null,"keywords":"","version":"0.0.6","words":"acmcc-node-spritesheet sprite sheet generator for node.js =acmcc","author":"=acmcc","date":"2013-05-03 "},{"name":"acme","description":"angular component manager engine. a simple node_module for managing components in slamborne/angular-seed structured projects","url":null,"keywords":"","version":"0.0.5","words":"acme angular component manager engine. a simple node_module for managing components in slamborne/angular-seed structured projects =slamborne","author":"=slamborne","date":"2014-07-19 "},{"name":"acolyte","description":"REST-consuming client enabling API topology autodiscovery with ES6 proxies","url":null,"keywords":"rest client api promise proxy proxies es6 magic","version":"0.0.2","words":"acolyte rest-consuming client enabling api topology autodiscovery with es6 proxies =pachet rest client api promise proxy proxies es6 magic","author":"=pachet","date":"2014-05-30 "},{"name":"aconit","description":"My first module","url":null,"keywords":"","version":"0.0.1","words":"aconit my first module =aconit","author":"=aconit","date":"2013-07-31 "},{"name":"aconvert","description":"","url":null,"keywords":"","version":"0.0.2","words":"aconvert =grogers385","author":"=grogers385","date":"2014-01-27 "},{"name":"acore","description":"Libreria complemento de ACoreJS","url":null,"keywords":"acore avenidanet js","version":"0.1.5","words":"acore libreria complemento de acorejs =avenidanet acore avenidanet js","author":"=avenidanet","date":"2014-07-19 "},{"name":"acorn","description":"ECMAScript parser","url":null,"keywords":"","version":"0.8.0","words":"acorn ecmascript parser =marijn","author":"=marijn","date":"2014-09-12 "},{"name":"acorn-bind-operator","description":"ECMAScript parser","url":null,"keywords":"","version":"0.7.1","words":"acorn-bind-operator ecmascript parser =forbeslindesay","author":"=forbeslindesay","date":"2014-09-07 "},{"name":"acorn-compile","description":"Parse JavaScript using acorn and then 'evaluate' the AST, alowing interesting extensions.","url":null,"keywords":"","version":"0.0.1","words":"acorn-compile parse javascript using acorn and then 'evaluate' the ast, alowing interesting extensions. =forbeslindesay","author":"=forbeslindesay","date":"2014-09-06 "},{"name":"acorn-csp","description":"Builder for Acorn that precompiles predicates in order to satisfy CSP.","url":null,"keywords":"acorn content security policy build","version":"0.0.4","words":"acorn-csp builder for acorn that precompiles predicates in order to satisfy csp. =rreverser acorn content security policy build","author":"=rreverser","date":"2014-09-08 "},{"name":"acorn-jsx","description":"Alternative React JSX parser","url":null,"keywords":"","version":"0.7.1-3","words":"acorn-jsx alternative react jsx parser =rreverser","author":"=rreverser","date":"2014-09-17 "},{"name":"acorn-semicolon","description":"ECMAScript parser","url":null,"keywords":"","version":"0.1.1-semicolon","words":"acorn-semicolon ecmascript parser =blented","author":"=blented","date":"2013-11-16 "},{"name":"acoustid","description":"Get music metadata from AcoustID Web Service","url":null,"keywords":"acoustid music audio metadata meta mp3","version":"1.2.1","words":"acoustid get music metadata from acoustid web service =parshap acoustid music audio metadata meta mp3","author":"=parshap","date":"2014-09-11 "},{"name":"acp","description":"Data-agnostic admin interface generator for CRUD applications","url":null,"keywords":"admin interface generator crud express","version":"0.0.1-alpha","words":"acp data-agnostic admin interface generator for crud applications =samt admin interface generator crud express","author":"=samt","date":"2014-08-11 "},{"name":"acpi","description":"listen for ACPID events","url":null,"keywords":"acpi acpid","version":"0.0.1","words":"acpi listen for acpid events =chesles acpi acpid","author":"=chesles","date":"2014-01-01 "},{"name":"acquarella","description":"Acquarella syntax highlighter","url":null,"keywords":"syntax highlight code","version":"0.0.1-alpha","words":"acquarella acquarella syntax highlighter =ajlopez syntax highlight code","author":"=ajlopez","date":"2014-02-22 "},{"name":"acquire","description":"A configurable `require` function which aims to make testing easier.","url":null,"keywords":"require include import acquire test","version":"1.0.0-alpha","words":"acquire a configurable `require` function which aims to make testing easier. =kenpowers require include import acquire test","author":"=kenpowers","date":"2013-11-08 "},{"name":"acquire.js","description":"Acquire application module. A build module encouragement tool as a step before your module becomes a full npm package.","url":null,"keywords":"require module","version":"0.1.12","words":"acquire.js acquire application module. a build module encouragement tool as a step before your module becomes a full npm package. =angleman require module","author":"=angleman","date":"2014-02-26 "},{"name":"acquittal","keywords":"","version":[],"words":"acquittal","author":"","date":"2014-04-05 "},{"name":"acre","description":"Admin CRUD, and REST generator for Node.js","url":null,"keywords":"admin portal admin CRUD REST","version":"0.0.27-alpha","words":"acre admin crud, and rest generator for node.js =johneke admin portal admin crud rest","author":"=johneke","date":"2014-01-10 "},{"name":"acrobat","description":"Acrobat Reader --- Command Line Wrapper","url":null,"keywords":"acrobat reader windows","version":"0.1.0","words":"acrobat acrobat reader --- command line wrapper =matthiasg acrobat reader windows","author":"=matthiasg","date":"2014-09-11 "},{"name":"acs","description":"Appcelerator Server Side Node","url":null,"keywords":"appcelerator titanium","version":"1.0.17","words":"acs appcelerator server side node =mgoff appcelerator titanium","author":"=mgoff","date":"2014-09-19 "},{"name":"acs-api","description":"Appcelerator Cloud Services (ACS) API for node.js apps outside Node.ACS","url":null,"keywords":"titanium appcelerator acs cloud ti","version":"0.0.1","words":"acs-api appcelerator cloud services (acs) api for node.js apps outside node.acs =danielmahon titanium appcelerator acs cloud ti","author":"=danielmahon","date":"2013-07-01 "},{"name":"acs-cli","description":"node.js client for azure acs management service.","url":null,"keywords":"","version":"0.0.1","words":"acs-cli node.js client for azure acs management service. =machadogj","author":"=machadogj","date":"2012-08-02 "},{"name":"acs-dev","description":"Appcelerator Server Side Node","url":null,"keywords":"appcelerator titanium","version":"0.0.1","words":"acs-dev appcelerator server side node =mgoff appcelerator titanium","author":"=mgoff","date":"2012-09-25 "},{"name":"acs-login-url","description":"Generate login url for Windows Azure ACS","url":null,"keywords":"ws-federation azure acs access control service login url","version":"0.1.0","words":"acs-login-url generate login url for windows azure acs =blairforce1 ws-federation azure acs access control service login url","author":"=blairforce1","date":"2013-11-22 "},{"name":"acs-node","description":"Appcelerator ACS SDK for Node.js","url":null,"keywords":"appcelerator acs","version":"0.9.2","words":"acs-node appcelerator acs sdk for node.js =mgoff appcelerator acs","author":"=mgoff","date":"2013-11-19 "},{"name":"acs-qe","description":"Appcelerator Server Side Node","url":null,"keywords":"appcelerator titanium","version":"0.9.13","words":"acs-qe appcelerator server side node =mgoff appcelerator titanium","author":"=mgoff","date":"2012-10-11 "},{"name":"acsjin","description":"Appcelerator Server Side Node","url":null,"keywords":"appcelerator titanium","version":"1.1.6","words":"acsjin appcelerator server side node =jinyuping appcelerator titanium","author":"=jinyuping","date":"2013-11-27 "},{"name":"act","description":"An animation engine for the canvas and dom","url":null,"keywords":"type checker interface","version":"0.0.6","words":"act an animation engine for the canvas and dom =evanmoran type checker interface","author":"=evanmoran","date":"2013-02-10 "},{"name":"actano-script","url":null,"keywords":"","version":"0.0.0","words":"actano-script =kenansulayman","author":"=kenansulayman","date":"2014-09-18 "},{"name":"actanoscript","url":null,"keywords":"","version":"0.0.0","words":"actanoscript =kenansulayman","author":"=kenansulayman","date":"2014-09-18 "},{"name":"actest","keywords":"","version":[],"words":"actest","author":"","date":"2014-02-04 "},{"name":"actin","description":"auto loading controllers for hapi projects","url":null,"keywords":"","version":"0.0.0","words":"actin auto loading controllers for hapi projects =thegoleffect","author":"=thegoleffect","date":"2014-02-09 "},{"name":"action","description":"[![Build Status](https://secure.travis-ci.org/viatropos/action.png)](http://travis-ci.org/viatropos/action)","url":null,"keywords":"","version":"0.0.1","words":"action [![build status](https://secure.travis-ci.org/viatropos/action.png)](http://travis-ci.org/viatropos/action) =viatropos","author":"=viatropos","date":"2013-02-13 "},{"name":"action-at-a-distance","description":"Use Socket.io to drive CasperJS","url":null,"keywords":"casperjs casper phantomjs socket.io screen scraping","version":"1.0.20","words":"action-at-a-distance use socket.io to drive casperjs =eddiemgonzales casperjs casper phantomjs socket.io screen scraping","author":"=eddiemgonzales","date":"2013-04-30 "},{"name":"action-controller","description":"basic rails-like controller","url":null,"keywords":"controller express rails","version":"0.1.0","words":"action-controller basic rails-like controller =codingfu controller express rails","author":"=codingfu","date":"2013-01-13 "},{"name":"action-dispatcher","description":"UI Action dispatcher to separate View from Controller and make the application much more extensible","url":null,"keywords":"","version":"0.1.1","words":"action-dispatcher ui action dispatcher to separate view from controller and make the application much more extensible =wookieb","author":"=wookieb","date":"2014-09-09 "},{"name":"action3d","description":"action3d for cocos3d-html5","url":null,"keywords":"action3d animation cocos utils web game html5 app api","version":"0.0.0","words":"action3d action3d for cocos3d-html5 =cocos2d-html5 action3d animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"actionhero","description":"actionhero.js is a multi-transport API Server with integrated cluster capabilities and delayed tasks","url":null,"keywords":"api realtime socket http https web game cluster soa action task delay service tcp","version":"9.3.1","words":"actionhero actionhero.js is a multi-transport api server with integrated cluster capabilities and delayed tasks =evantahler api realtime socket http https web game cluster soa action task delay service tcp","author":"=evantahler","date":"2014-09-08 "},{"name":"actionhero-mongoskin","description":"MongoDB initializers for actionHero backed by MongoSkin","url":null,"keywords":"actionHero initializer mongoskin mongodb","version":"0.0.1","words":"actionhero-mongoskin mongodb initializers for actionhero backed by mongoskin =panjiesw actionhero initializer mongoskin mongodb","author":"=panjiesw","date":"2013-12-05 "},{"name":"actionhero-oauth2-client","description":"ActionHero OAuth2 Client","url":null,"keywords":"actionhero oauth2 client","version":"2.0.0","words":"actionhero-oauth2-client actionhero oauth2 client =philw actionhero oauth2 client","author":"=philw","date":"2014-07-11 "},{"name":"actionhero-oauth2-provider","description":"ActionHero OAuth2 Provider","url":null,"keywords":"actionhero oauth2 provider","version":"2.0.1","words":"actionhero-oauth2-provider actionhero oauth2 provider =philw actionhero oauth2 provider","author":"=philw","date":"2014-07-11 "},{"name":"actionhero_client","description":"actionhero client in JS for other node servers to use","url":null,"keywords":"socket tcp actionhero client request","version":"3.0.1","words":"actionhero_client actionhero client in js for other node servers to use =evantahler socket tcp actionhero client request","author":"=evantahler","date":"2014-01-19 "},{"name":"actionline","description":"tool of a command liner","url":null,"keywords":"","version":"0.0.2","words":"actionline tool of a command liner =faisdotal","author":"=faisdotal","date":"2012-05-26 "},{"name":"actionman","description":"Autowiring of DOM events into eve","url":null,"keywords":"dom events eve","version":"0.1.5","words":"actionman autowiring of dom events into eve =damonoehlman dom events eve","author":"=damonoehlman","date":"2014-07-21 "},{"name":"actionmap","description":"A companion to game-shell for handling game actions succinctly","url":null,"keywords":"game-shell actionmap game","version":"0.0.0","words":"actionmap a companion to game-shell for handling game actions succinctly =damonoehlman game-shell actionmap game","author":"=damonoehlman","date":"2014-02-08 "},{"name":"actionmessage","description":"The Javascript implementation of the Action Message protocol.","url":null,"keywords":"actionmessage","version":"0.0.2","words":"actionmessage the javascript implementation of the action message protocol. =jeffreysun actionmessage","author":"=jeffreysun","date":"2012-10-03 "},{"name":"actionnpm","description":"For Test","url":null,"keywords":"test","version":"0.0.1","words":"actionnpm for test =actionnpm test","author":"=actionnpm","date":"2013-08-24 "},{"name":"actionpack","description":"Extra layer of sugar available for actionhero to make dev a little more rapid","url":null,"keywords":"actionhero utility framework","version":"0.0.4","words":"actionpack extra layer of sugar available for actionhero to make dev a little more rapid =alexparker actionhero utility framework","author":"=alexparker","date":"2014-03-11 "},{"name":"actionrouter","description":"RESTful MVC router that dispatches to a controller and action.","url":null,"keywords":"locomotive express connect router mvc model2","version":"0.1.0","words":"actionrouter restful mvc router that dispatches to a controller and action. =jaredhanson locomotive express connect router mvc model2","author":"=jaredhanson","date":"2013-12-07 "},{"name":"actions","description":"Actions for a resourceful controller, CURD","url":null,"keywords":"","version":"1.0.1","words":"actions actions for a resourceful controller, curd =fundon","author":"=fundon","date":"2014-05-15 "},{"name":"actions-api","keywords":"","version":[],"words":"actions-api","author":"","date":"2014-03-07 "},{"name":"actionserver","description":"full-stack framework for web apps","url":null,"keywords":"fullstack framework realtime","version":"0.0.3","words":"actionserver full-stack framework for web apps =josueh.cg fullstack framework realtime","author":"=josueh.cg","date":"2013-04-23 "},{"name":"activator","description":"simple user activation and password reset for nodejs","url":null,"keywords":"express email sms activation nodejs node confirmation two-step","version":"0.3.0","words":"activator simple user activation and password reset for nodejs =deitch express email sms activation nodejs node confirmation two-step","author":"=deitch","date":"2014-07-19 "},{"name":"active-client","url":null,"keywords":"","version":"0.1.1","words":"active-client =s3u","author":"=s3u","date":"2011-01-03 "},{"name":"active-document","description":"Decorate a constructor to have attributes behind mutators","url":null,"keywords":"document model attributes mutators","version":"0.1.1","words":"active-document decorate a constructor to have attributes behind mutators =thomas-jensen document model attributes mutators","author":"=thomas-jensen","date":"2014-09-19 "},{"name":"active-golf","url":null,"keywords":"","version":"0.0.21","words":"active-golf =sberryman","author":"=sberryman","date":"2014-09-05 "},{"name":"active-markdown","description":"A tool for generating reactive documents from markdown source.","url":null,"keywords":"","version":"0.3.2","words":"active-markdown a tool for generating reactive documents from markdown source. =alecperkins","author":"=alecperkins","date":"2013-05-04 "},{"name":"active-menu","description":"Facilitates the creation of menus in Node applications.","url":null,"keywords":"menu ui express","version":"0.1.2","words":"active-menu facilitates the creation of menus in node applications. =persata menu ui express","author":"=persata","date":"2013-09-22 "},{"name":"active-model","description":"Data source agnostic opinionated models for Node.js with classic inheritance, basic validations and a clean API","url":null,"keywords":"model inherit extend augment object validation active","version":"0.1.0","words":"active-model data source agnostic opinionated models for node.js with classic inheritance, basic validations and a clean api =jtblin model inherit extend augment object validation active","author":"=jtblin","date":"2014-09-05 "},{"name":"active-sender","description":"A node.js library for sending e-mail through multiple providers.","url":null,"keywords":"amazon sendgrid stable email","version":"0.0.9","words":"active-sender a node.js library for sending e-mail through multiple providers. =exxka amazon sendgrid stable email","author":"=ExxKA","date":"2013-11-19 "},{"name":"active-tags","description":"Connect/Express middleware for tracking which links should be active in a view or layout.","url":null,"keywords":"","version":"0.1.1","words":"active-tags connect/express middleware for tracking which links should be active in a view or layout. =doughsay","author":"=doughsay","date":"2013-07-02 "},{"name":"active-user","description":"Easily track daily, weekly, and monthly active users with Redis.","url":null,"keywords":"","version":"0.0.1","words":"active-user easily track daily, weekly, and monthly active users with redis. =iancmyers","author":"=iancmyers","date":"2013-12-01 "},{"name":"active-x-obfuscator","description":"A module to (safely) obfuscate all occurrences of the string 'ActiveX' inside any JavaScript code.","url":null,"keywords":"","version":"0.0.2","words":"active-x-obfuscator a module to (safely) obfuscate all occurrences of the string 'activex' inside any javascript code. =felixge","author":"=felixge","date":"2013-06-19 "},{"name":"active911","description":"A simple interface to Active911","url":null,"keywords":"","version":"0.1.1","words":"active911 a simple interface to active911 =bburwell","author":"=bburwell","date":"2014-03-13 "},{"name":"active_record","description":"Rails ActiveRecord inspired for Nodejs.","url":null,"keywords":"","version":"0.0.6","words":"active_record rails activerecord inspired for nodejs. =3kg4kr","author":"=3kg4kr","date":"2014-04-30 "},{"name":"activecampaign","description":"Node.js wrapper for the ActiveCampaign API","url":null,"keywords":"activecampaign email marketing","version":"0.1.0","words":"activecampaign node.js wrapper for the activecampaign api =activecampaign activecampaign email marketing","author":"=activecampaign","date":"2014-08-04 "},{"name":"activecampaign-api-nodejs","keywords":"","version":[],"words":"activecampaign-api-nodejs","author":"","date":"2013-01-11 "},{"name":"activecollab","description":"API Client for ActiveCollab","url":null,"keywords":"","version":"0.0.1","words":"activecollab api client for activecollab =lasar","author":"=lasar","date":"2014-06-01 "},{"name":"activedirectory","description":"ActiveDirectory is an ldapjs client for authN (authentication) and authZ (authorization) for Microsoft Active Directory with range retrieval support for large Active Directory installations.","url":null,"keywords":"ldap active directory","version":"0.5.1","words":"activedirectory activedirectory is an ldapjs client for authn (authentication) and authz (authorization) for microsoft active directory with range retrieval support for large active directory installations. =gheeres ldap active directory","author":"=gheeres","date":"2014-07-10 "},{"name":"activen.js","keywords":"","version":[],"words":"activen.js","author":"","date":"2014-02-21 "},{"name":"activenode-monitor","description":"Instrumentation library for Node.js applications that use Express/connect","url":null,"keywords":"","version":"0.0.4","words":"activenode-monitor instrumentation library for node.js applications that use express/connect =sreeix","author":"=sreeix","date":"2011-08-28 "},{"name":"activeobject","description":"An interface for JSON objects for updating, deleting, inserting and creating properties.","url":null,"keywords":"json node","version":"0.3.3","words":"activeobject an interface for json objects for updating, deleting, inserting and creating properties. =mike.hemesath json node","author":"=mike.hemesath","date":"2011-07-21 "},{"name":"activepush","description":"Web push service built around ActiveMQ (or any STOMP broker)","url":null,"keywords":"","version":"1.0.5","words":"activepush web push service built around activemq (or any stomp broker) =tlrobinson =rtyler","author":"=tlrobinson =rtyler","date":"2013-08-30 "},{"name":"activerecord","description":"An ORM that supports multiple database systems (SQL/NoSQL) and ID generation middleware.","url":null,"keywords":"","version":"0.2.1","words":"activerecord an orm that supports multiple database systems (sql/nosql) and id generation middleware. =meltingice","author":"=meltingice","date":"2013-05-06 "},{"name":"activespaces","description":"TIBCO ActiveSpaces Node.js API","url":null,"keywords":"tibco activespaces nosql data grid cache database db","version":"0.1.0","words":"activespaces tibco activespaces node.js api =jruaux tibco activespaces nosql data grid cache database db","author":"=jruaux","date":"2014-08-13 "},{"name":"activesupport","description":"ActiveSupport.js ===============","url":null,"keywords":"","version":"0.1.1","words":"activesupport activesupport.js =============== =brettshollenberger","author":"=brettshollenberger","date":"2014-05-02 "},{"name":"activeuser","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"activeuser error: no readme.md file found! =activeuser","author":"=activeuser","date":"2012-11-20 "},{"name":"activities","description":"Traverse the application stack with managed state lifecycle.","url":null,"keywords":"application state activity activities","version":"1.1.3","words":"activities traverse the application stack with managed state lifecycle. =bvalosek application state activity activities","author":"=bvalosek","date":"2014-06-13 "},{"name":"activity","description":"Activity Manager for any kind of statuses based on ids","url":null,"keywords":"status manager activity","version":"0.1.1","words":"activity activity manager for any kind of statuses based on ids =pjnovas status manager activity","author":"=pjnovas","date":"2013-06-05 "},{"name":"activity-analyzer","description":"A simple, time-of-day-based activity analyzer.","url":null,"keywords":"activity analysis behavior","version":"0.1.0","words":"activity-analyzer a simple, time-of-day-based activity analyzer. =jonah.harris activity analysis behavior","author":"=jonah.harris","date":"2014-03-21 "},{"name":"activity-engine","description":"WARNING: This project is still in alpha, use with caution.","url":null,"keywords":"","version":"0.0.2-alpha","words":"activity-engine warning: this project is still in alpha, use with caution. =olahol","author":"=olahol","date":"2013-06-05 "},{"name":"activity-list","url":null,"keywords":"","version":"0.0.8","words":"activity-list =gobengo","author":"=gobengo","date":"2014-07-10 "},{"name":"activity-mocks","description":"Mock [JSON Activity Streams](http://tools.ietf.org/html/draft-snell-activitystreams-09) Objects you can use to develop other components.","url":null,"keywords":"","version":"0.0.0-dev.1","words":"activity-mocks mock [json activity streams](http://tools.ietf.org/html/draft-snell-activitystreams-09) objects you can use to develop other components. =gobengo","author":"=gobengo","date":"2014-06-17 "},{"name":"activity-monitor","description":"Activity Monitor is a lightweight, RESTful API Service made for Node","url":null,"keywords":"activity monitor server statistics analytics","version":"0.0.1","words":"activity-monitor activity monitor is a lightweight, restful api service made for node =roemerb activity monitor server statistics analytics","author":"=roemerb","date":"2014-09-16 "},{"name":"activity-phraser","description":"[Activity](http://activitystrea.ms/) -> human readable string","url":null,"keywords":"","version":"0.0.0-dev.1","words":"activity-phraser [activity](http://activitystrea.ms/) -> human readable string =gobengo","author":"=gobengo","date":"2014-07-02 "},{"name":"activity-streams-mongoose","description":"Activity Streams Engine using MongoDB(Mongoose odm) and Redis","url":null,"keywords":"","version":"0.1.2","words":"activity-streams-mongoose activity streams engine using mongodb(mongoose odm) and redis =ciberch","author":"=ciberch","date":"2012-09-13 "},{"name":"activitybox","description":"Activity Box","url":null,"keywords":"socket.io websocket socket realtime activity pubsub","version":"0.1.4","words":"activitybox activity box =rashad612 socket.io websocket socket realtime activity pubsub","author":"=rashad612","date":"2014-05-22 "},{"name":"activitystreams","description":"Activity Streams App","url":null,"keywords":"","version":"0.3.4","words":"activitystreams activity streams app =chuwiey =nearhan =lsvx","author":"=chuwiey =nearhan =lsvx","date":"2014-09-15 "},{"name":"actor","description":"Experimental library implementing scala like actors in javascript.","url":null,"keywords":"actor generators async javascript 1.7","version":"0.0.2","words":"actor experimental library implementing scala like actors in javascript. =gozala actor generators async javascript 1.7","author":"=gozala","date":"prehistoric"},{"name":"actorify","description":"Turn any duplex stream into an actor","url":null,"keywords":"actor messaging message zmq zeromq erlang","version":"1.0.0","words":"actorify turn any duplex stream into an actor =tjholowaychuk =qard actor messaging message zmq zeromq erlang","author":"=tjholowaychuk =qard","date":"2014-07-04 "},{"name":"actorpubsub-js","description":"A publish/subscribe library for JavaScript based on Actor Model","url":null,"keywords":"pub/sub pubsub publish/subscribe publish subscribe actors","version":"0.1.21","words":"actorpubsub-js a publish/subscribe library for javascript based on actor model =debjitbis08 pub/sub pubsub publish/subscribe publish subscribe actors","author":"=debjitbis08","date":"2014-07-28 "},{"name":"actors","description":"Simple message passing for node.js","url":null,"keywords":"","version":"0.0.1","words":"actors simple message passing for node.js =flashingpumpkin","author":"=flashingpumpkin","date":"prehistoric"},{"name":"acts-as","description":"a simple class-level mixin module for coffee-script, which provides a handy \"composition over inheritance\" way for writting complex programs","url":null,"keywords":"mixin class coffee composition acts_as","version":"0.1.0","words":"acts-as a simple class-level mixin module for coffee-script, which provides a handy \"composition over inheritance\" way for writting complex programs =yi mixin class coffee composition acts_as","author":"=yi","date":"2013-06-12 "},{"name":"actual","description":"Determine actual @media breakpoints","url":null,"keywords":"breakpoint breakpoints responsive media queries viewport dimensions ender","version":"0.2.0","words":"actual determine actual @media breakpoints =ryanve breakpoint breakpoints responsive media queries viewport dimensions ender","author":"=ryanve","date":"2014-02-06 "},{"name":"actually-require-component","url":null,"keywords":"","version":"0.0.1","words":"actually-require-component =karboh","author":"=karboh","date":"2014-06-12 "},{"name":"actually-this-is-a-number","description":"write numbers so you can read them later","url":null,"keywords":"","version":"1.0.0","words":"actually-this-is-a-number write numbers so you can read them later =ryanflorence","author":"=ryanflorence","date":"2013-10-15 "},{"name":"actuator","description":"A small utility for easily unit testing Hubot scripts.","url":null,"keywords":"unit test hubot script scripts testing feature integration functional tests tdd mocha jasmine","version":"0.0.2","words":"actuator a small utility for easily unit testing hubot scripts. =io-digital unit test hubot script scripts testing feature integration functional tests tdd mocha jasmine","author":"=io-digital","date":"2014-09-05 "},{"name":"acunu-analytics","description":"javascript client for Acunu Analytics","url":null,"keywords":"","version":"0.1.1","words":"acunu-analytics javascript client for acunu analytics =rrajani","author":"=rrajani","date":"2013-10-16 "},{"name":"acute","description":"Modular build management for client side javascript applications.","url":null,"keywords":"build module management tools","version":"0.0.3","words":"acute modular build management for client side javascript applications. =markschad build module management tools","author":"=markschad","date":"2013-12-20 "},{"name":"ad-api","description":"Kidozen's connector to query LDAP services.","url":null,"keywords":"LDAP AD kidozen","version":"0.0.4","words":"ad-api kidozen's connector to query ldap services. =kidozen ldap ad kidozen","author":"=kidozen","date":"2014-07-29 "},{"name":"ad2usb","description":"A driver for the Nutech AD2USB Ademco Vista security panel interface","url":null,"keywords":"","version":"0.0.4","words":"ad2usb a driver for the nutech ad2usb ademco vista security panel interface =alexkwolfe","author":"=alexkwolfe","date":"2014-08-12 "},{"name":"ada","description":"ada.io client","url":null,"keywords":"ada.io publishing platform","version":"0.0.0","words":"ada ada.io client =azer ada.io publishing platform","author":"=azer","date":"2013-11-13 "},{"name":"adafruit-i2c-lcd","description":"Node Library for using adafruit i2c rgb lcd pi plate","url":null,"keywords":"raspberry pi adafruit i2c lcd rgb plate","version":"0.0.1","words":"adafruit-i2c-lcd node library for using adafruit i2c rgb lcd pi plate =fehmer raspberry pi adafruit i2c lcd rgb plate","author":"=fehmer","date":"2013-08-19 "},{"name":"adafruit-i2c-pwm-driver","description":"node.js /i2c control for the Adafruit PWM servo driver","url":null,"keywords":"raspberry pi adafruit i2c pwm servo","version":"0.0.2","words":"adafruit-i2c-pwm-driver node.js /i2c control for the adafruit pwm servo driver =kaosat-dev raspberry pi adafruit i2c pwm servo","author":"=kaosat-dev","date":"2013-10-11 "},{"name":"adage-tools","description":"Adage Technologies Tools","url":null,"keywords":"adage","version":"0.1.2","words":"adage-tools adage technologies tools =nmartin adage","author":"=nmartin","date":"2013-11-16 "},{"name":"adagio","description":"Music engraving javascript library","url":null,"keywords":"","version":"0.0.0","words":"adagio music engraving javascript library =gierschv","author":"=gierschv","date":"2013-11-20 "},{"name":"adagio.json","description":"A MusicXML converter to the JSON format of the adagio library","url":null,"keywords":"","version":"0.0.2","words":"adagio.json a musicxml converter to the json format of the adagio library =gierschv","author":"=gierschv","date":"2014-05-18 "},{"name":"adal-auth","keywords":"","version":[],"words":"adal-auth","author":"","date":"2014-07-23 "},{"name":"adal-node","description":"Windows Azure Active Directory Client Library for node","url":null,"keywords":"node azure AAD adal adfs oauth","version":"0.1.7","words":"adal-node windows azure active directory client library for node =msopentech =azuread node azure aad adal adfs oauth","author":"=msopentech =azuread","date":"2014-09-03 "},{"name":"adal-token","description":"Generate ADAL bearer tokens from the CLI","url":null,"keywords":"","version":"0.1.1","words":"adal-token generate adal bearer tokens from the cli =itsananderson","author":"=itsananderson","date":"2014-07-23 "},{"name":"adam","description":"Functions to create and process objects","url":null,"keywords":"object process create field value size split filter","version":"0.1.0","words":"adam functions to create and process objects =gamtiq object process create field value size split filter","author":"=gamtiq","date":"2014-09-07 "},{"name":"adamant","description":"Infrastructure layer","url":null,"keywords":"","version":"0.0.0-alpha","words":"adamant infrastructure layer =alekmych","author":"=alekmych","date":"2014-04-19 "},{"name":"adamdicarlo-howler","keywords":"","version":[],"words":"adamdicarlo-howler","author":"","date":"2014-07-25 "},{"name":"adamvr-apricot","description":"Apricot is a HTML / DOM parser, scraper for Nodejs. It is inspired by rubys hpricot and designed to fetch, iterate, and augment html or html fragments.","url":null,"keywords":"dom javascript xui","version":"0.0.6","words":"adamvr-apricot apricot is a html / dom parser, scraper for nodejs. it is inspired by rubys hpricot and designed to fetch, iterate, and augment html or html fragments. =adamvr dom javascript xui","author":"=adamvr","date":"2013-04-08 "},{"name":"adamvr-debug","description":"small debugging utility","url":null,"keywords":"debug log debugger","version":"0.7.2","words":"adamvr-debug small debugging utility =adamvr debug log debugger","author":"=adamvr","date":"2013-08-15 "},{"name":"adamvr-geoip-lite","description":"A light weight native JavaScript implementation of GeoIP API from MaxMind","url":null,"keywords":"geo geoip ip ipv4 ipv6 geolookup maxmind geolite","version":"1.2.0","words":"adamvr-geoip-lite a light weight native javascript implementation of geoip api from maxmind =adamvr geo geoip ip ipv4 ipv6 geolookup maxmind geolite","author":"=adamvr","date":"2014-04-10 "},{"name":"adamvr-monk","description":"[![build status](https://secure.travis-ci.org/LearnBoost/monk.png?branch=master)](https://secure.travis-ci.org/LearnBoost/monk)","url":null,"keywords":"","version":"0.10.0","words":"adamvr-monk [![build status](https://secure.travis-ci.org/learnboost/monk.png?branch=master)](https://secure.travis-ci.org/learnboost/monk) =adamvr","author":"=adamvr","date":"2014-05-27 "},{"name":"adamvr-revalidator","description":"A cross-browser / node.js validator used by resourceful","url":null,"keywords":"","version":"0.1.5","words":"adamvr-revalidator a cross-browser / node.js validator used by resourceful =adamvr","author":"=adamvr","date":"2013-12-12 "},{"name":"adapt","description":"Adaption library","url":null,"keywords":"adaption transformation validation","version":"0.1.1","words":"adapt adaption library =mhiguera adaption transformation validation","author":"=mhiguera","date":"2014-09-15 "},{"name":"adapt-cli","description":"Command line tools for Adapt","url":null,"keywords":"","version":"0.0.16","words":"adapt-cli command line tools for adapt =cajones","author":"=cajones","date":"2014-07-24 "},{"name":"adapt-core","description":"adapt namespace core","url":null,"keywords":"","version":"0.0.7","words":"adapt-core adapt namespace core =allouis","author":"=allouis","date":"2013-10-10 "},{"name":"adapt-core-model","description":"Core model for adapt","url":null,"keywords":"","version":"0.0.1","words":"adapt-core-model core model for adapt =allouis","author":"=allouis","date":"2013-10-10 "},{"name":"adapt-core-router","description":"Core router for adapt","url":null,"keywords":"","version":"0.0.2","words":"adapt-core-router core router for adapt =allouis","author":"=allouis","date":"2013-10-10 "},{"name":"adapt-core-view","description":"Base view for adapt","url":null,"keywords":"","version":"0.0.3","words":"adapt-core-view base view for adapt =allouis","author":"=allouis","date":"2013-10-10 "},{"name":"adapt-grunt-tracking-ids","description":"Automates the insertion of SCORM tracking IDs.","url":null,"keywords":"gruntplugin","version":"0.1.2","words":"adapt-grunt-tracking-ids automates the insertion of scorm tracking ids. =kev.adsett gruntplugin","author":"=kev.adsett","date":"2014-03-05 "},{"name":"adapter","description":"a set of libraries for soap protocols translation","url":null,"keywords":"adapter","version":"0.0.1","words":"adapter a set of libraries for soap protocols translation =despotix adapter","author":"=despotix","date":"2013-04-30 "},{"name":"adapter-filters","description":"Provides a range of filter functions that can be used with many different template libraries.","url":null,"keywords":"adapter filter template","version":"0.2.0","words":"adapter-filters provides a range of filter functions that can be used with many different template libraries. =markbirbeck adapter filter template","author":"=markbirbeck","date":"2014-09-11 "},{"name":"adapter-template","description":"Adapters to standardise the interfaces on the plethora of available templating engines.","url":null,"keywords":"adapter template express atpl ect ejs haml handlebars jade liquid swig toffee whiskers","version":"0.9.0","words":"adapter-template adapters to standardise the interfaces on the plethora of available templating engines. =markbirbeck adapter template express atpl ect ejs haml handlebars jade liquid swig toffee whiskers","author":"=markbirbeck","date":"2014-09-11 "},{"name":"adaptivejs","description":"A framework for creating adaptive websites.","url":null,"keywords":"","version":"1.0.1","words":"adaptivejs a framework for creating adaptive websites. =mikeklemarewski =shawn =tedtate =scalvert","author":"=mikeklemarewski =shawn =tedtate =scalvert","date":"2014-09-16 "},{"name":"adaro","description":"An express renderer for DustJs Templates","url":null,"keywords":"dustjs express nodejs","version":"0.1.5","words":"adaro an express renderer for dustjs templates =totherik =jeffharrell dustjs express nodejs","author":"=totherik =jeffharrell","date":"2014-01-04 "},{"name":"adb","description":"A node.js module which implement pure javascript adb protocol to control Android device","url":null,"keywords":"android adb","version":"0.2.0","words":"adb a node.js module which implement pure javascript adb protocol to control android device =flier android adb","author":"=flier","date":"2012-07-10 "},{"name":"adb-cli","description":"a nodejs wrapper for adb to enable multi device support","url":null,"keywords":"adb android multi device devices","version":"0.0.1","words":"adb-cli a nodejs wrapper for adb to enable multi device support =moszeed adb android multi device devices","author":"=moszeed","date":"2013-06-04 "},{"name":"adb-client","description":"Send ADB commands to ADB server.","url":null,"keywords":"","version":"0.0.4","words":"adb-client send adb commands to adb server. =evanxd","author":"=evanxd","date":"2014-07-05 "},{"name":"adb-cmd","description":"wrapper for adb commands","url":null,"keywords":"firefox os gecko adb","version":"0.0.1","words":"adb-cmd wrapper for adb commands =lights-of-apollo firefox os gecko adb","author":"=lights-of-apollo","date":"2013-06-25 "},{"name":"adbhost","description":"Android Debug Bridge host protocol client","url":null,"keywords":"androoid adb client bridge","version":"0.0.2","words":"adbhost android debug bridge host protocol client =sidorares androoid adb client bridge","author":"=sidorares","date":"2013-10-16 "},{"name":"adbkit","description":"A pure Node.js client for the Android Debug Bridge.","url":null,"keywords":"adb adbkit android logcat monkey","version":"2.0.17","words":"adbkit a pure node.js client for the android debug bridge. =sorccu =cyberagent adb adbkit android logcat monkey","author":"=sorccu =cyberagent","date":"2014-09-17 "},{"name":"adbkit-apkreader","description":"Extracts information from APK files.","url":null,"keywords":"adb adbkit android apk manifest AndroidManifest","version":"1.0.0","words":"adbkit-apkreader extracts information from apk files. =sorccu =cyberagent adb adbkit android apk manifest androidmanifest","author":"=sorccu =cyberagent","date":"2014-04-03 "},{"name":"adbkit-logcat","description":"A Node.js interface for working with Android's logcat output.","url":null,"keywords":"adb adbkit logcat","version":"1.0.3","words":"adbkit-logcat a node.js interface for working with android's logcat output. =sorccu =cyberagent adb adbkit logcat","author":"=sorccu =cyberagent","date":"2014-05-14 "},{"name":"adbkit-monkey","description":"A Node.js interface to the Android monkey tool.","url":null,"keywords":"adb adbkit monkey monkeyrunner","version":"1.0.1","words":"adbkit-monkey a node.js interface to the android monkey tool. =sorccu =cyberagent adb adbkit monkey monkeyrunner","author":"=sorccu =cyberagent","date":"2013-11-26 "},{"name":"adc-pi-gpio","description":"Using an ADC with a Pi","url":null,"keywords":"gpio pi-gpio raspberry pi adc","version":"0.0.2","words":"adc-pi-gpio using an adc with a pi =xavier.seignard gpio pi-gpio raspberry pi adc","author":"=xavier.seignard","date":"2013-08-06 "},{"name":"adc-pi-spi","description":"Using an ADC (MCP3008) with a Pi over spi","url":null,"keywords":"raspberry pi spi spi-dev adc mcp3008","version":"0.0.1","words":"adc-pi-spi using an adc (mcp3008) with a pi over spi =fehmer raspberry pi spi spi-dev adc mcp3008","author":"=fehmer","date":"2013-08-19 "},{"name":"adclient","description":"ldapjs client for authentication with active directory","url":null,"keywords":"ldap ldapjs active directory","version":"0.9.9","words":"adclient ldapjs client for authentication with active directory =siruli ldap ldapjs active directory","author":"=siruli","date":"2012-10-18 "},{"name":"adctd","description":"Simple dependency injection container","url":null,"keywords":"di dic dependecy injection container","version":"0.4.1","words":"adctd simple dependency injection container =davidmoravek di dic dependecy injection container","author":"=davidmoravek","date":"2014-09-19 "},{"name":"add","description":"A cross-browser, numerically stable algorithm to add floats accurately","url":null,"keywords":"numerically stable faithful rounding float error propagation summation accumulate addition numerical analysis","version":"2.0.6","words":"add a cross-browser, numerically stable algorithm to add floats accurately =benng =joeybaker numerically stable faithful rounding float error propagation summation accumulate addition numerical analysis","author":"=benng =joeybaker","date":"2014-07-15 "},{"name":"add-a-typo","description":"A program that adds a typo to a file.","url":null,"keywords":"","version":"0.0.0","words":"add-a-typo a program that adds a typo to a file. =airportyh","author":"=airportyh","date":"2014-03-17 "},{"name":"add-banner","description":"Add a banner to a string. Banners are just Lo-Dash/underscore templates, if a custom one isn't defined a default will be used.","url":null,"keywords":"banner banners comments comment","version":"0.1.0","words":"add-banner add a banner to a string. banners are just lo-dash/underscore templates, if a custom one isn't defined a default will be used. =jonschlinkert banner banners comments comment","author":"=jonschlinkert","date":"2014-06-28 "},{"name":"add-brfs","description":"adds brfs as a browserify transform to your package.json","url":null,"keywords":"add brfs browserify transform browserify-transforms package package.json edit cli json","version":"1.1.1","words":"add-brfs adds brfs as a browserify transform to your package.json =mattdesl add brfs browserify transform browserify-transforms package package.json edit cli json","author":"=mattdesl","date":"2014-09-04 "},{"name":"add-commas","description":"Add commas to a number","url":null,"keywords":"utility formatting","version":"0.0.3","words":"add-commas add commas to a number =cappslock utility formatting","author":"=cappslock","date":"2014-07-15 "},{"name":"add-component-symlinks","description":"Adds symlinks to the node_modules dir to fix component require() calls","url":null,"keywords":"component symlink browserify require node fix","version":"1.0.3","words":"add-component-symlinks adds symlinks to the node_modules dir to fix component require() calls =tootallnate component symlink browserify require node fix","author":"=tootallnate","date":"2014-02-25 "},{"name":"add-cors-to-couchdb","description":"add CORS to couchdb","url":null,"keywords":"cors couchdb pouchdb","version":"0.0.1","words":"add-cors-to-couchdb add cors to couchdb =cwmma cors couchdb pouchdb","author":"=cwmma","date":"2014-08-22 "},{"name":"add-define-names","description":"Add AMD module names to define calls, useful for bundling","url":null,"keywords":"","version":"1.0.1","words":"add-define-names add amd module names to define calls, useful for bundling =aredridel","author":"=aredridel","date":"2014-05-12 "},{"name":"add-deps","description":"add deps to your package.json","url":null,"keywords":"","version":"1.2.0","words":"add-deps add deps to your package.json =dominictarr","author":"=dominictarr","date":"2013-11-28 "},{"name":"add-dick-puns","description":"Adds Dick puns","url":null,"keywords":"node.js dick pun","version":"1.0.3","words":"add-dick-puns adds dick puns =ferdi265 node.js dick pun","author":"=ferdi265","date":"2014-05-22 "},{"name":"add-event-listener","description":"add event listeners in IE and ... everywhere else","url":null,"keywords":"addEventListener attachEvent DOMEvent","version":"0.0.1","words":"add-event-listener add event listeners in ie and ... everywhere else =chrisdickinson addeventlistener attachevent domevent","author":"=chrisdickinson","date":"2014-01-13 "},{"name":"add-events","description":"Simple library for decorating a prototypical class with events","url":null,"keywords":"","version":"0.9.3","words":"add-events simple library for decorating a prototypical class with events =forbesmyster","author":"=forbesmyster","date":"2014-05-22 "},{"name":"add-flash","description":"Multiple Flash Messages for Express Application","url":null,"keywords":"bootstrap add-flash express express-flash flash messages","version":"0.0.3","words":"add-flash multiple flash messages for express application =yemaw bootstrap add-flash express express-flash flash messages","author":"=yemaw","date":"2014-06-03 "},{"name":"add-func-name","description":"Add temp name to anonymous function for debugging","url":null,"keywords":"jsx altjs commonjs nodejs cli app","version":"0.1.2","words":"add-func-name add temp name to anonymous function for debugging =shibu jsx altjs commonjs nodejs cli app","author":"=shibu","date":"2014-04-18 "},{"name":"add-keyup-events","description":"Emit custom events from an input so you can do stuff like listening for \"enter\" and \"esc\" events the same way as you would \"keyup\".","url":null,"keywords":"input events dom","version":"0.0.2","words":"add-keyup-events emit custom events from an input so you can do stuff like listening for \"enter\" and \"esc\" events the same way as you would \"keyup\". =henrikjoreteg input events dom","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"add-less-import","description":"Add an `@import` statement into a .less file at a specific point. ","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.2","words":"add-less-import add an `@import` statement into a .less file at a specific point. =jonschlinkert docs documentation generate generator markdown templates verb","author":"=jonschlinkert","date":"2014-06-02 "},{"name":"add-to-jira-sprint","description":"Add a jira issue (project-###) to the current sprint.","url":null,"keywords":"","version":"0.5.0","words":"add-to-jira-sprint add a jira issue (project-###) to the current sprint. =yasumoto","author":"=yasumoto","date":"2012-11-14 "},{"name":"addc","description":"finds clusters in data using the AddC online clustering algorithm with gaussian kernel","url":null,"keywords":"clustering clusters machine learning ai","version":"0.0.1","words":"addc finds clusters in data using the addc online clustering algorithm with gaussian kernel =alltom clustering clusters machine learning ai","author":"=alltom","date":"2014-03-21 "},{"name":"adddep","description":"CLI for adding deps to a npm module.","url":null,"keywords":"npm-add npm add dependencies dependency node.js","version":"1.0.1","words":"adddep cli for adding deps to a npm module. =kenansulayman npm-add npm add dependencies dependency node.js","author":"=kenansulayman","date":"2014-07-03 "},{"name":"addendum","description":"Database migrations for Node.js","url":null,"keywords":"rdbms database db migrations","version":"0.0.0","words":"addendum database migrations for node.js =bigeasy rdbms database db migrations","author":"=bigeasy","date":"2013-04-03 "},{"name":"addepar-connect-less","description":"Forked from connect-less and updated LESS version dependency","url":null,"keywords":"compile compiler connect css express less lesscss middleware","version":"0.3.2","words":"addepar-connect-less forked from connect-less and updated less version dependency =ldevalliere compile compiler connect css express less lesscss middleware","author":"=ldevalliere","date":"2013-11-01 "},{"name":"adder","description":"interpolating adder","url":null,"keywords":"adder","version":"0.0.2","words":"adder interpolating adder =regality =grobot adder","author":"=regality =grobot","date":"2014-05-01 "},{"name":"addition","description":"calculates the sum","url":null,"keywords":"sum calculation addition","version":"0.0.2","words":"addition calculates the sum =lovelyv sum calculation addition","author":"=lovelyv","date":"2014-07-24 "},{"name":"additionalinfo","keywords":"","version":[],"words":"additionalinfo","author":"","date":"2014-07-16 "},{"name":"addjs","description":"test npm project.","url":null,"keywords":"","version":"0.1.7","words":"addjs test npm project. =peek4y","author":"=peek4y","date":"2014-05-31 "},{"name":"addnumbers","description":"Node commandline application to add two numbers.","url":null,"keywords":"","version":"0.1.1","words":"addnumbers node commandline application to add two numbers. =vvss12300","author":"=vvss12300","date":"2013-05-20 "},{"name":"addon","description":"Make your app modular.","url":null,"keywords":"addon add-on modular plugin plug-in","version":"0.0.0","words":"addon make your app modular. =hyjin addon add-on modular plugin plug-in","author":"=hyjin","date":"2013-11-27 "},{"name":"addon-js","description":"Hello world.","url":null,"keywords":"addon","version":"0.1.0","words":"addon-js hello world. =jeffreysun addon","author":"=jeffreysun","date":"2013-07-11 "},{"name":"addon-pathfinder","description":"The Add-on Pathfinder is the collection of Jetpack modules made to be used with the [Add-on SDK](https://github.com/mozilla/addon-sdk).","url":null,"keywords":"","version":"1.0.0","words":"addon-pathfinder the add-on pathfinder is the collection of jetpack modules made to be used with the [add-on sdk](https://github.com/mozilla/addon-sdk). =erikvold","author":"=erikvold","date":"2014-08-06 "},{"name":"addonjs","description":"test node packaging","url":null,"keywords":"","version":"1.0.0","words":"addonjs test node packaging =hugomatic","author":"=hugomatic","date":"2014-09-08 "},{"name":"addons","description":"Addons securely sets your Addons.io env vars.","url":null,"keywords":"npm module addons","version":"0.1.2","words":"addons addons securely sets your addons.io env vars. =workingben npm module addons","author":"=workingben","date":"2014-05-23 "},{"name":"addons-npm","description":"Addons npm placeholder v0.0.1","keywords":"","version":[],"words":"addons-npm addons npm placeholder v0.0.1 =workingben","author":"=workingben","date":"2014-03-12 "},{"name":"addr","description":"Get the remote address of a request, with reverse-proxy support","url":null,"keywords":"ip address reverse-proxy x-forwarded-for","version":"1.0.0","words":"addr get the remote address of a request, with reverse-proxy support =carlos8f ip address reverse-proxy x-forwarded-for","author":"=carlos8f","date":"2012-07-21 "},{"name":"addr-to-ip-port","description":"Convert an 'address:port' string to an array [address:string, port:number]","url":null,"keywords":"convert address port cache string array ip addr to ip port webtorrent","version":"1.0.1","words":"addr-to-ip-port convert an 'address:port' string to an array [address:string, port:number] =feross convert address port cache string array ip addr to ip port webtorrent","author":"=feross","date":"2014-09-13 "},{"name":"addresator","description":"See example.js","url":null,"keywords":"","version":"0.0.4","words":"addresator see example.js =shstefanov","author":"=shstefanov","date":"2014-09-20 "},{"name":"address","description":"Get current machine IP, MAC and DNS servers.","url":null,"keywords":"address","version":"0.0.3","words":"address get current machine ip, mac and dns servers. =fengmk2 address","author":"=fengmk2","date":"2013-11-04 "},{"name":"address-geoservices","description":"Interacts with geoservices apis to help with managing addresses","url":null,"keywords":"geoservices address normalization address validation address addresses","version":"0.0.6","words":"address-geoservices interacts with geoservices apis to help with managing addresses =somekittens geoservices address normalization address validation address addresses","author":"=somekittens","date":"2014-05-18 "},{"name":"address-gps","description":"Retrieve GPS coordinates and readable address for a given address via the Google maps API","url":null,"keywords":"address gps googlemaps","version":"0.0.1","words":"address-gps retrieve gps coordinates and readable address for a given address via the google maps api =maciek416 address gps googlemaps","author":"=maciek416","date":"2013-10-31 "},{"name":"address-rfc2822","description":"RFC 2822 (Header) email address parser","url":null,"keywords":"email address rfc822 rfc2822 mail from","version":"0.0.2","words":"address-rfc2822 rfc 2822 (header) email address parser =msergeant email address rfc822 rfc2822 mail from","author":"=msergeant","date":"2013-05-02 "},{"name":"address-to-geocode","description":"A test using node-geocode module","url":null,"keywords":"geocode node location","version":"0.2.0","words":"address-to-geocode a test using node-geocode module =ionicabizau geocode node location","author":"=ionicabizau","date":"2014-07-15 "},{"name":"address-validator","description":"Validate street addresses via google's geocoding API. Get back valid addresses with lat/lon coords and a set of inexact matches","url":null,"keywords":"address validator address validator google geocoding geocoding google maps","version":"0.1.2","words":"address-validator validate street addresses via google's geocoding api. get back valid addresses with lat/lon coords and a set of inexact matches =mkoryak address validator address validator google geocoding geocoding google maps","author":"=mkoryak","date":"2014-06-03 "},{"name":"addressable","description":"A URI parsing module heavily inspired by Rubys Addressable gem","url":null,"keywords":"addressable uri","version":"0.3.3","words":"addressable a uri parsing module heavily inspired by rubys addressable gem =slaskis addressable uri","author":"=slaskis","date":"2011-05-22 "},{"name":"addressbook","description":"Addressbook keeps tracking available node instances backed by Redis.","url":null,"keywords":"redis mdns","version":"0.0.1","words":"addressbook addressbook keeps tracking available node instances backed by redis. =kazuyukitanimura redis mdns","author":"=kazuyukitanimura","date":"2012-11-12 "},{"name":"addressit","description":"Freeform Street Address Parser","url":null,"keywords":"parser street address geo","version":"1.1.0","words":"addressit freeform street address parser =damonoehlman parser street address geo","author":"=damonoehlman","date":"2014-06-11 "},{"name":"addressparser","description":"Parse e-mail addresses","url":null,"keywords":"","version":"0.3.1","words":"addressparser parse e-mail addresses =andris","author":"=andris","date":"2014-06-13 "},{"name":"addrtozip","description":"API for finding zipcode by address in Taiwan","url":null,"keywords":"zipcode","version":"1.1.0","words":"addrtozip api for finding zipcode by address in taiwan =freewhale zipcode","author":"=freewhale","date":"2014-09-02 "},{"name":"addTimeout","description":"Wraps a callback to handle a timeout. If the timeout occurs before the callback being called, it either uses the first argument for returning the TimeoutError (Node.JS style) or let it handle by a specialized handler","url":null,"keywords":"timeout timeframe callback","version":"0.4.0","words":"addtimeout wraps a callback to handle a timeout. if the timeout occurs before the callback being called, it either uses the first argument for returning the timeouterror (node.js style) or let it handle by a specialized handler =temsa timeout timeframe callback","author":"=temsa","date":"2012-09-18 "},{"name":"addtwonumbers","description":"Adds 2 numbers","url":null,"keywords":"Add Numbers","version":"0.0.1","words":"addtwonumbers adds 2 numbers =rchapala add numbers","author":"=rchapala","date":"2014-01-30 "},{"name":"adduser","keywords":"","version":[],"words":"adduser","author":"","date":"2014-08-28 "},{"name":"adept","description":"A simple module that allows you to easily generate Adept URLs.","url":null,"keywords":"adept image resizing graphics","version":"0.0.6","words":"adept a simple module that allows you to easily generate adept urls. =andreasb adept image resizing graphics","author":"=andreasb","date":"2014-04-21 "},{"name":"adesso-webpack","description":"a webpack configuration and boilerplate for your javascript project","url":null,"keywords":"webpack adesso module module system sharepoint sharepoint 2013 windows live-reload server development server app apps webpart webparts","version":"0.7.8","words":"adesso-webpack a webpack configuration and boilerplate for your javascript project =thomas-deutsch webpack adesso module module system sharepoint sharepoint 2013 windows live-reload server development server app apps webpart webparts","author":"=thomas-deutsch","date":"2014-01-29 "},{"name":"adf","description":"A Document Format","url":null,"keywords":"","version":"0.1.1","words":"adf a document format =nyz93","author":"=nyz93","date":"2014-03-21 "},{"name":"adform","description":"A node-module to integrate with the adform api (http://api.adform.com/Services/Documentation/Index.htm)","url":null,"keywords":"adform soap","version":"0.1.0","words":"adform a node-module to integrate with the adform api (http://api.adform.com/services/documentation/index.htm) =kesla =nchrisdk adform soap","author":"=kesla =nchrisdk","date":"2013-04-16 "},{"name":"adhesion","description":"Use MQTT directly in your web pages using WebSockets","url":null,"keywords":"ws mqtt websockets pub/sub publish subscribe iot","version":"0.2.3","words":"adhesion use mqtt directly in your web pages using websockets =michielvdvelde ws mqtt websockets pub/sub publish subscribe iot","author":"=michielvdvelde","date":"2014-07-27 "},{"name":"adhesive","description":"Simple build tool that combines your JS and outputs a source map, with JSON configuration.","url":null,"keywords":"Build Concatenate Minify Uglify Source Map","version":"1.0.0","words":"adhesive simple build tool that combines your js and outputs a source map, with json configuration. =jstarrdewar build concatenate minify uglify source map","author":"=jstarrdewar","date":"2013-11-14 "},{"name":"adhoc","description":"Start a web server in that directory. This instant! (like python -m SimpleHTTPServer on steroids)","url":null,"keywords":"cli command server web directory livereload SimpleHTTPServer HTTP","version":"0.1.2","words":"adhoc start a web server in that directory. this instant! (like python -m simplehttpserver on steroids) =leftium cli command server web directory livereload simplehttpserver http","author":"=leftium","date":"2013-10-11 "},{"name":"adhoc-cors-proxy","description":"Simple reliable cors proxy","url":null,"keywords":"cors proxy","version":"0.2.6","words":"adhoc-cors-proxy simple reliable cors proxy =louisremi cors proxy","author":"=louisremi","date":"2014-06-06 "},{"name":"adhoc-stream","description":"An easy way to create inline, one-off streams.","url":null,"keywords":"streams","version":"0.0.1","words":"adhoc-stream an easy way to create inline, one-off streams. =joepie91 streams","author":"=joepie91","date":"2014-09-17 "},{"name":"adhoq","description":"Experimental website framework","url":null,"keywords":"","version":"0.4.8","words":"adhoq experimental website framework =jcw","author":"=jcw","date":"2013-08-19 "},{"name":"adi-github","description":"Get a list of repos","url":null,"keywords":"","version":"0.0.1","words":"adi-github get a list of repos =ioanszabo","author":"=ioanszabo","date":"2013-07-11 "},{"name":"adieu","keywords":"","version":[],"words":"adieu","author":"","date":"2014-04-05 "},{"name":"adiff","description":"diff and patch arrays.","url":null,"keywords":"","version":"0.2.12","words":"adiff diff and patch arrays. =dominictarr","author":"=dominictarr","date":"2013-12-10 "},{"name":"aditi_math_example","description":"Sample","url":null,"keywords":"addition subtraction multiply divide fibonacci","version":"5.0.2","words":"aditi_math_example sample =aditi addition subtraction multiply divide fibonacci","author":"=aditi","date":"2013-09-16 "},{"name":"aditya-github-example","description":"Get repos of a particular github username","url":null,"keywords":"github aditya example","version":"0.0.1","words":"aditya-github-example get repos of a particular github username =adityakapoor github aditya example","author":"=adityakapoor","date":"2013-07-06 "},{"name":"adj-noun","description":"Gives you a random adj-noun pair that you can use as a unique identifier","url":null,"keywords":"identifier unique english slug adjective noun","version":"0.1.0","words":"adj-noun gives you a random adj-noun pair that you can use as a unique identifier =btford identifier unique english slug adjective noun","author":"=btford","date":"2014-06-27 "},{"name":"adjunct","keywords":"","version":[],"words":"adjunct","author":"","date":"2014-01-31 "},{"name":"adl-xapiwrapper","description":"ADL's Experience API wrapper","url":null,"keywords":"ADL Experience API wrapper tin can","version":"0.2.1","words":"adl-xapiwrapper adl's experience api wrapper =adltechteam adl experience api wrapper tin can","author":"=adltechteam","date":"2013-11-18 "},{"name":"adlayer-library","description":"Adlayer javascript core library","url":null,"keywords":"adlayer adserver javascript ad server ad seving","version":"1.0.3","words":"adlayer-library adlayer javascript core library =adlayer adlayer adserver javascript ad server ad seving","author":"=adlayer","date":"2013-04-29 "},{"name":"adler-32","description":"Pure-JS ADLER-32","url":null,"keywords":"adler32 checksum","version":"0.2.1","words":"adler-32 pure-js adler-32 =sheetjs adler32 checksum","author":"=sheetjs","date":"2014-07-06 "},{"name":"adler32","description":"Adler-32 hashing algorithm","url":null,"keywords":"checksum hash adler adler32 adler-32 roll rolling","version":"0.1.2","words":"adler32 adler-32 hashing algorithm =bluejeansandrain checksum hash adler adler32 adler-32 roll rolling","author":"=bluejeansandrain","date":"2014-07-30 "},{"name":"adler32-js","description":"adler32-js ----------","url":null,"keywords":"checksum hash adler adler32 adler-32","version":"1.0.2","words":"adler32-js adler32-js ---------- =jwalton checksum hash adler adler32 adler-32","author":"=jwalton","date":"2014-09-13 "},{"name":"adm","description":"Application Deployment Manager","url":null,"keywords":"adm node application deployment manager install","version":"0.0.1","words":"adm application deployment manager =torworx adm node application deployment manager install","author":"=torworx","date":"2014-09-16 "},{"name":"adm-zip","description":"A Javascript implementation of zip for nodejs. Allows user to create or extract zip files both in memory or to/from disk","url":null,"keywords":"zip methods archive unzip","version":"0.4.4","words":"adm-zip a javascript implementation of zip for nodejs. allows user to create or extract zip files both in memory or to/from disk =cthackers zip methods archive unzip","author":"=cthackers","date":"2014-02-04 "},{"name":"admeasure","description":"Partition a collated collection for split within a b-tree.","url":null,"keywords":"btree database json b-tree leveldb levelup","version":"0.0.0","words":"admeasure partition a collated collection for split within a b-tree. =bigeasy btree database json b-tree leveldb levelup","author":"=bigeasy","date":"2014-08-11 "},{"name":"admesh-parser","description":"Parses 3d model file with admesh and returns info about model.","url":null,"keywords":"admesh parse 3d model stl","version":"2.0.2","words":"admesh-parser parses 3d model file with admesh and returns info about model. =artskydj admesh parse 3d model stl","author":"=artskydj","date":"2014-06-13 "},{"name":"admin","description":"A generic, modular admin interface for node","url":null,"keywords":"","version":"0.0.1","words":"admin a generic, modular admin interface for node =hij1nx","author":"=hij1nx","date":"2013-06-20 "},{"name":"admin-forms2","description":"backoffice with mongoose","url":null,"keywords":"admin forms mongoose django","version":"0.0.1","words":"admin-forms2 backoffice with mongoose =ishai admin forms mongoose django","author":"=ishai","date":"2012-05-15 "},{"name":"admin-with-forms","description":"admin for mongoose and not mongoose projects which uses forms","url":null,"keywords":"admin forms mongoose django","version":"0.0.58","words":"admin-with-forms admin for mongoose and not mongoose projects which uses forms =ishai admin forms mongoose django","author":"=ishai","date":"2012-08-20 "},{"name":"admiral-cli","description":"A Command Line Framework (CLI) framework for Node.js. Admiral has features like other CLI frameworks, but adds validation and some callbacks in key places. Less configuration, stronger validation.","url":null,"keywords":"cli framework parameters parsing commands","version":"0.5.1","words":"admiral-cli a command line framework (cli) framework for node.js. admiral has features like other cli frameworks, but adds validation and some callbacks in key places. less configuration, stronger validation. =four43 cli framework parameters parsing commands","author":"=four43","date":"2014-08-19 "},{"name":"admiraljs","description":"Lightweight, plug and play admin interface","url":null,"keywords":"admin admnistration backend restful api","version":"1.0.6","words":"admiraljs lightweight, plug and play admin interface =television admin admnistration backend restful api","author":"=television","date":"2014-09-17 "},{"name":"admit-one","description":"Adaptable Authentication","url":null,"keywords":"authentication authorization login user signup password","version":"0.3.0","words":"admit-one adaptable authentication =wbyoung authentication authorization login user signup password","author":"=wbyoung","date":"2014-06-29 "},{"name":"admit-one-bookshelf","description":"Admit One adapter for Bookshelf.js","url":null,"keywords":"authentication authorization login user signup password bookshelf","version":"0.3.0","words":"admit-one-bookshelf admit one adapter for bookshelf.js =wbyoung authentication authorization login user signup password bookshelf","author":"=wbyoung","date":"2014-06-29 "},{"name":"admit-one-mongo","description":"Admit One adapter for Mongo","url":null,"keywords":"authentication authorization login user signup password mongo","version":"0.2.0","words":"admit-one-mongo admit one adapter for mongo =wbyoung authentication authorization login user signup password mongo","author":"=wbyoung","date":"2014-06-29 "},{"name":"admittance","description":"A Simple role based access control implementation for node","url":null,"keywords":"rbac access control authentication roles permissions auth","version":"5.0.0","words":"admittance a simple role based access control implementation for node =digitalsadhu rbac access control authentication roles permissions auth","author":"=digitalsadhu","date":"2014-06-19 "},{"name":"adn","description":"App.net API for Node","url":null,"keywords":"app.net adn alpha","version":"0.0.3","words":"adn app.net api for node =christopher giffard =cgiffard app.net adn alpha","author":"=Christopher Giffard =cgiffard","date":"2013-05-20 "},{"name":"adn-api","description":"Browser-based wrapper for the App.net API.","url":null,"keywords":"","version":"1.0.1","words":"adn-api browser-based wrapper for the app.net api. =matthewp","author":"=matthewp","date":"2012-09-06 "},{"name":"adn2do","description":"A Node.js application that imports App.net posts into Day One using the Day One CLI.","url":null,"keywords":"App.net Day One","version":"0.1.2","words":"adn2do a node.js application that imports app.net posts into day one using the day one cli. =mbrio app.net day one","author":"=mbrio","date":"2012-09-03 "},{"name":"adnancsebuet07-exanple","description":"test","url":null,"keywords":"buet","version":"0.0.0","words":"adnancsebuet07-exanple test =adnancsbuet07 buet","author":"=adnancsbuet07","date":"2014-09-02 "},{"name":"adnoce","description":"Webtracking Tool für Express based sites backed by MongoDB","url":null,"keywords":"","version":"1.1.2","words":"adnoce webtracking tool für express based sites backed by mongodb =hkonitzer","author":"=hkonitzer","date":"2013-07-03 "},{"name":"adobe-swatch-exchange","description":"Encode/decode color palettes in Adobe's .ase format","url":null,"keywords":"","version":"0.0.0","words":"adobe-swatch-exchange encode/decode color palettes in adobe's .ase format =hughsk","author":"=hughsk","date":"2014-04-27 "},{"name":"adobecompiler","description":"compile adobe flash project.","url":null,"keywords":"","version":"0.0.1","words":"adobecompiler compile adobe flash project. =kyomic","author":"=kyomic","date":"2014-05-07 "},{"name":"adorn","description":"Backbone.Model formatting extension","url":null,"keywords":"backbone model formatting","version":"0.0.10","words":"adorn backbone.model formatting extension =socialgraham backbone model formatting","author":"=socialgraham","date":"2014-02-20 "},{"name":"adria","description":"Adria to Javascript compiler","url":null,"keywords":"adria transcompiler language","version":"0.2.1","words":"adria adria to javascript compiler =sinesc adria transcompiler language","author":"=sinesc","date":"2014-03-22 "},{"name":"adrian-github-test","description":"A test package for my npm module development","url":null,"keywords":"test package","version":"0.0.0","words":"adrian-github-test a test package for my npm module development =opreaadrian test package","author":"=opreaadrian","date":"2013-07-20 "},{"name":"adrift","description":"on a gust","url":null,"keywords":"","version":"0.0.1","words":"adrift on a gust =davidrekow","author":"=davidrekow","date":"2014-08-23 "},{"name":"adroit","description":"A CQRS and Event Sourced architecture for node.js","url":null,"keywords":"cqrs eventstore","version":"0.0.11","words":"adroit a cqrs and event sourced architecture for node.js =z3roshot cqrs eventstore","author":"=z3roshot","date":"2014-03-15 "},{"name":"adrotator-node","description":"Simple nodejs ad rotator","url":null,"keywords":"util nodejs express web ads","version":"0.0.1","words":"adrotator-node simple nodejs ad rotator =dpweb util nodejs express web ads","author":"=dpweb","date":"2012-11-24 "},{"name":"ads","description":"Twincat ADS protocol implementation for NodeJS","url":null,"keywords":"twincat plc ads beckhoff","version":"0.1.1","words":"ads twincat ads protocol implementation for nodejs =roeland twincat plc ads beckhoff","author":"=roeland","date":"2014-04-23 "},{"name":"adsense","description":"link skip","url":null,"keywords":"","version":"0.0.1","words":"adsense link skip =k1e3v1i4n","author":"=k1e3v1i4n","date":"2014-03-19 "},{"name":"adsr","description":"Attack, decay, sustain, release envelope for automating Web Audio API AudioParams.","url":null,"keywords":"adsr envelope attack sustain decay release waapi AudioParam modulator","version":"0.1.0","words":"adsr attack, decay, sustain, release envelope for automating web audio api audioparams. =mmckegg adsr envelope attack sustain decay release waapi audioparam modulator","author":"=mmckegg","date":"2014-07-09 "},{"name":"adstream-adbank-api-generate-hash","description":"Generate hash for AdBank A5 API requests","url":null,"keywords":"","version":"2.0.0","words":"adstream-adbank-api-generate-hash generate hash for adbank a5 api requests =simonmcmanus","author":"=simonmcmanus","date":"2014-05-15 "},{"name":"adstream-data","description":"Framework for adstream.data compliant services","url":null,"keywords":"","version":"0.1.16","words":"adstream-data framework for adstream.data compliant services =...max...","author":"=...max...","date":"2014-03-24 "},{"name":"adt","description":"Algebraic data types for Javascript","url":null,"keywords":"algebraic data types functional case classes","version":"0.7.2","words":"adt algebraic data types for javascript =natefaubion algebraic data types functional case classes","author":"=natefaubion","date":"2014-03-01 "},{"name":"adt-queue","description":"This module implements the abstract data type Queue. All the standard Queue operations have been implemented (create, enqueue, dequeue, front & isEmpty).","url":null,"keywords":"abstract data type queue","version":"0.1.3","words":"adt-queue this module implements the abstract data type queue. all the standard queue operations have been implemented (create, enqueue, dequeue, front & isempty). =gozumi abstract data type queue","author":"=gozumi","date":"2014-09-08 "},{"name":"adt-simple","description":"Algebraic data types for JavaScript using Sweet.js macros","url":null,"keywords":"adt adts algebraic data types functional macro macros sweet sweet.js sweet-macros","version":"0.1.3","words":"adt-simple algebraic data types for javascript using sweet.js macros =natefaubion adt adts algebraic data types functional macro macros sweet sweet.js sweet-macros","author":"=natefaubion","date":"2014-05-19 "},{"name":"adultcentro","description":"api wrapper for adultcentro","url":null,"keywords":"adultcentro ac","version":"0.2.0","words":"adultcentro api wrapper for adultcentro =oroce adultcentro ac","author":"=oroce","date":"2013-12-31 "},{"name":"advance","description":"In-memory forward iterator for use with the Strata b-tree MVCC tool collection.","url":null,"keywords":"btree leveldb levelup binary mvcc database json b-tree concurrent persistence","version":"0.0.7","words":"advance in-memory forward iterator for use with the strata b-tree mvcc tool collection. =bigeasy btree leveldb levelup binary mvcc database json b-tree concurrent persistence","author":"=bigeasy","date":"2014-08-14 "},{"name":"advanced-express-application-development","keywords":"","version":[],"words":"advanced-express-application-development","author":"","date":"2014-03-20 "},{"name":"advanced-express-web-application-development","description":"This module contains the source code for Advanced Express Web Application Development.","url":null,"keywords":"express boilerplate","version":"0.0.2","words":"advanced-express-web-application-development this module contains the source code for advanced express web application development. =airasoul express boilerplate","author":"=airasoul","date":"2014-03-20 "},{"name":"advanced-pool","description":"Advanced resource pool for Node.JS","url":null,"keywords":"pool pooling throttle resources resource pool object pool","version":"0.3.1","words":"advanced-pool advanced resource pool for node.js =atheros pool pooling throttle resources resource pool object pool","author":"=atheros","date":"2014-07-22 "},{"name":"advanced-require","description":"Require things in Node.js.","url":null,"keywords":"require watch load fs emitter events","version":"0.0.2","words":"advanced-require require things in node.js. =andy.potanin require watch load fs emitter events","author":"=andy.potanin","date":"2013-07-23 "},{"name":"adventize","description":"Adventize Node.js SDK","url":null,"keywords":"mobile advertisement","version":"0.0.5","words":"adventize adventize node.js sdk =adventize mobile advertisement","author":"=adventize","date":"2013-10-30 "},{"name":"adventure","description":"quickly hack together a nodeschool adventure","url":null,"keywords":"nodeschool adventure workshop education edutainment","version":"2.7.0","words":"adventure quickly hack together a nodeschool adventure =substack nodeschool adventure workshop education edutainment","author":"=substack","date":"2014-08-13 "},{"name":"adventure-verify","description":"write adventure verify functions with tape","url":null,"keywords":"adventure nodeschool workshop education","version":"2.2.0","words":"adventure-verify write adventure verify functions with tape =substack adventure nodeschool workshop education","author":"=substack","date":"2014-08-12 "},{"name":"adverb-where","description":"Find adverbs in your writings","url":null,"keywords":"english writing prose words adverb adverbs adverbly readability","version":"0.0.7","words":"adverb-where find adverbs in your writings =duereg english writing prose words adverb adverbs adverbly readability","author":"=duereg","date":"2014-06-25 "},{"name":"advice","description":"Advice functional mixin based on Twitter's Angus Croll presentation (How we learned to stop worrying and love Javascript).","url":null,"keywords":"","version":"0.1.0","words":"advice advice functional mixin based on twitter's angus croll presentation (how we learned to stop worrying and love javascript). =puerkitobio","author":"=puerkitobio","date":"2012-07-10 "},{"name":"advisable","description":"Functional mixin for sync and async before/after/around advice","url":null,"keywords":"advice AOP functional mixin","version":"0.2.0","words":"advisable functional mixin for sync and async before/after/around advice =slloyd advice aop functional mixin","author":"=slloyd","date":"2012-09-02 "},{"name":"advisable.js","description":"AOP library","url":null,"keywords":"","version":"0.0.9","words":"advisable.js aop library =olivoil","author":"=olivoil","date":"2014-03-23 "},{"name":"advise","description":"Aspect-Oriented Programming for JavaScript","url":null,"keywords":"","version":"1.0.0","words":"advise aspect-oriented programming for javascript =ryanflorence","author":"=ryanflorence","date":"2013-08-08 "},{"name":"advk","description":"Lightweight abstraction for executing task runners like Grunt, Gulp, etc.","url":null,"keywords":"grunt gulp task cli tool","version":"0.1.0","words":"advk lightweight abstraction for executing task runners like grunt, gulp, etc. =unkillbob grunt gulp task cli tool","author":"=unkillbob","date":"2014-03-12 "},{"name":"advpng-bin","description":"advpng wrapper that makes it seamlessly available as a local dependency","url":null,"keywords":"compress image img minify optimize png","version":"1.0.1","words":"advpng-bin advpng wrapper that makes it seamlessly available as a local dependency =1000ch =kevva compress image img minify optimize png","author":"=1000ch =kevva","date":"2014-09-18 "},{"name":"advtxt","description":"An engine for text-based adventure games.","url":null,"keywords":"game adventure","version":"0.0.1","words":"advtxt an engine for text-based adventure games. =fardog game adventure","author":"=fardog","date":"2014-08-02 "},{"name":"advtxt-db-mongo","description":"A MongoDB adapter for AdvTxt.","url":null,"keywords":"adventure advtxt game","version":"0.0.1","words":"advtxt-db-mongo a mongodb adapter for advtxt. =fardog adventure advtxt game","author":"=fardog","date":"2014-03-21 "},{"name":"advtxt-readline","description":"A readline interface to AdvTxt.","url":null,"keywords":"game adventure advtxt","version":"0.0.1","words":"advtxt-readline a readline interface to advtxt. =fardog game adventure advtxt","author":"=fardog","date":"2014-03-30 "},{"name":"advtxt-telnet","description":"An AdvTxt telnet server for local testing. No security at all.","url":null,"keywords":"game adventure advtxt","version":"0.0.1","words":"advtxt-telnet an advtxt telnet server for local testing. no security at all. =fardog game adventure advtxt","author":"=fardog","date":"2014-03-30 "},{"name":"adwiki","description":"autodafe component for generating documentation","url":null,"keywords":"jsdoc documentation wiki","version":"0.1.3","words":"adwiki autodafe component for generating documentation =vlvl jsdoc documentation wiki","author":"=vlvl","date":"2012-09-30 "},{"name":"adwords-auth","description":"Gets access and refresh tokens to use with Google AdWords API.","url":null,"keywords":"","version":"0.0.10","words":"adwords-auth gets access and refresh tokens to use with google adwords api. =ladekjaer","author":"=ladekjaer","date":"2014-07-19 "},{"name":"adyen","description":"NodeJS module for the Adyen payment provider","url":null,"keywords":"","version":"0.0.4","words":"adyen nodejs module for the adyen payment provider =hekike","author":"=hekike","date":"2014-01-24 "},{"name":"ae","keywords":"","version":[],"words":"ae","author":"","date":"2014-02-19 "},{"name":"ae-github","description":"A higher-level wrapper around the Github API.","url":null,"keywords":"github api","version":"0.0.1","words":"ae-github a higher-level wrapper around the github api. =ftriana github api","author":"=ftriana","date":"2014-02-12 "},{"name":"ae-pdc","description":"a pandoc wrapper for node","url":null,"keywords":"","version":"0.1.0","words":"ae-pdc a pandoc wrapper for node =ftriana","author":"=ftriana","date":"2014-02-26 "},{"name":"ae-rekuire","keywords":"","version":[],"words":"ae-rekuire","author":"","date":"2014-02-17 "},{"name":"ae86","description":"Old school static website generator.","url":null,"keywords":"static website generator","version":"0.1.0","words":"ae86 old school static website generator. =cliffano static website generator","author":"=cliffano","date":"2014-09-08 "},{"name":"aec-mongo","description":"aec-mongo","url":null,"keywords":"","version":"0.0.1","words":"aec-mongo aec-mongo =sahina","author":"=sahina","date":"2014-07-10 "},{"name":"aefty","keywords":"","version":[],"words":"aefty","author":"","date":"2014-05-29 "},{"name":"aegis","description":"Asynchronous lazy streams for everynyan.","url":null,"keywords":"","version":"0.1.0","words":"aegis asynchronous lazy streams for everynyan. =killdream","author":"=killdream","date":"2012-06-10 "},{"name":"aejs","description":"Asynchroneous Embedded JavaScript Templates","url":null,"keywords":"async template engine ejs","version":"0.2.1","words":"aejs asynchroneous embedded javascript templates =m1rr0r async template engine ejs","author":"=m1rr0r","date":"2011-04-29 "},{"name":"aemitter","description":"async emitter","url":null,"keywords":"","version":"0.0.1","words":"aemitter async emitter =mattmueller","author":"=mattmueller","date":"2013-02-05 "},{"name":"aemsync","description":"Adobe AEM Synchronization Tool","url":null,"keywords":"AEM CQ Sling Synchronization","version":"0.1.1","words":"aemsync adobe aem synchronization tool =gavoja aem cq sling synchronization","author":"=gavoja","date":"2014-07-11 "},{"name":"aenoa-supervisor","description":"A supervisor program for running nodejs programs","url":null,"keywords":"","version":"0.1.34","words":"aenoa-supervisor a supervisor program for running nodejs programs =xavierlaumonier","author":"=xavierlaumonier","date":"2011-09-09 "},{"name":"aeon","description":"Yet another formal OO library to groan about.","url":null,"keywords":"objects","version":"0.0.1-beta","words":"aeon yet another formal oo library to groan about. =khrome objects","author":"=khrome","date":"2014-06-14 "},{"name":"aero-client","description":"API client for aero.io","url":null,"keywords":"aero.io aero","version":"0.0.1","words":"aero-client api client for aero.io =vesln aero.io aero","author":"=vesln","date":"2012-09-18 "},{"name":"aerobatic","keywords":"","version":[],"words":"aerobatic","author":"","date":"2014-02-23 "},{"name":"aerobatic-pipeline","keywords":"","version":[],"words":"aerobatic-pipeline","author":"","date":"2014-03-24 "},{"name":"aerobatic-simulator","keywords":"","version":[],"words":"aerobatic-simulator","author":"","date":"2014-02-24 "},{"name":"aerobatic-yoke","description":"yoke is your developer control column for building nimble web apps on the [Aerobatic](http://www.aerobaticapp.com) platform. With yoke you have the power to:","url":null,"keywords":"","version":"0.2.6","words":"aerobatic-yoke yoke is your developer control column for building nimble web apps on the [aerobatic](http://www.aerobaticapp.com) platform. with yoke you have the power to: =aerobatic","author":"=aerobatic","date":"2014-06-01 "},{"name":"aerodynamic","description":"Performance oriented developement environment.","url":null,"keywords":"Gulp performance css js front-end html5 template scaffolding sass boilerplate","version":"0.0.4","words":"aerodynamic performance oriented developement environment. =mrmrs gulp performance css js front-end html5 template scaffolding sass boilerplate","author":"=mrmrs","date":"2014-07-27 "},{"name":"aerogear-core","url":null,"keywords":"","version":"0.0.1","words":"aerogear-core =lholmquist","author":"=lholmquist","date":"2014-05-16 "},{"name":"aerogear-pipeline","url":null,"keywords":"","version":"0.0.1","words":"aerogear-pipeline =lholmquist","author":"=lholmquist","date":"2014-05-21 "},{"name":"aerogear-sender-client","description":"Sender api for the AeroGear Unified Push server","url":null,"keywords":"","version":"0.5.1","words":"aerogear-sender-client sender api for the aerogear unified push server =lholmquist","author":"=lholmquist","date":"2014-08-06 "},{"name":"aerogear-simplepush-node-client","description":"A client for the AeroGear SimplePush server","url":null,"keywords":"","version":"0.0.0","words":"aerogear-simplepush-node-client a client for the aerogear simplepush server =lholmquist","author":"=lholmquist","date":"2014-02-13 "},{"name":"aerogear-simplepush-node-sender-client","description":"A sender client for the AeroGear SimplePush server","url":null,"keywords":"","version":"0.0.0","words":"aerogear-simplepush-node-sender-client a sender client for the aerogear simplepush server =lholmquist","author":"=lholmquist","date":"2013-10-17 "},{"name":"aerogel","description":"CrazyFlie control software","url":null,"keywords":"nodecopter crazyflie quadcopter nanocopter leapmotion","version":"0.0.5","words":"aerogel crazyflie control software =ceejbot nodecopter crazyflie quadcopter nanocopter leapmotion","author":"=ceejbot","date":"2013-09-22 "},{"name":"aeronaut","keywords":"","version":[],"words":"aeronaut","author":"","date":"2014-04-05 "},{"name":"aerospike","description":"Aerospike Client Library","url":null,"keywords":"","version":"1.0.16","words":"aerospike aerospike client library =chris-aerospike.com =aerospike","author":"=chris-aerospike.com =aerospike","date":"2014-09-16 "},{"name":"aes","description":"A JavaScript component for the Advanced Encryption Standard (AES).","url":null,"keywords":"crytpo cryptography aes encryption bitcoin bip38 cipher","version":"0.1.0","words":"aes a javascript component for the advanced encryption standard (aes). =jp =nadav crytpo cryptography aes encryption bitcoin bip38 cipher","author":"=jp =nadav","date":"2014-04-28 "},{"name":"aes-cbc-hmac-sha2","description":"Authenticated Encryption with AES-CBC and HMAC-SHA2","url":null,"keywords":"crypto authenticated encryption authentication tag aes aead jwa hmac aes-128-cbc-hmac-sha-256 aes-192-cbc-hmac-sha-384 aes-256-cbc-hmac-sha-512 aes-256-cbc-hmac-sha-384","version":"0.3.0","words":"aes-cbc-hmac-sha2 authenticated encryption with aes-cbc and hmac-sha2 =glkz crypto authenticated encryption authentication tag aes aead jwa hmac aes-128-cbc-hmac-sha-256 aes-192-cbc-hmac-sha-384 aes-256-cbc-hmac-sha-512 aes-256-cbc-hmac-sha-384","author":"=glkz","date":"2014-07-02 "},{"name":"aes-helper","description":"AES encryption & decryption drop-in helper","url":null,"keywords":"","version":"0.0.1","words":"aes-helper aes encryption & decryption drop-in helper =fabdrol","author":"=fabdrol","date":"2012-08-05 "},{"name":"aes-helper-js","description":"aes-helper-js ===============","url":null,"keywords":"","version":"0.1.2","words":"aes-helper-js aes-helper-js =============== =boillodmanuel","author":"=boillodmanuel","date":"2014-09-01 "},{"name":"aesn","description":"fast applyEachSeries for critical applications","url":null,"keywords":"applyEachSeries fast","version":"0.1.0","words":"aesn fast applyeachseries for critical applications =ovmjm applyeachseries fast","author":"=ovmjm","date":"2013-10-18 "},{"name":"aestimia-client","description":"A client for the Aestimia API","url":null,"keywords":"","version":"0.1.4","words":"aestimia-client a client for the aestimia api =arhayward","author":"=arhayward","date":"2013-09-26 "},{"name":"aeternum","description":"A process monitor in libuv","url":null,"keywords":"","version":"0.2.7","words":"aeternum a process monitor in libuv =mmalecki =indexzero =avianflu =bmeck =jcrugzz","author":"=mmalecki =indexzero =avianflu =bmeck =jcrugzz","date":"2014-04-30 "},{"name":"aether","description":"Analyzes, instruments, and transpiles JS to help beginners.","url":null,"keywords":"lint static analysis transpiler learning programming","version":"0.2.33","words":"aether analyzes, instruments, and transpiles js to help beginners. =nwinter lint static analysis transpiler learning programming","author":"=nwinter","date":"2014-09-19 "},{"name":"aetherboard","description":"Collaborative Whiteboard with microservices","url":null,"keywords":"","version":"0.0.1","words":"aetherboard collaborative whiteboard with microservices =adrianrossouw","author":"=adrianrossouw","date":"2014-08-17 "},{"name":"aethernauts-server","keywords":"","version":[],"words":"aethernauts-server","author":"","date":"2014-04-28 "},{"name":"af","description":"a command line interface for interacting with AppFog API. This should eventually be able to replace the af gem.","url":null,"keywords":"appfog cli","version":"0.0.2","words":"af a command line interface for interacting with appfog api. this should eventually be able to replace the af gem. =chrismatheson appfog cli","author":"=chrismatheson","date":"2013-05-03 "},{"name":"af-node-base","description":"Retool Server","url":null,"keywords":"","version":"0.0.3","words":"af-node-base retool server =jasondudar","author":"=jasondudar","date":"2014-03-25 "},{"name":"afamodule","description":"a package for afa007's learning nodejs","url":null,"keywords":"afa007","version":"0.0.1","words":"afamodule a package for afa007's learning nodejs =afa007 afa007","author":"=afa007","date":"2014-08-08 "},{"name":"afc","description":"Automatically find the configuration ====================================","url":null,"keywords":"node sdk configuration","version":"0.0.3","words":"afc automatically find the configuration ==================================== =leeqiang node sdk configuration","author":"=leeqiang","date":"2014-06-11 "},{"name":"afd","description":"Accrual Failure Detector","url":null,"keywords":"accrual failure detector phi distributed peer","version":"0.2.7","words":"afd accrual failure detector =ramitos accrual failure detector phi distributed peer","author":"=ramitos","date":"2013-07-07 "},{"name":"affair","description":"Cheating on event emitters with mixins","url":null,"keywords":"","version":"0.0.4","words":"affair cheating on event emitters with mixins =forbeslindesay","author":"=forbeslindesay","date":"2013-07-22 "},{"name":"affectation","keywords":"","version":[],"words":"affectation","author":"","date":"2014-04-05 "},{"name":"affilinet","description":"simple interface to the affilinet api","url":null,"keywords":"","version":"0.0.5","words":"affilinet simple interface to the affilinet api =snd","author":"=snd","date":"2012-08-22 "},{"name":"affilinet-lookup","description":"A simple wrapper around the affilinet search products api","url":null,"keywords":"affilinet api lookup ecommerce","version":"0.4.2","words":"affilinet-lookup a simple wrapper around the affilinet search products api =adamvr affilinet api lookup ecommerce","author":"=adamvr","date":"2014-07-31 "},{"name":"affine","description":"A library for basic 2D affine transformations","url":null,"keywords":"","version":"0.0.5","words":"affine a library for basic 2d affine transformations =malgorithms","author":"=malgorithms","date":"2013-02-18 "},{"name":"affinity","description":"Relational algebra library","url":null,"keywords":"","version":"0.0.21","words":"affinity relational algebra library =ludydoo","author":"=ludydoo","date":"2014-06-30 "},{"name":"affirm","description":"Library for assertions","url":null,"keywords":"","version":"0.1.3","words":"affirm library for assertions =clauswitt","author":"=clauswitt","date":"2012-09-05 "},{"name":"affluents","description":"affluents","url":null,"keywords":"","version":"0.0.3","words":"affluents affluents =stierm","author":"=stierm","date":"2014-04-29 "},{"name":"afflux-listener","description":"Listener client for afflux","url":null,"keywords":"logging logman logger log realtime messagebus axon","version":"0.0.1","words":"afflux-listener listener client for afflux =tknew logging logman logger log realtime messagebus axon","author":"=tknew","date":"2013-04-18 "},{"name":"afflux-logger","description":"Logger client for afflux","url":null,"keywords":"logging logman logger log realtime messagebus axon","version":"0.0.4","words":"afflux-logger logger client for afflux =tknew logging logman logger log realtime messagebus axon","author":"=tknew","date":"2013-04-21 "},{"name":"afflux-server","description":"afflux-server.js is a server log message that dispatch log messages to differents storage with the help of a router.","url":null,"keywords":"logging logman logger log afflux zeromq fluentd realtime messagebus axon","version":"0.0.1","words":"afflux-server afflux-server.js is a server log message that dispatch log messages to differents storage with the help of a router. =tknew logging logman logger log afflux zeromq fluentd realtime messagebus axon","author":"=tknew","date":"2013-04-18 "},{"name":"afinn-111","description":"AFINN 111 (list of English words rated for valence) in JSON","url":null,"keywords":"anew afinn word list sentiment analysis opinion mining text microblogs","version":"0.1.0","words":"afinn-111 afinn 111 (list of english words rated for valence) in json =wooorm anew afinn word list sentiment analysis opinion mining text microblogs","author":"=wooorm","date":"2014-09-02 "},{"name":"afinn-96","description":"AFINN 96 (list of English words rated for valence) in JSON","url":null,"keywords":"anew afinn word list sentiment analysis opinion mining text microblogs","version":"0.1.0","words":"afinn-96 afinn 96 (list of english words rated for valence) in json =wooorm anew afinn word list sentiment analysis opinion mining text microblogs","author":"=wooorm","date":"2014-09-02 "},{"name":"afk","description":"Provides seconds since the user was last active","url":null,"keywords":"user idle afk mouse keyboard user inactive","version":"0.4.2","words":"afk provides seconds since the user was last active =4ver user idle afk mouse keyboard user inactive","author":"=4ver","date":"2014-09-02 "},{"name":"aflow.js","description":"Collection of async flow control methods.","url":null,"keywords":"","version":"0.0.1","words":"aflow.js collection of async flow control methods. =jaridmargolin","author":"=jaridmargolin","date":"2014-09-06 "},{"name":"aflux","description":"Logger client for logman","url":null,"keywords":"logging logman logger log realtime messagebus axon","version":"0.0.4","words":"aflux logger client for logman =tknew logging logman logger log realtime messagebus axon","author":"=tknew","date":"2013-11-06 "},{"name":"afoot","keywords":"","version":[],"words":"afoot","author":"","date":"2014-04-05 "},{"name":"afstatsd","description":"A StatsD client for use with the AppFirst collector (http://www.appfirst.com/)","url":null,"keywords":"statsd appfirst","version":"1.0.0","words":"afstatsd a statsd client for use with the appfirst collector (http://www.appfirst.com/) =appfirst statsd appfirst","author":"=appfirst","date":"2014-09-16 "},{"name":"after","description":"after - tiny flow control","url":null,"keywords":"flowcontrol after flow control arch","version":"0.8.1","words":"after after - tiny flow control =raynos =shtylman flowcontrol after flow control arch","author":"=raynos =shtylman","date":"2013-11-12 "},{"name":"after-all","description":"Execute several async functions and get a callback when they are all done","url":null,"keywords":"","version":"2.0.1","words":"after-all execute several async functions and get a callback when they are all done =sorribas","author":"=sorribas","date":"2014-08-29 "},{"name":"after-all-results","description":"Bundle results of async functions calls into one callback with all the results","url":null,"keywords":"parallel callback async done","version":"1.1.0","words":"after-all-results bundle results of async functions calls into one callback with all the results =watson parallel callback async done","author":"=watson","date":"2014-08-16 "},{"name":"after-brunch","description":"A micro-plugin to run commands line scripts after Brunch's compile.","url":null,"keywords":"brunch after commands post-compile","version":"0.0.4","words":"after-brunch a micro-plugin to run commands line scripts after brunch's compile. =s-ings brunch after commands post-compile","author":"=s-ings","date":"2013-10-22 "},{"name":"after-brunch-gbk","description":"A micro-plugin to run commands line scripts after Brunch's compile.","url":null,"keywords":"brunch after commands post-compile","version":"0.0.9","words":"after-brunch-gbk a micro-plugin to run commands line scripts after brunch's compile. =arthurguo brunch after commands post-compile","author":"=arthurguo","date":"2014-09-11 "},{"name":"after-event","description":"Execute function after event is emitted and on any proceeding call","url":null,"keywords":"after event","version":"0.1.0","words":"after-event execute function after event is emitted and on any proceeding call =floatdrop after event","author":"=floatdrop","date":"2014-08-14 "},{"name":"after-events","description":"Event Emitter with hooks for listener returnn values","url":null,"keywords":"events event-emitter","version":"1.0.0","words":"after-events event emitter with hooks for listener returnn values =havvy events event-emitter","author":"=havvy","date":"2014-01-17 "},{"name":"after-time","description":"Declarative setTimeout","url":null,"keywords":"","version":"0.0.1","words":"after-time declarative settimeout =azer","author":"=azer","date":"2014-01-15 "},{"name":"after-transition","description":"Fire a callback after a transition or immediately if the browser does not support transitions","url":null,"keywords":"component browserify css transition","version":"0.0.4","words":"after-transition fire a callback after a transition or immediately if the browser does not support transitions =anthonyshort component browserify css transition","author":"=anthonyshort","date":"2013-08-23 "},{"name":"afterfn","description":"Invoke a function after a function.","url":null,"keywords":"aspect aop functional oriented","version":"2.1.1","words":"afterfn invoke a function after a function. =timoxley aspect aop functional oriented","author":"=timoxley","date":"2014-08-19 "},{"name":"afterlight-lesswatcher","description":"An easy to use, globally installable .less compiler and watcher.","url":null,"keywords":"less css watcher monitor","version":"0.1.2","words":"afterlight-lesswatcher an easy to use, globally installable .less compiler and watcher. =afterlight less css watcher monitor","author":"=afterlight","date":"2013-01-07 "},{"name":"aftershave","description":"compiled javascript templates","url":null,"keywords":"templating","version":"0.6.10","words":"aftershave compiled javascript templates =ccampbell templating","author":"=ccampbell","date":"2014-05-25 "},{"name":"aftership","description":"AfterShip NodeJS API Wrapper","url":null,"keywords":"aftership api aftership aftership-nodejs","version":"3.0.1","words":"aftership aftership nodejs api wrapper =aftership aftership api aftership aftership-nodejs","author":"=aftership","date":"2014-04-16 "},{"name":"afw","description":"Some kind of framework to create routers, controllers, actions","url":null,"keywords":"","version":"0.0.4","words":"afw some kind of framework to create routers, controllers, actions =ajnasz","author":"=ajnasz","date":"2013-01-17 "},{"name":"ag","url":null,"keywords":"","version":"0.0.1","words":"ag =tmcw","author":"=tmcw","date":"2011-12-22 "},{"name":"ag-requirejs-angular-minify-fix","description":"Automatic fixing of angular methods for minification","url":null,"keywords":"","version":"1.0.1","words":"ag-requirejs-angular-minify-fix automatic fixing of angular methods for minification =agamnentzar","author":"=agamnentzar","date":"2014-09-19 "},{"name":"ag-schema","description":"Artifact Graph Schema","url":null,"keywords":"","version":"0.0.13","words":"ag-schema artifact graph schema =dbmeads =sajidmohammed","author":"=dbmeads =sajidmohammed","date":"2014-06-05 "},{"name":"ag-sockets","description":"Thin WebSockets communication layer","url":null,"keywords":"","version":"0.0.4","words":"ag-sockets thin websockets communication layer =agamnentzar","author":"=agamnentzar","date":"2014-04-22 "},{"name":"ag-static-content","description":"Default static content setup","url":null,"keywords":"","version":"0.0.2","words":"ag-static-content default static content setup =agamnentzar","author":"=agamnentzar","date":"2014-03-07 "},{"name":"ag-types","description":"Arbitrary data structure validation","url":null,"keywords":"validate validator type","version":"0.1.7","words":"ag-types arbitrary data structure validation =ezku validate validator type","author":"=ezku","date":"2014-08-28 "},{"name":"ag.alert","description":"angular.js alert directive, extracted into npm module","url":null,"keywords":"angularjs nerl directive","version":"0.0.2","words":"ag.alert angular.js alert directive, extracted into npm module =anvaka angularjs nerl directive","author":"=anvaka","date":"2013-12-14 "},{"name":"agachet-test-app","keywords":"","version":[],"words":"agachet-test-app","author":"","date":"2014-05-17 "},{"name":"again","description":"call function again and again","url":null,"keywords":"again","version":"0.0.1","words":"again call function again and again =jifeng.zjd again","author":"=jifeng.zjd","date":"2012-09-27 "},{"name":"agate","description":"Antigate client that doesn't suck","url":null,"keywords":"CAPTCHA antigate recognize ocr","version":"0.0.1","words":"agate antigate client that doesn't suck =jsmarkus captcha antigate recognize ocr","author":"=jsmarkus","date":"2014-05-15 "},{"name":"agave","description":"Safely extends JS with helpful, intuitive methods.","url":null,"keywords":"agave agavejs methods underscore sugar lodash","version":"0.4.6","words":"agave safely extends js with helpful, intuitive methods. =mikemaccana agave agavejs methods underscore sugar lodash","author":"=mikemaccana","date":"2014-06-17 "},{"name":"agavejs","description":"a mocha framework to sweeten your tests","url":null,"keywords":"mocha testing assert","version":"0.2.0","words":"agavejs a mocha framework to sweeten your tests =cosmos mocha testing assert","author":"=cosmos","date":"2014-06-09 "},{"name":"age","description":"AGE is an Abstract Gameifiction Engine.","url":null,"keywords":"gamification game mechanics game badges achievements rewards","version":"0.2.1","words":"age age is an abstract gameifiction engine. =rodw gamification game mechanics game badges achievements rewards","author":"=rodw","date":"2014-01-21 "},{"name":"aged","description":"Small utility returning grunt file filter by last modified age","url":null,"keywords":"gruntplugin grunt time utility","version":"0.0.1","words":"aged small utility returning grunt file filter by last modified age =bahmutov gruntplugin grunt time utility","author":"=bahmutov","date":"2013-12-08 "},{"name":"agency","keywords":"","version":[],"words":"agency","author":"","date":"2014-02-17 "},{"name":"agenda","description":"Light weight job scheduler for Node.js","url":null,"keywords":"job jobs cron delayed scheduler runner","version":"0.6.19","words":"agenda light weight job scheduler for node.js =rschmukler job jobs cron delayed scheduler runner","author":"=rschmukler","date":"2014-09-04 "},{"name":"agenda-express","description":"agenda express plugin","url":null,"keywords":"agenda mongo expressjs admin","version":"0.0.1","words":"agenda-express agenda express plugin =mkoryak agenda mongo expressjs admin","author":"=mkoryak","date":"2014-02-17 "},{"name":"agenda-ui","description":"UI for Agenda","url":null,"keywords":"agenda","version":"0.0.6","words":"agenda-ui ui for agenda =moudy agenda","author":"=moudy","date":"2014-09-04 "},{"name":"agent","description":"client-side request module","url":null,"keywords":"","version":"0.2.1","words":"agent client-side request module =kamicane =arian","author":"=kamicane =arian","date":"2014-07-22 "},{"name":"agent-base","description":"Turn a function into an `http.Agent` instance","url":null,"keywords":"http agent base barebones https","version":"1.0.1","words":"agent-base turn a function into an `http.agent` instance =tootallnate http agent base barebones https","author":"=tootallnate","date":"2013-09-10 "},{"name":"agent-line","description":"agent-line","url":null,"keywords":"","version":"0.1.0","words":"agent-line agent-line =koba789","author":"=koba789","date":"2012-12-13 "},{"name":"agent-next","description":"The idea is simple:","url":null,"keywords":"","version":"0.1.0","words":"agent-next the idea is simple: =eldar","author":"=eldar","date":"2013-12-02 "},{"name":"agent-q","description":"Very thin wrapper layer between super-agent and Q to promisify superagent's callbacks","url":null,"keywords":"","version":"0.0.3","words":"agent-q very thin wrapper layer between super-agent and q to promisify superagent's callbacks =djechlin","author":"=djechlin","date":"2014-02-21 "},{"name":"agent.io","description":"Real-time, scalable agent<->server messaging","url":null,"keywords":"agent server-side real-time messaging long polling","version":"0.1.6","words":"agent.io real-time, scalable agent<->server messaging =nodetime agent server-side real-time messaging long polling","author":"=nodetime","date":"2012-09-03 "},{"name":"agent007","description":"NodeJS User-Agent retriever, big directory of user-agent.","url":null,"keywords":"user-agent browser http nodejs","version":"0.0.4","words":"agent007 nodejs user-agent retriever, big directory of user-agent. =darul75 user-agent browser http nodejs","author":"=darul75","date":"2014-01-10 "},{"name":"agentkeepalive","description":"Missing keepalive http.Agent","url":null,"keywords":"http agent keepalive","version":"1.2.0","words":"agentkeepalive missing keepalive http.agent =fengmk2 http agent keepalive","author":"=fengmk2","date":"2014-09-02 "},{"name":"agents","description":"Quick HTTP user agent headers for slightly-immoral-and-very-improper web scraping","url":null,"keywords":"User Agent HTTP Headers","version":"0.0.1","words":"agents quick http user agent headers for slightly-immoral-and-very-improper web scraping =ericjang user agent http headers","author":"=ericjang","date":"2012-10-14 "},{"name":"agentvsagent","description":"Agent vs Agent","url":null,"keywords":"","version":"0.0.16","words":"agentvsagent agent vs agent =phillc","author":"=phillc","date":"2013-09-16 "},{"name":"agfl-generate","description":"Generator using agfl grammar","url":null,"keywords":"generator","version":"0.2.2","words":"agfl-generate generator using agfl grammar =rnijveld generator","author":"=rnijveld","date":"2013-03-13 "},{"name":"aggie","url":null,"keywords":"","version":"0.0.5","words":"aggie =soodorama","author":"=soodorama","date":"2012-08-02 "},{"name":"aggr","description":"Object aggregation for node","url":null,"keywords":"","version":"0.0.2","words":"aggr object aggregation for node =sorensen","author":"=sorensen","date":"2013-04-14 "},{"name":"aggregate","description":"Aggregate function calls accross a tick","url":null,"keywords":"","version":"0.1.0","words":"aggregate aggregate function calls accross a tick =pkolloch","author":"=pkolloch","date":"2012-04-21 "},{"name":"aggregate-bower","description":"aggregate bower modulex modules into modulex_modules folder","url":null,"keywords":"","version":"1.0.3","words":"aggregate-bower aggregate bower modulex modules into modulex_modules folder =weekeight","author":"=weekeight","date":"2014-09-16 "},{"name":"aggregate-reduce","description":"Perform aggregate reduce operations on MongoDB.","url":null,"keywords":"mongodb map reduce map-reduce aggregate-reduce","version":"0.0.2","words":"aggregate-reduce perform aggregate reduce operations on mongodb. =tounano mongodb map reduce map-reduce aggregate-reduce","author":"=tounano","date":"2014-07-23 "},{"name":"aggregate-stream","description":"fluent aggregate query builder with promise and streaming support","url":null,"keywords":"mongodb mongo aggregate promise promises then streaming stream streams cursor","version":"1.3.0","words":"aggregate-stream fluent aggregate query builder with promise and streaming support =jongleberry mongodb mongo aggregate promise promises then streaming stream streams cursor","author":"=jongleberry","date":"2014-07-14 "},{"name":"aggregate.js","description":"Aggregate.js is a small and simple framework for aggregating, reducing, transforming JavaScript Array's. It works in Node.js or in the Browser equally well.","url":null,"keywords":"aggregate","version":"0.0.2","words":"aggregate.js aggregate.js is a small and simple framework for aggregating, reducing, transforming javascript array's. it works in node.js or in the browser equally well. =jdarling aggregate","author":"=jdarling","date":"2013-09-30 "},{"name":"aggress","keywords":"","version":[],"words":"aggress","author":"","date":"2014-04-05 "},{"name":"agi","description":"AGI (Asterisk Gateway Interface) for writing dialplan scripts","url":null,"keywords":"","version":"0.0.4","words":"agi agi (asterisk gateway interface) for writing dialplan scripts =brianc","author":"=brianc","date":"2013-02-22 "},{"name":"agile-time-box","description":"Node CLI utility to help you keep track of time when using agile time boxes.","url":null,"keywords":"agile time-box","version":"0.0.1","words":"agile-time-box node cli utility to help you keep track of time when using agile time boxes. =guyellis agile time-box","author":"=guyellis","date":"2014-04-04 "},{"name":"agile-workflow","description":"a super agile workflow engine","url":null,"keywords":"","version":"0.0.1","words":"agile-workflow a super agile workflow engine =ericwangqing","author":"=ericwangqing","date":"2013-11-07 "},{"name":"agileworkflow","description":"a super agile workflow engine","url":null,"keywords":"","version":"0.0.4","words":"agileworkflow a super agile workflow engine =ericwangqing","author":"=ericwangqing","date":"2013-11-08 "},{"name":"agito","description":"A middleware based redirection engine.","url":null,"keywords":"engine flexible redirection","version":"0.0.2","words":"agito a middleware based redirection engine. =aymericbeaumet engine flexible redirection","author":"=aymericbeaumet","date":"2014-08-28 "},{"name":"agito-http-protocol","description":"An Agito plugin to support the HTTP protocol in input requests","url":null,"keywords":"agito plugin loader","version":"0.0.1","words":"agito-http-protocol an agito plugin to support the http protocol in input requests =aymericbeaumet agito plugin loader","author":"=aymericbeaumet","date":"2014-08-28 "},{"name":"agito-http-redirection","description":"An Agito plugin to perform HTTP redirections","url":null,"keywords":"agito plugin action","version":"0.0.1","words":"agito-http-redirection an agito plugin to perform http redirections =aymericbeaumet agito plugin action","author":"=aymericbeaumet","date":"2014-08-28 "},{"name":"agito-json-loader","description":"An Agito plugin to loader triggers from JSON data","url":null,"keywords":"agito plugin loader","version":"0.0.2","words":"agito-json-loader an agito plugin to loader triggers from json data =aymericbeaumet agito plugin loader","author":"=aymericbeaumet","date":"2014-08-28 "},{"name":"aglio","description":"An API Blueprint renderer with theme support","url":null,"keywords":"api blueprint protagonist snowcrash html parse markdown","version":"1.16.1","words":"aglio an api blueprint renderer with theme support =danielgtaylor api blueprint protagonist snowcrash html parse markdown","author":"=danielgtaylor","date":"2014-08-29 "},{"name":"agmath","description":"A basic math library that supports fractions and complex numbers.","url":null,"keywords":"math fractions complex numbers matrix matrices number fraction complex vector vectors","version":"0.3.0","words":"agmath a basic math library that supports fractions and complex numbers. =andrewgaspar math fractions complex numbers matrix matrices number fraction complex vector vectors","author":"=andrewgaspar","date":"2013-03-22 "},{"name":"agni","description":"Command line utility for creating agni-framework applications","keywords":"framework mvc router","version":[],"words":"agni command line utility for creating agni-framework applications =lortabac framework mvc router","author":"=lortabac","date":"2013-04-14 "},{"name":"agni-framework","description":"Simple and intuitive MVC web framework for node.js","keywords":"framework mvc router","version":[],"words":"agni-framework simple and intuitive mvc web framework for node.js =lortabac framework mvc router","author":"=lortabac","date":"2013-04-21 "},{"name":"agni-gen","description":"Agni is a tool to help you organize your application structure based on simple principles.","url":null,"keywords":"scaffolding generator","version":"0.0.9","words":"agni-gen agni is a tool to help you organize your application structure based on simple principles. =kaiquewdev scaffolding generator","author":"=kaiquewdev","date":"2014-09-20 "},{"name":"agnostic","description":"code style toggling... because I don't like yours and you don't like mine","url":null,"keywords":"","version":"0.0.0","words":"agnostic code style toggling... because i don't like yours and you don't like mine =dtudury","author":"=dtudury","date":"2013-12-07 "},{"name":"ago","description":"A tool for calculating relative timestamps to now.","url":null,"keywords":"date timestamp relative","version":"1.0.0","words":"ago a tool for calculating relative timestamps to now. =bryce date timestamp relative","author":"=bryce","date":"2013-08-14 "},{"name":"agoragames-leaderboard","description":"Leaderboards backed by Redis in JavaScript","url":null,"keywords":"leaderboard redis","version":"1.8.0","words":"agoragames-leaderboard leaderboards backed by redis in javascript =czarneckid leaderboard redis","author":"=czarneckid","date":"2014-07-28 "},{"name":"agr-util","description":"Useful utility functions akin to underscore.js...but with some extras.","url":null,"keywords":"","version":"1.3.1","words":"agr-util useful utility functions akin to underscore.js...but with some extras. =agramirez2001","author":"=agramirez2001","date":"2014-09-06 "},{"name":"agro-jsonrpc-client","description":"The common (private) JSON-RPC client for Agrosica.","url":null,"keywords":"","version":"0.1.0","words":"agro-jsonrpc-client the common (private) json-rpc client for agrosica. =dfellis","author":"=dfellis","date":"2012-06-02 "},{"name":"agro-jsonrpc-server","description":"The common (private) JSON-RPC server for Agrosica.","url":null,"keywords":"","version":"0.1.0","words":"agro-jsonrpc-server the common (private) json-rpc server for agrosica. =dfellis","author":"=dfellis","date":"2012-06-02 "},{"name":"ags","url":null,"keywords":"","version":"0.0.0","words":"ags =arcadible","author":"=arcadible","date":"2014-08-24 "},{"name":"ags-download","description":"Download data from ArcGIS server as geoJSON","url":null,"keywords":"","version":"0.2.1","words":"ags-download download data from arcgis server as geojson =mmcfarland","author":"=mmcfarland","date":"2014-04-28 "},{"name":"agson","description":"Querying and manipulating JSON graphs","url":null,"keywords":"","version":"0.2.11","words":"agson querying and manipulating json graphs =ezku","author":"=ezku","date":"2014-07-17 "},{"name":"agstopwatch","description":"AGStopwatch is built using TypeScript. It's just a basic stopwatch - you can start it,\r stop it, restart it, and check how much time has elapsed.","url":null,"keywords":"stopwatch timer typescript","version":"1.1.0","words":"agstopwatch agstopwatch is built using typescript. it's just a basic stopwatch - you can start it,\r stop it, restart it, and check how much time has elapsed. =andrewgaspar stopwatch timer typescript","author":"=andrewgaspar","date":"2013-07-15 "},{"name":"agt","description":"Some game tools","url":null,"keywords":"mixins random geometry particles","version":"0.0.4","words":"agt some game tools =abe33 mixins random geometry particles","author":"=abe33","date":"2014-09-09 "},{"name":"ah-airbrake-plugin","description":"I use airbrake as an error reporter","url":null,"keywords":"","version":"0.0.4","words":"ah-airbrake-plugin i use airbrake as an error reporter =evantahler","author":"=evantahler","date":"2014-05-21 "},{"name":"ah-auth-plugin","description":"Stateless authentication plugin using JSON Web Token for actionhero API Server","url":null,"keywords":"jwt jsonwebtoken actionhero authentication","version":"0.0.1","words":"ah-auth-plugin stateless authentication plugin using json web token for actionhero api server =panjiesw jwt jsonwebtoken actionhero authentication","author":"=panjiesw","date":"2014-04-07 "},{"name":"ah-autosession-plugin","description":"Create sessions from any authorization point needed, and load them automatically before calling an action.","url":null,"keywords":"actionhero","version":"1.0.6","words":"ah-autosession-plugin create sessions from any authorization point needed, and load them automatically before calling an action. =innerdvations actionhero","author":"=innerdvations","date":"2014-08-04 "},{"name":"ah-bugsnag-plugin","description":"I use bugsnag as an error reporter","url":null,"keywords":"","version":"0.0.5","words":"ah-bugsnag-plugin i use bugsnag as an error reporter =evantahler","author":"=evantahler","date":"2014-08-04 "},{"name":"ah-dashboard-plugin","description":"Plugin for an ActionHero Dashboard with many functionalities","url":null,"keywords":"dashboard actionhero","version":"0.1.3","words":"ah-dashboard-plugin plugin for an actionhero dashboard with many functionalities =s3bb1 dashboard actionhero","author":"=s3bb1","date":"2014-09-04 "},{"name":"ah-newrelic-plugin","description":"I use newrelic in actionhero","url":null,"keywords":"","version":"0.0.2","words":"ah-newrelic-plugin i use newrelic in actionhero =evantahler","author":"=evantahler","date":"2014-07-01 "},{"name":"ah-nodemailer-plugin","description":"nodemailer email plugin for actionhero API Server","url":null,"keywords":"mail nodemailer actionhero","version":"0.0.3-1","words":"ah-nodemailer-plugin nodemailer email plugin for actionhero api server =panjiesw mail nodemailer actionhero","author":"=panjiesw","date":"2014-04-02 "},{"name":"ah-opbeat-plugin","description":"I use opbeat as an error reporter","url":null,"keywords":"","version":"0.0.2","words":"ah-opbeat-plugin i use opbeat as an error reporter =evantahler","author":"=evantahler","date":"2014-07-23 "},{"name":"ah-openrecord-plugin","description":"OpenRecord plugin for actionhero","url":null,"keywords":"orm record sql sqlite3 postgres pg mysql database activerecord actionhero","version":"2.0.2","words":"ah-openrecord-plugin openrecord plugin for actionhero =philw orm record sql sqlite3 postgres pg mysql database activerecord actionhero","author":"=philw","date":"2014-09-16 "},{"name":"ah-ratelimit-plugin","description":"Allows limits to be set on the number of time actions can be called in a time period","url":null,"keywords":"actionhero","version":"1.0.5","words":"ah-ratelimit-plugin allows limits to be set on the number of time actions can be called in a time period =innerdvations actionhero","author":"=innerdvations","date":"2014-08-04 "},{"name":"ah-ratelimite-plugin","keywords":"","version":[],"words":"ah-ratelimite-plugin","author":"","date":"2014-07-06 "},{"name":"ah-sample-plugin","description":"I am a simple sample plugin for actionhero","url":null,"keywords":"","version":"0.0.3","words":"ah-sample-plugin i am a simple sample plugin for actionhero =evantahler","author":"=evantahler","date":"2014-03-18 "},{"name":"ah-sequelize-plugin","description":"I use sequelize in actionhero as an ORM","url":null,"keywords":"","version":"0.1.0","words":"ah-sequelize-plugin i use sequelize in actionhero as an orm =evantahler","author":"=evantahler","date":"2014-09-05 "},{"name":"aha","description":"aha (ansi HTML adapter) in JS","url":null,"keywords":"","version":"0.1.0","words":"aha aha (ansi html adapter) in js =goffrie","author":"=goffrie","date":"2014-04-07 "},{"name":"aha.js","keywords":"","version":[],"words":"aha.js","author":"","date":"2014-04-07 "},{"name":"ahad-github-repos","description":"get a list of users' repos","url":null,"keywords":"","version":"0.0.0","words":"ahad-github-repos get a list of users' repos =ahadshafiq","author":"=ahadshafiq","date":"2012-11-17 "},{"name":"ahahah","description":"ahahah, great for error handling","url":null,"keywords":"","version":"0.1.1","words":"ahahah ahahah, great for error handling =dylanf","author":"=dylanf","date":"2014-07-18 "},{"name":"ahcli","description":"Node.js command line client for actionHero","url":null,"keywords":"","version":"0.0.3","words":"ahcli node.js command line client for actionhero =dunse","author":"=dunse","date":"2013-11-12 "},{"name":"ahead","description":"An experiment with promises","url":null,"keywords":"promise promises then","version":"0.0.1","words":"ahead an experiment with promises =manuelstofer promise promises then","author":"=manuelstofer","date":"2013-04-07 "},{"name":"ahj-tools","description":"aohajin's tools","url":null,"keywords":"tool","version":"0.1.1","words":"ahj-tools aohajin's tools =aohajin tool","author":"=aohajin","date":"2013-12-14 "},{"name":"aho-corasick","description":"Aho–Corasick string matching algorithm","url":null,"keywords":"aho-corasick trie match","version":"0.1.3","words":"aho-corasick aho–corasick string matching algorithm =hsujian aho-corasick trie match","author":"=hsujian","date":"2013-01-16 "},{"name":"aho-corasick-automaton","description":"Stream Aho-Corasick automata","url":null,"keywords":"aho corasick automata stream array pattern match multiple strings","version":"0.0.0","words":"aho-corasick-automaton stream aho-corasick automata =mikolalysenko aho corasick automata stream array pattern match multiple strings","author":"=mikolalysenko","date":"2013-11-06 "},{"name":"aho-corasick.js","description":"A Javascript implementation of the Aho-Corasick algorithm","url":null,"keywords":"","version":"0.0.1","words":"aho-corasick.js a javascript implementation of the aho-corasick algorithm =tombooth","author":"=tombooth","date":"2012-12-28 "},{"name":"ahr","description":"Abstract HTTP Request ===","url":null,"keywords":"util ahr xmlhttprequest http https file server client browser","version":"0.9.3","words":"ahr abstract http request === =coolaj86 util ahr xmlhttprequest http https file server client browser","author":"=coolaj86","date":"2013-04-25 "},{"name":"ahr.browser","description":"An Abstract Http Request for Node.JS (httpClient) and the Browser (XMLHttpRequeuest2)","url":null,"keywords":"ahr","version":"2.1.0","words":"ahr.browser an abstract http request for node.js (httpclient) and the browser (xmlhttprequeuest2) =coolaj86 ahr","author":"=coolaj86","date":"2011-07-19 "},{"name":"ahr.browser.jsonp","description":"`options` module of Abstract Http Request (AHR)","url":null,"keywords":"ahr","version":"2.1.0","words":"ahr.browser.jsonp `options` module of abstract http request (ahr) =coolaj86 ahr","author":"=coolaj86","date":"2011-07-16 "},{"name":"ahr.browser.request","description":"`options` module of Abstract Http Request (AHR)","url":null,"keywords":"ahr","version":"2.1.2","words":"ahr.browser.request `options` module of abstract http request (ahr) =coolaj86 ahr","author":"=coolaj86","date":"2011-08-04 "},{"name":"ahr.node","description":"An Abstract Http Request for Node.JS (httpClient) and the Browser (XMLHttpRequeuest2)","url":null,"keywords":"ahr","version":"2.2.0","words":"ahr.node an abstract http request for node.js (httpclient) and the browser (xmlhttprequeuest2) =coolaj86 ahr","author":"=coolaj86","date":"2011-08-04 "},{"name":"ahr.options","description":"`options` module of Abstract Http Request (AHR)","url":null,"keywords":"ahr","version":"2.1.2","words":"ahr.options `options` module of abstract http request (ahr) =coolaj86 ahr","author":"=coolaj86","date":"2011-09-24 "},{"name":"ahr.utils","description":"`utils` module of Abstract Http Request (AHR)","url":null,"keywords":"ahr","version":"2.1.0","words":"ahr.utils `utils` module of abstract http request (ahr) =coolaj86 ahr","author":"=coolaj86","date":"2011-07-28 "},{"name":"ahr2","description":"An Abstract Http Request for Node.JS (http/https) and the Browser (XMLHttpRequeuest2). For `npm install ahr2` for Node and `pakmanager build` for Ender / Pakmanager. It should be required as `var request = require('ahr2')`","url":null,"keywords":"xhr ahr xmlhttprequest http https file browser xhr2 cors xdm jsonp","version":"2.3.2","words":"ahr2 an abstract http request for node.js (http/https) and the browser (xmlhttprequeuest2). for `npm install ahr2` for node and `pakmanager build` for ender / pakmanager. it should be required as `var request = require('ahr2')` =coolaj86 xhr ahr xmlhttprequest http https file browser xhr2 cors xdm jsonp","author":"=coolaj86","date":"2012-08-02 "},{"name":"ahws-dr-svg-sprites","description":"Create SVG sprites with PNG fallbacks at needed sizes","url":null,"keywords":"svg sprites","version":"0.0.5","words":"ahws-dr-svg-sprites create svg sprites with png fallbacks at needed sizes =ahwswebdev =jjanssen svg sprites","author":"=ahwswebdev =jjanssen","date":"2014-08-28 "},{"name":"ahws-grunt-dr-svg-sprites","description":"Grunt plugin to create SVG sprites with PNG fallbacks at needed sizes","url":null,"keywords":"gruntplugin svg sprites","version":"0.0.9","words":"ahws-grunt-dr-svg-sprites grunt plugin to create svg sprites with png fallbacks at needed sizes =ahwswebdev =jjanssen gruntplugin svg sprites","author":"=ahwswebdev =jjanssen","date":"2014-08-28 "},{"name":"ahws-grunt-dust","description":"Grunt.js plugin to compile dustjs templates.","url":null,"keywords":"gruntplugin","version":"0.0.1","words":"ahws-grunt-dust grunt.js plugin to compile dustjs templates. =ahwswebdev gruntplugin","author":"=ahwswebdev","date":"2014-06-18 "},{"name":"ai","description":"I'm helping you finding abandoned issues in your project","url":null,"keywords":"support, github, issues, abandoned","version":"1.1.0","words":"ai i'm helping you finding abandoned issues in your project =robertkowalski support, github, issues, abandoned","author":"=robertkowalski","date":"2014-09-10 "},{"name":"aida","description":"xml build tool write in Node","url":null,"keywords":"xml build tool front-end build tool aida","version":"0.0.4","words":"aida xml build tool write in node =colorhook xml build tool front-end build tool aida","author":"=colorhook","date":"2013-01-28 "},{"name":"aikido","description":"WebRTC for Everybody [Coming Soon]","url":null,"keywords":"","version":"0.0.0","words":"aikido webrtc for everybody [coming soon] =damonoehlman","author":"=damonoehlman","date":"2013-05-21 "},{"name":"aiko","description":"Aiko - Full-Stack JavaScript Framework","url":null,"keywords":"yii php framework javascript","version":"0.1.0","words":"aiko aiko - full-stack javascript framework =affka =evildev yii php framework javascript","author":"=affka =evildev","date":"2014-04-30 "},{"name":"aim","description":"A distributed stress test tool test restfull pressure situation-based service.","url":null,"keywords":"","version":"0.0.1","words":"aim a distributed stress test tool test restfull pressure situation-based service. =speed","author":"=speed","date":"2014-07-26 "},{"name":"aim-read-module","description":"Simple Read Module","url":null,"keywords":"aim-module","version":"0.0.1","words":"aim-read-module simple read module =mrquincle aim-module","author":"=mrquincle","date":"2013-06-21 "},{"name":"aim-write-module","description":"Simple Write Module","url":null,"keywords":"aim-module","version":"0.0.1","words":"aim-write-module simple write module =mrquincle aim-module","author":"=mrquincle","date":"2013-06-21 "},{"name":"aiml","description":"Artificial Intelligence Markup Language lib for Node.js","url":null,"keywords":"aiml ai parser","version":"0.0.2","words":"aiml artificial intelligence markup language lib for node.js =dotcypress aiml ai parser","author":"=dotcypress","date":"2013-03-18 "},{"name":"aimlinterpreter","description":"Module to interpret AIML files in node.js","url":null,"keywords":"aiml ai interpreter bot","version":"0.1.3","words":"aimlinterpreter module to interpret aiml files in node.js =b3nra aiml ai interpreter bot","author":"=b3nra","date":"2013-11-15 "},{"name":"ain","description":"Syslog logging for node.js","url":null,"keywords":"","version":"0.0.1","words":"ain syslog logging for node.js =akaspin","author":"=akaspin","date":"prehistoric"},{"name":"ain-tcp","description":"Syslog logging for node.js, with syslog/TCP support","url":null,"keywords":"","version":"0.0.6","words":"ain-tcp syslog logging for node.js, with syslog/tcp support =andry1","author":"=andry1","date":"2011-09-14 "},{"name":"ain2","description":"Syslog logging for node.js. Continuation of ain","url":null,"keywords":"","version":"1.3.2","words":"ain2 syslog logging for node.js. continuation of ain =phuesler =badunk","author":"=phuesler =badunk","date":"2014-02-13 "},{"name":"ain2-fs","description":"Syslog logging for node.js. Continuation of ain","url":null,"keywords":"","version":"0.0.4","words":"ain2-fs syslog logging for node.js. continuation of ain =ossareh","author":"=ossareh","date":"2011-10-03 "},{"name":"ain2-papandreou","description":"Syslog logging for node.js. Continuation of ain","url":null,"keywords":"","version":"0.1.5","words":"ain2-papandreou syslog logging for node.js. continuation of ain =papandreou","author":"=papandreou","date":"2013-07-24 "},{"name":"ainojs","keywords":"","version":[],"words":"ainojs","author":"","date":"2014-06-26 "},{"name":"ainojs-animate","keywords":"","version":[],"words":"ainojs-animate","author":"","date":"2014-06-27 "},{"name":"ainojs-animation","description":"Animate values using requestframe","url":null,"keywords":"","version":"1.1.5","words":"ainojs-animation animate values using requestframe =aino","author":"=aino","date":"2014-09-18 "},{"name":"ainojs-build","description":"Build scripts for Aino JavaScript Tools","url":null,"keywords":"","version":"1.0.5","words":"ainojs-build build scripts for aino javascript tools =aino","author":"=aino","date":"2014-09-17 "},{"name":"ainojs-detect","description":"Detects common browser features and support","url":null,"keywords":"","version":"1.0.1","words":"ainojs-detect detects common browser features and support =aino","author":"=aino","date":"2014-06-26 "},{"name":"ainojs-dimensions","description":"Get computed dimensions of a DOM Element","url":null,"keywords":"","version":"1.0.2","words":"ainojs-dimensions get computed dimensions of a dom element =aino","author":"=aino","date":"2014-07-31 "},{"name":"ainojs-easing","description":"Bezier and easing functions based on Robert Penner's Easing Functions","url":null,"keywords":"","version":"1.0.1","words":"ainojs-easing bezier and easing functions based on robert penner's easing functions =aino","author":"=aino","date":"2014-06-27 "},{"name":"ainojs-events","description":"Simple event interface, suitable for prototype mixin","url":null,"keywords":"","version":"1.0.5","words":"ainojs-events simple event interface, suitable for prototype mixin =aino","author":"=aino","date":"2014-09-17 "},{"name":"ainojs-finger","description":"Swipe/flick physics for touch devices","url":null,"keywords":"","version":"1.0.21","words":"ainojs-finger swipe/flick physics for touch devices =aino","author":"=aino","date":"2014-07-28 "},{"name":"ainojs-react-editor","description":"WYSIWYG editor for React","url":null,"keywords":"","version":"1.0.4","words":"ainojs-react-editor wysiwyg editor for react =aino","author":"=aino","date":"2014-07-29 "},{"name":"ainojs-react-finger","description":"React Component for ainojs-finger","url":null,"keywords":"","version":"1.0.3","words":"ainojs-react-finger react component for ainojs-finger =aino","author":"=aino","date":"2014-06-29 "},{"name":"ainojs-react-touchclick","description":"React Component for optimizing touch clicks","url":null,"keywords":"","version":"1.0.9","words":"ainojs-react-touchclick react component for optimizing touch clicks =aino","author":"=aino","date":"2014-09-17 "},{"name":"ainojs-requestframe","description":"Cross-browser requestAnimationFrame","url":null,"keywords":"","version":"1.0.0","words":"ainojs-requestframe cross-browser requestanimationframe =aino","author":"=aino","date":"2014-06-26 "},{"name":"ainojs-tests","description":"Tests for Aino JavaScript Tools","url":null,"keywords":"","version":"1.0.6","words":"ainojs-tests tests for aino javascript tools =aino","author":"=aino","date":"2014-07-18 "},{"name":"aion","description":"This script helps you to create a folder with a Boilerplated Backbone + Underscore + RequireJS App.","url":null,"keywords":"","version":"0.5.1","words":"aion this script helps you to create a folder with a boilerplated backbone + underscore + requirejs app. =sarriaroman","author":"=sarriaroman","date":"2013-06-12 "},{"name":"aiq","description":"AppearIQ Mobile SDK","url":null,"keywords":"Appear appeariq HTML5 mobile","version":"1.1.0","words":"aiq appeariq mobile sdk =viart =appear appear appeariq html5 mobile","author":"=viart =appear","date":"2014-09-08 "},{"name":"air","url":null,"keywords":"","version":"0.0.1","words":"air =jeffz","author":"=jeffz","date":"2012-08-09 "},{"name":"air-air","description":"node.js library for the AirAir Portable Air Quality Detector","url":null,"keywords":"air-air","version":"0.2.0","words":"air-air node.js library for the airair portable air quality detector =mrose17 air-air","author":"=mrose17","date":"2014-07-09 "},{"name":"air-compiler","description":"A compiling helper for Adobe Air mobile applications.","url":null,"keywords":"air compiler adobe mobile helper","version":"0.1.0","words":"air-compiler a compiling helper for adobe air mobile applications. =zouloux air compiler adobe mobile helper","author":"=zouloux","date":"2014-05-21 "},{"name":"air-drop","description":"Utility for packaging, manipulating and delivering JS and CSS source to the browser","url":null,"keywords":"","version":"0.2.3","words":"air-drop utility for packaging, manipulating and delivering js and css source to the browser =chrisjpowers","author":"=chrisjpowers","date":"2012-08-05 "},{"name":"air-drop-flatiron","description":"air-drop for flatiron","url":null,"keywords":"","version":"0.0.3","words":"air-drop-flatiron air-drop for flatiron =amelon","author":"=amelon","date":"2012-07-19 "},{"name":"air_traffic_controller","description":"Re-routing event emitter events for great good","url":null,"keywords":"events","version":"0.0.2","words":"air_traffic_controller re-routing event emitter events for great good =bthesorceror events","author":"=bthesorceror","date":"2013-01-13 "},{"name":"airbnb-style","description":"A mostly reasonable approach to JavaScript.","url":null,"keywords":"style guide lint airbnb","version":"1.0.0","words":"airbnb-style a mostly reasonable approach to javascript. =hshoff style guide lint airbnb","author":"=hshoff","date":"2014-08-06 "},{"name":"airbrailled","description":"An open-source server for the AirBraille protocol.","url":null,"keywords":"Braille","version":"0.0.2","words":"airbrailled an open-source server for the airbraille protocol. =accessibilityhound braille","author":"=accessibilityhound","date":"2014-04-02 "},{"name":"airbrake","description":"Node.js client for airbrake.io","url":null,"keywords":"","version":"0.3.8","words":"airbrake node.js client for airbrake.io =felixge =stephencelis =cblage =johnnyhalife =jeffjo =sebastianhoitz","author":"=felixge =stephencelis =cblage =johnnyhalife =jeffjo =sebastianhoitz","date":"2014-01-24 "},{"name":"airbrake-johnnyhalife","description":"Johnny's fork of Node.js client for airbrake.io","url":null,"keywords":"","version":"0.3.3","words":"airbrake-johnnyhalife johnny's fork of node.js client for airbrake.io =johnnyhalife","author":"=johnnyhalife","date":"2013-07-11 "},{"name":"airbrake-notice","description":"Easy creation of Airbrake (or errbit) error notifications from Node.js or the browser","url":null,"keywords":"airbrake errbit hoptoad","version":"0.0.1","words":"airbrake-notice easy creation of airbrake (or errbit) error notifications from node.js or the browser =bjoerge airbrake errbit hoptoad","author":"=bjoerge","date":"2013-01-17 "},{"name":"airbrite","description":"Airbrite API wrapper","url":null,"keywords":"","version":"0.1.3","words":"airbrite airbrite api wrapper =badave","author":"=badave","date":"2013-11-19 "},{"name":"airbud","description":"node.js request wrapper adding support for retries, exponential back-off, fixture serving, JSON","url":null,"keywords":"http request json retries testing fixtures","version":"3.2.1","words":"airbud node.js request wrapper adding support for retries, exponential back-off, fixture serving, json =kvz =tim-kos http request json retries testing fixtures","author":"=kvz =tim-kos","date":"2014-08-08 "},{"name":"aircheck","description":"aircheck =======","url":null,"keywords":"","version":"0.0.1","words":"aircheck aircheck ======= =bmac","author":"=bmac","date":"2013-09-15 "},{"name":"airchina-data-get","description":"airchina date get","url":null,"keywords":"airchina","version":"1.0.0","words":"airchina-data-get airchina date get =tonychen airchina","author":"=tonychen","date":"2014-08-19 "},{"name":"aircon","description":"Samsung aircon dms2","url":null,"keywords":"","version":"0.0.2","words":"aircon samsung aircon dms2 =nakosung","author":"=nakosung","date":"2013-08-27 "},{"name":"aircraft","description":"a small framework for web apps","url":null,"keywords":"","version":"0.0.5","words":"aircraft a small framework for web apps =voitto","author":"=voitto","date":"2013-10-14 "},{"name":"airfair","description":"A tool for getting a fair fare.","url":null,"keywords":"airfare travel","version":"0.0.1","words":"airfair a tool for getting a fair fare. =kevinmarx airfare travel","author":"=kevinmarx","date":"2013-09-15 "},{"name":"airflow","url":null,"keywords":"","version":"0.0.1","words":"airflow =jeffz","author":"=jeffz","date":"2012-08-09 "},{"name":"airharvest","description":"A tool to scan your network for RAOP and AirPlay bonjour services and send their details to an open central repository","url":null,"keywords":"raop airplay airtunes bonjour mdns scan network","version":"0.2.2","words":"airharvest a tool to scan your network for raop and airplay bonjour services and send their details to an open central repository =watson raop airplay airtunes bonjour mdns scan network","author":"=watson","date":"2014-07-31 "},{"name":"airjs","description":"The Barometric Function, in Javascript","url":null,"keywords":"air pressure air density barometric function","version":"0.9.0","words":"airjs the barometric function, in javascript =broofa air pressure air density barometric function","author":"=broofa","date":"2013-04-05 "},{"name":"airlift","description":"AirLift-for-Node is a code generation framework for node.js. It draws inspiration from the original Airlift for Google's App Engine.","url":null,"keywords":"","version":"0.1.0","words":"airlift airlift-for-node is a code generation framework for node.js. it draws inspiration from the original airlift for google's app engine. =bediako","author":"=bediako","date":"2012-09-16 "},{"name":"airlock","description":"A prober to probe HTTP based backends for health","url":null,"keywords":"","version":"2.1.0","words":"airlock a prober to probe http based backends for health =raynos =markyen","author":"=raynos =markyen","date":"2014-06-11 "},{"name":"airlogger","description":"A simple remote console log viewer for iOS","url":null,"keywords":"","version":"0.0.1","words":"airlogger a simple remote console log viewer for ios =c0diq","author":"=c0diq","date":"2011-11-10 "},{"name":"airmail","description":"full featured rails-inspired mailer for node.js","url":null,"keywords":"mail email mailer smtp sendmail ses e-mail","version":"0.0.11","words":"airmail full featured rails-inspired mailer for node.js =kislitsyn mail email mailer smtp sendmail ses e-mail","author":"=kislitsyn","date":"2014-09-02 "},{"name":"airpair-notify","description":"Track airpair notifications from twitter, and make OSX or Linux growl at you!","url":null,"keywords":"","version":"0.0.3","words":"airpair-notify track airpair notifications from twitter, and make osx or linux growl at you! =sourcec0de","author":"=sourcec0de","date":"2013-12-12 "},{"name":"airpi","description":"Provides a device application for the AirPi (http://airpi.es) on Nitrogen on a Raspberry Pi.","url":null,"keywords":"","version":"0.2.0","words":"airpi provides a device application for the airpi (http://airpi.es) on nitrogen on a raspberry pi. =tpark","author":"=tpark","date":"2014-07-17 "},{"name":"airplay","description":"Apple AirPlay client library","url":null,"keywords":"apple mac media airplay","version":"0.0.3","words":"airplay apple airplay client library =benvanik apple mac media airplay","author":"=benvanik","date":"2012-10-10 "},{"name":"airplay-js","description":"JS Native Apple AirPlay client library for AppleTV","url":null,"keywords":"apple mac media airplay hls ffmpeg","version":"0.2.2","words":"airplay-js js native apple airplay client library for appletv =guerrerocarlos apple mac media airplay hls ffmpeg","author":"=guerrerocarlos","date":"2014-08-01 "},{"name":"airplay-xbmc","description":"JS Native AirPlay client library for XBMC","url":null,"keywords":"apple mac media airplay hls ffmpeg","version":"0.2.8","words":"airplay-xbmc js native airplay client library for xbmc =guerrerocarlos apple mac media airplay hls ffmpeg","author":"=guerrerocarlos","date":"2014-09-16 "},{"name":"airplay2","description":"Apple AirPlay client library for AppleTV","url":null,"keywords":"apple mac media airplay hls ffmpeg","version":"0.1.4","words":"airplay2 apple airplay client library for appletv =zfkun apple mac media airplay hls ffmpeg","author":"=zfkun","date":"2014-05-03 "},{"name":"airplop","description":"Makes a temporary server to transfer files to wireless devices through their browsers.","url":null,"keywords":"airplop transfer file","version":"0.0.2","words":"airplop makes a temporary server to transfer files to wireless devices through their browsers. =zayaank airplop transfer file","author":"=zayaank","date":"2014-05-31 "},{"name":"airport","description":"role-based port management for upnode","url":null,"keywords":"upnode dnode seaport port","version":"2.0.0","words":"airport role-based port management for upnode =substack upnode dnode seaport port","author":"=substack","date":"2014-03-13 "},{"name":"airport-wrapper","description":"A node.js wrapper for the airport tool on OSX","url":null,"keywords":"library airport OSX","version":"0.0.3","words":"airport-wrapper a node.js wrapper for the airport tool on osx =divanvisagie library airport osx","author":"=divanvisagie","date":"2013-06-29 "},{"name":"airportyh-scrape","keywords":"","version":[],"words":"airportyh-scrape","author":"","date":"2014-03-19 "},{"name":"airproject","description":"Project Manager","url":null,"keywords":"","version":"0.0.1","words":"airproject project manager =seon","author":"=seon","date":"2014-01-25 "},{"name":"airpub","description":"a pure front-end blog engine powered by duoshuo API","url":null,"keywords":"air publish press airpub cms blog blog platform angular","version":"0.3.1","words":"airpub a pure front-end blog engine powered by duoshuo api =turing air publish press airpub cms blog blog platform angular","author":"=turing","date":"2014-09-15 "},{"name":"airpub-installer","description":"a little cli installer for installing Airpub easier","url":null,"keywords":"airpub airpub-installer","version":"0.3.0","words":"airpub-installer a little cli installer for installing airpub easier =turing airpub airpub-installer","author":"=turing","date":"2014-09-11 "},{"name":"airserver","description":"An AirPlay server","url":null,"keywords":"airplay raop airtunes server","version":"0.0.0","words":"airserver an airplay server =watson airplay raop airtunes server","author":"=watson","date":"2014-07-24 "},{"name":"airship","description":"A wrapper for the UrbanAirship API","url":null,"keywords":"urban airship api push messages airship","version":"0.1.1","words":"airship a wrapper for the urbanairship api =jfh urban airship api push messages airship","author":"=jfh","date":"2012-03-25 "},{"name":"airsonos","description":"AirTunes to Sonos devices","url":null,"keywords":"","version":"0.0.16","words":"airsonos airtunes to sonos devices =stephencwan =swan","author":"=stephencwan =swan","date":"2014-07-31 "},{"name":"airtight-css-lint","description":"Check CSS for airtightness","url":null,"keywords":"","version":"0.2.0","words":"airtight-css-lint check css for airtightness =unframework","author":"=unframework","date":"2014-06-12 "},{"name":"airtunes","description":"an AirTunes v2 implementation: stream wirelessly to audio devices.","url":null,"keywords":"airtunes airplay raop coreaudio sound audio","version":"0.1.6","words":"airtunes an airtunes v2 implementation: stream wirelessly to audio devices. =radioline airtunes airplay raop coreaudio sound audio","author":"=Radioline","date":"2014-01-29 "},{"name":"airvantage-api-nodejs","description":"AirVantage Node.JS API Example","url":null,"keywords":"","version":"0.0.1","words":"airvantage-api-nodejs airvantage node.js api example =vertexclique","author":"=vertexclique","date":"2013-11-09 "},{"name":"airve","description":"static latest version URIs for development","url":null,"keywords":"cdn development","version":"0.3.0","words":"airve static latest version uris for development =ryanve cdn development","author":"=ryanve","date":"2013-11-04 "},{"name":"airwaves","description":"Airwaves is a lightweight pub/sub library that can be used in any JavaScript environment. It has no dependencies.","url":null,"keywords":"pubsub publish subscribe broadcast message","version":"0.3.0","words":"airwaves airwaves is a lightweight pub/sub library that can be used in any javascript environment. it has no dependencies. =davidchambers pubsub publish subscribe broadcast message","author":"=davidchambers","date":"2014-07-05 "},{"name":"aisdecoder","description":"Decode AIS messages to Javascript objects","url":null,"keywords":"","version":"0.0.1","words":"aisdecoder decode ais messages to javascript objects =kintel","author":"=kintel","date":"2013-10-21 "},{"name":"aitch","description":"Toolkit for constructing hypertext service clients.","url":null,"keywords":"promise promises Promises/A+ promises-aplus deferred deferreds when future async asynchronous http request client legendary aitch","version":"1.0.1","words":"aitch toolkit for constructing hypertext service clients. =novemberborn promise promises promises/a+ promises-aplus deferred deferreds when future async asynchronous http request client legendary aitch","author":"=novemberborn","date":"2014-06-10 "},{"name":"aiur","description":"generic app framework for node.js inspired by compound.","url":null,"keywords":"app framework","version":"0.1.8","words":"aiur generic app framework for node.js inspired by compound. =torworx app framework","author":"=torworx","date":"2013-06-09 "},{"name":"aiur-jugglingdb","description":"jugglingdb extension for aiur.","url":null,"keywords":"aiur jugglingdb","version":"0.0.2","words":"aiur-jugglingdb jugglingdb extension for aiur. =torworx aiur jugglingdb","author":"=torworx","date":"2013-06-07 "},{"name":"aj-klein-capstone-project","description":"a Sails application","url":null,"keywords":"","version":"0.1.0","words":"aj-klein-capstone-project a sails application =ajklein","author":"=ajklein","date":"2013-12-02 "},{"name":"ajaj","description":"Basic JSON-based AJAX helper","url":null,"keywords":"ender ajax json","version":"0.0.5","words":"ajaj basic json-based ajax helper =amccollum ender ajax json","author":"=amccollum","date":"2012-08-16 "},{"name":"ajax","description":"Utilities for loading JSON and XML.","url":null,"keywords":"xhr ajax","version":"0.0.4","words":"ajax utilities for loading json and xml. =joehewitt xhr ajax","author":"=joehewitt","date":"2014-05-12 "},{"name":"ajax-cache-parser","description":"A small function to get when an ajax request expires","url":null,"keywords":"","version":"1.0.0","words":"ajax-cache-parser a small function to get when an ajax request expires =albertyw","author":"=albertyw","date":"2014-09-07 "},{"name":"ajax-interceptor","description":"Permits to intercept Ajax calls. Useful to detect disconnected user or things like that","url":null,"keywords":"xhr ajax aop proxy interceptor","version":"1.0.0","words":"ajax-interceptor permits to intercept ajax calls. useful to detect disconnected user or things like that =slorber xhr ajax aop proxy interceptor","author":"=slorber","date":"2014-09-19 "},{"name":"ajax-only","description":"Express middleware for only accept AJAX requests","url":null,"keywords":"express middleware ajax xhr","version":"0.0.2","words":"ajax-only express middleware for only accept ajax requests =talyssonoc express middleware ajax xhr","author":"=talyssonoc","date":"2014-05-15 "},{"name":"ajaxchimp","description":"ajaxchimp","url":null,"keywords":"jquery-ajaxchimp","version":"1.3.0","words":"ajaxchimp ajaxchimp =ws-malysheva =pitbeast jquery-ajaxchimp","author":"=ws-malysheva =pitbeast","date":"2014-09-10 "},{"name":"ajaxdebug","description":"debugtool","url":null,"keywords":"","version":"0.0.11","words":"ajaxdebug debugtool =viwayne","author":"=viwayne","date":"2014-08-28 "},{"name":"ajaxdebugg","keywords":"","version":[],"words":"ajaxdebugg","author":"","date":"2014-06-27 "},{"name":"ajaxretry","description":"Exponentially retry $.ajax requests","url":null,"keywords":"ajax retry","version":"1.0.2","words":"ajaxretry exponentially retry $.ajax requests =gdibble ajax retry","author":"=gdibble","date":"2014-08-02 "},{"name":"ajaxs","description":"Express middleware that will simplify ajax calls, based on zerver.","url":null,"keywords":"ajax express simple zerver","version":"0.1.6","words":"ajaxs express middleware that will simplify ajax calls, based on zerver. =julianhaldenby ajax express simple zerver","author":"=julianhaldenby","date":"2014-07-19 "},{"name":"ajector","description":"Asynchronous dependency injector","url":null,"keywords":"di dependency injector injection asynchronous","version":"2.1.0","words":"ajector asynchronous dependency injector =nailgun di dependency injector injection asynchronous","author":"=nailgun","date":"2013-11-21 "},{"name":"ajf","url":null,"keywords":"","version":"0.0.1","words":"ajf =jf7","author":"=jf7","date":"2013-09-17 "},{"name":"ajfabriq","description":"Distributed applications using messages","url":null,"keywords":"distributed nodejs javascript","version":"0.0.2","words":"ajfabriq distributed applications using messages =ajlopez distributed nodejs javascript","author":"=ajlopez","date":"2013-04-29 "},{"name":"ajforce","description":"Multi-tenant applications for Node.js","url":null,"keywords":"multitenant salesforce","version":"0.0.1-alpha","words":"ajforce multi-tenant applications for node.js =ajlopez multitenant salesforce","author":"=ajlopez","date":"2013-07-17 "},{"name":"ajgenesis","description":"AjGenesis Code Generation","url":null,"keywords":"codegeneration nodejs","version":"0.0.11","words":"ajgenesis ajgenesis code generation =ajlopez codegeneration nodejs","author":"=ajlopez","date":"2014-07-06 "},{"name":"ajgenesisnode-django","description":"AjGenesis for Django, tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis django","version":"0.0.1-alpha","words":"ajgenesisnode-django ajgenesis for django, tasks and templates =ajlopez codegeneration nodejs ajgenesis django","author":"=ajlopez","date":"2014-03-23 "},{"name":"ajgenesisnode-entity","description":"AjGenesis for Node, Entity tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis","version":"0.0.6","words":"ajgenesisnode-entity ajgenesis for node, entity tasks and templates =ajlopez codegeneration nodejs ajgenesis","author":"=ajlopez","date":"2014-07-06 "},{"name":"ajgenesisnode-express","description":"AjGenesis for Node, Express tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis express mongodb","version":"0.0.4","words":"ajgenesisnode-express ajgenesis for node, express tasks and templates =ajlopez codegeneration nodejs ajgenesis express mongodb","author":"=ajlopez","date":"2014-07-05 "},{"name":"ajgenesisnode-flask","description":"AjGenesis for Flask, tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis flask python","version":"0.0.1-alpha","words":"ajgenesisnode-flask ajgenesis for flask, tasks and templates =ajlopez codegeneration nodejs ajgenesis flask python","author":"=ajlopez","date":"2014-04-14 "},{"name":"ajgenesisnode-hello","description":"AjGenesis for Node, Hello tasks and template","url":null,"keywords":"codegeneration nodejs ajgenesis","version":"0.0.5","words":"ajgenesisnode-hello ajgenesis for node, hello tasks and template =ajlopez codegeneration nodejs ajgenesis","author":"=ajlopez","date":"2014-09-19 "},{"name":"ajgenesisnode-lavarel","description":"AjGenesis for Node, Lavarel tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis lavarel php","version":"0.0.1-alpha","words":"ajgenesisnode-lavarel ajgenesis for node, lavarel tasks and templates =ajlopez codegeneration nodejs ajgenesis lavarel php","author":"=ajlopez","date":"2014-05-06 "},{"name":"ajgenesisnode-model","description":"AjGenesis for Node, Model tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis model","version":"0.0.3","words":"ajgenesisnode-model ajgenesis for node, model tasks and templates =ajlopez codegeneration nodejs ajgenesis model","author":"=ajlopez","date":"2014-07-06 "},{"name":"ajgenesisnode-php","description":"AjGenesis for PHP, tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis php","version":"0.0.1-alpha","words":"ajgenesisnode-php ajgenesis for php, tasks and templates =ajlopez codegeneration nodejs ajgenesis php","author":"=ajlopez","date":"2014-03-23 "},{"name":"ajgenesisnode-sinatra","description":"AjGenesis for Node, Sinatra tasks and templates","url":null,"keywords":"codegeneration nodejs ajgenesis sinatra","version":"0.0.2","words":"ajgenesisnode-sinatra ajgenesis for node, sinatra tasks and templates =ajlopez codegeneration nodejs ajgenesis sinatra","author":"=ajlopez","date":"2014-07-06 "},{"name":"ajgroups","description":"Finite group library in Javascript","keywords":"grouptheory groups javascript","version":[],"words":"ajgroups finite group library in javascript =ajlopez grouptheory groups javascript","author":"=ajlopez","date":"2012-10-08 "},{"name":"ajisai","description":"Just a random package","url":null,"keywords":"utility library","version":"0.0.0","words":"ajisai just a random package =arvernorix utility library","author":"=arvernorix","date":"2014-02-23 "},{"name":"ajlisp","description":"Lisp interpreter implemented in Javascript, for browser and Node.js","url":null,"keywords":"lisp nodejs javascript browser","version":"0.0.1","words":"ajlisp lisp interpreter implemented in javascript, for browser and node.js =ajlopez lisp nodejs javascript browser","author":"=ajlopez","date":"2013-05-25 "},{"name":"ajlogo","description":"Logo Programming Language implemented in Javascript, for browser and Node.js","url":null,"keywords":"logo nodejs javascript browser","version":"0.0.1-alfa","words":"ajlogo logo programming language implemented in javascript, for browser and node.js =ajlopez logo nodejs javascript browser","author":"=ajlopez","date":"2012-10-20 "},{"name":"ajmax","description":"micro MVC framework for single-page AJAX/html5 apps","url":null,"keywords":"ajax mvc html5 template framework code-on-demand event-driven jquery","version":"0.0.14","words":"ajmax micro mvc framework for single-page ajax/html5 apps =snakajima ajax mvc html5 template framework code-on-demand event-driven jquery","author":"=snakajima","date":"2012-11-28 "},{"name":"ajn-session","description":"A very simple and lightweight session manager","url":null,"keywords":"","version":"0.0.8","words":"ajn-session a very simple and lightweight session manager =ajnasz","author":"=ajnasz","date":"2013-08-12 "},{"name":"ajncookie","description":"A very basic cookie setter and getter","url":null,"keywords":"","version":"0.0.5","words":"ajncookie a very basic cookie setter and getter =ajnasz","author":"=ajnasz","date":"2013-08-11 "},{"name":"ajon","description":"More Accurate Than JSON","url":null,"keywords":"javascript json serialisation serialization","version":"2.1.2","words":"ajon more accurate than json =adrianmay javascript json serialisation serialization","author":"=adrianmay","date":"2014-08-19 "},{"name":"ajournal","keywords":"","version":[],"words":"ajournal","author":"","date":"2014-05-24 "},{"name":"ajreddevil-github-example","description":"Get a list of github user repos","url":null,"keywords":"ajreddevil","version":"0.0.1","words":"ajreddevil-github-example get a list of github user repos =ajreddevil ajreddevil","author":"=ajreddevil","date":"2013-07-18 "},{"name":"ajs","description":"Experimental asyncronous templating in Node","url":null,"keywords":"ajs ejs template view asyncronous","version":"0.0.4","words":"ajs experimental asyncronous templating in node =kainosnoema ajs ejs template view asyncronous","author":"=kainosnoema","date":"2011-06-08 "},{"name":"ajs-express","description":"ExpressJS Middleware for AjaxSnapshots","url":null,"keywords":"seo snapshot angularjs expressjs crawlable emberjs backbonejs ajax google bot","version":"1.0.0","words":"ajs-express expressjs middleware for ajaxsnapshots =ajaxsnapshots seo snapshot angularjs expressjs crawlable emberjs backbonejs ajax google bot","author":"=ajaxsnapshots","date":"2014-04-08 "},{"name":"ajs-xgettext","description":"Extract localised text from AJS templates","url":null,"keywords":"ajs ejs template i18n l10n gettext","version":"0.1.0","words":"ajs-xgettext extract localised text from ajs templates =duaneg ajs ejs template i18n l10n gettext","author":"=duaneg","date":"2011-08-26 "},{"name":"ajsh","description":"asynchronous jasmine specification helper","url":null,"keywords":"","version":"0.1.0","words":"ajsh asynchronous jasmine specification helper =dgf","author":"=dgf","date":"2013-10-21 "},{"name":"ajt","description":"minimal ajax json template lib","url":null,"keywords":"","version":"0.0.1","words":"ajt minimal ajax json template lib =johannesboyne","author":"=johannesboyne","date":"2014-01-18 "},{"name":"ajtalk","description":"Smalltalk VM implemented in Javascript, for browser and Node.js","url":null,"keywords":"smalltalk nodejs javascript browser","version":"0.0.1","words":"ajtalk smalltalk vm implemented in javascript, for browser and node.js =ajlopez smalltalk nodejs javascript browser","author":"=ajlopez","date":"2013-10-28 "},{"name":"ajtalkjs-ajunit","description":"Simple class for tests using assertion","url":null,"keywords":"smalltalk nodejs javascript browser test assert","version":"0.0.1","words":"ajtalkjs-ajunit simple class for tests using assertion =ajlopez smalltalk nodejs javascript browser test assert","author":"=ajlopez","date":"2013-11-06 "},{"name":"ajtalkjs-core","description":"Core classes for AjTalkJs","url":null,"keywords":"smalltalk nodejs javascript","version":"0.0.1-alpha","words":"ajtalkjs-core core classes for ajtalkjs =ajlopez smalltalk nodejs javascript","author":"=ajlopez","date":"2013-11-11 "},{"name":"ajtalkjs-httpserver","description":"Simple wrapper of http server","url":null,"keywords":"smalltalk nodejs javascript http server","version":"0.0.1-alfa","words":"ajtalkjs-httpserver simple wrapper of http server =ajlopez smalltalk nodejs javascript http server","author":"=ajlopez","date":"2013-10-27 "},{"name":"ajtalkjs-troy","description":"Troy Web Framework in Smalltalk","url":null,"keywords":"smalltalk nodejs javascript web framework","version":"0.0.1-alpha","words":"ajtalkjs-troy troy web framework in smalltalk =ajlopez smalltalk nodejs javascript web framework","author":"=ajlopez","date":"2013-11-08 "},{"name":"ak","description":"Place holder for the great package ak","url":null,"keywords":"","version":"0.0.0","words":"ak place holder for the great package ak =akfish","author":"=akfish","date":"2014-05-16 "},{"name":"ak-collection","description":"collection","url":null,"keywords":"collection array","version":"0.0.2","words":"ak-collection collection =avetisk collection array","author":"=avetisk","date":"2014-02-21 "},{"name":"ak-delegate","description":"dom event delegation","url":null,"keywords":"dom event delegate","version":"0.0.4","words":"ak-delegate dom event delegation =avetisk dom event delegate","author":"=avetisk","date":"2014-02-20 "},{"name":"ak-eventemitter","description":"eventemitter with namespaces","url":null,"keywords":"events eventemitter mediator namespace","version":"0.0.5","words":"ak-eventemitter eventemitter with namespaces =avetisk events eventemitter mediator namespace","author":"=avetisk","date":"2014-02-25 "},{"name":"ak-layout","description":"client side layout","url":null,"keywords":"layout","version":"0.0.4","words":"ak-layout client side layout =avetisk layout","author":"=avetisk","date":"2014-02-20 "},{"name":"ak-model","description":"model","url":null,"keywords":"data model","version":"0.0.2","words":"ak-model model =avetisk data model","author":"=avetisk","date":"2014-02-21 "},{"name":"ak-opath","description":"access nested Object key with array of keys","url":null,"keywords":"path object key array","version":"0.0.4","words":"ak-opath access nested object key with array of keys =avetisk path object key array","author":"=avetisk","date":"2014-02-21 "},{"name":"ak-pg","description":"PostgreSQL client extended for Akiban features","url":null,"keywords":"postgres pg akiban","version":"0.0.1","words":"ak-pg postgresql client extended for akiban features =mmcm postgres pg akiban","author":"=mmcm","date":"2013-04-08 "},{"name":"ak-rest","description":"minimalistic Akiban REST driver for node.js","url":null,"keywords":"","version":"0.0.1","words":"ak-rest minimalistic akiban rest driver for node.js =posulliv","author":"=posulliv","date":"2013-04-12 "},{"name":"ak-router","description":"client side router","url":null,"keywords":"router","version":"0.0.5","words":"ak-router client side router =avetisk router","author":"=avetisk","date":"2014-02-25 "},{"name":"ak-template","description":"micro template engine","url":null,"keywords":"micro template engine","version":"0.0.3","words":"ak-template micro template engine =avetisk micro template engine","author":"=avetisk","date":"2014-03-25 "},{"name":"ak-view","description":"client side view","url":null,"keywords":"view","version":"0.0.6","words":"ak-view client side view =avetisk view","author":"=avetisk","date":"2014-02-25 "},{"name":"ak47","keywords":"","version":[],"words":"ak47","author":"","date":"2014-07-18 "},{"name":"aka-test","description":"aka test","url":null,"keywords":"test","version":"0.0.1","words":"aka-test aka test =aaronkor test","author":"=aaronkor","date":"2014-07-15 "},{"name":"akamai","description":"Communication with Akamai's REST API","url":null,"keywords":"api akamai cdn rest","version":"0.9.0","words":"akamai communication with akamai's rest api =mrlannigan api akamai cdn rest","author":"=mrlannigan","date":"2014-06-03 "},{"name":"akamai-http-api","description":"Akamai NetStorage HTTP API for the Node.js","url":null,"keywords":"akamai api http","version":"0.2.1","words":"akamai-http-api akamai netstorage http api for the node.js =kkamkou akamai api http","author":"=kkamkou","date":"2013-11-29 "},{"name":"akamai-rest","description":"A node service to interface with Akamai's Content Control Utility REST api","url":null,"keywords":"akamai cdn flush purge","version":"0.0.4","words":"akamai-rest a node service to interface with akamai's content control utility rest api =samtsai akamai cdn flush purge","author":"=samtsai","date":"2014-06-06 "},{"name":"akash_file","description":"hellothis is github eg","url":null,"keywords":"","version":"0.0.1","words":"akash_file hellothis is github eg =akashitaliya","author":"=akashitaliya","date":"2013-05-23 "},{"name":"akashacms","description":"A content management system that generates static websites.","url":null,"keywords":"","version":"0.3.10","words":"akashacms a content management system that generates static websites. =reikiman","author":"=reikiman","date":"2014-09-18 "},{"name":"akashacms-booknav","description":"A plugin for AkashaCMS that generates book style navigation frames","url":null,"keywords":"","version":"0.1.7","words":"akashacms-booknav a plugin for akashacms that generates book style navigation frames =reikiman","author":"=reikiman","date":"2014-09-13 "},{"name":"akashacms-breadcrumbs","description":"A plugin for AkashaCMS that generates breadcrumb trails","url":null,"keywords":"","version":"0.1.16","words":"akashacms-breadcrumbs a plugin for akashacms that generates breadcrumb trails =reikiman","author":"=reikiman","date":"2014-09-13 "},{"name":"akashacms-embeddables","description":"A plugin for AkashaCMS that supports embedding documents in pages","url":null,"keywords":"","version":"0.1.9","words":"akashacms-embeddables a plugin for akashacms that supports embedding documents in pages =reikiman","author":"=reikiman","date":"2014-09-18 "},{"name":"akashacms-linkshare","description":"A plug-in for AkashaCMS to access Linkshare Product API.","url":null,"keywords":"","version":"0.0.6","words":"akashacms-linkshare a plug-in for akashacms to access linkshare product api. =reikiman","author":"=reikiman","date":"2013-03-25 "},{"name":"akashacms-skimlinks","description":"A plug-in for AkashaCMS to access Skimlinks Product API.","url":null,"keywords":"","version":"0.0.4","words":"akashacms-skimlinks a plug-in for akashacms to access skimlinks product api. =reikiman","author":"=reikiman","date":"2013-03-03 "},{"name":"akashacms-social-buttons","description":"A plugin for AkashaCMS to generate social networking buttons","url":null,"keywords":"","version":"0.1.0","words":"akashacms-social-buttons a plugin for akashacms to generate social networking buttons =reikiman","author":"=reikiman","date":"2013-10-22 "},{"name":"akashacms-tagged-content","description":"A plugin for AkashaCMS for tagging content, creating tag clouds, etc","url":null,"keywords":"","version":"0.1.10","words":"akashacms-tagged-content a plugin for akashacms for tagging content, creating tag clouds, etc =reikiman","author":"=reikiman","date":"2014-09-13 "},{"name":"akashacms-theme-boilerplate","description":"A theme for AkashaCMS that supports the Twitter Bootstrap framework","url":null,"keywords":"","version":"0.1.2","words":"akashacms-theme-boilerplate a theme for akashacms that supports the twitter bootstrap framework =reikiman","author":"=reikiman","date":"2014-03-31 "},{"name":"akashacms-theme-bootstrap","description":"A theme for AkashaCMS that supports the Twitter Bootstrap framework","url":null,"keywords":"","version":"0.1.7","words":"akashacms-theme-bootstrap a theme for akashacms that supports the twitter bootstrap framework =reikiman","author":"=reikiman","date":"2014-06-07 "},{"name":"akashic","description":"Distributed client-side database.","url":null,"keywords":"","version":"0.0.1","words":"akashic distributed client-side database. =zeekay","author":"=zeekay","date":"2014-05-01 "},{"name":"akbr-poke","description":"A little library for poking at objects like MongoDB docs. For node and the browser.","url":null,"keywords":"mongodb","version":"0.0.2","words":"akbr-poke a little library for poking at objects like mongodb docs. for node and the browser. =akbr mongodb","author":"=akbr","date":"2014-04-13 "},{"name":"akc_firstpackage","url":null,"keywords":"","version":"0.0.1","words":"akc_firstpackage =acapsis","author":"=acapsis","date":"2013-10-23 "},{"name":"akcordwin-test","description":"cordova-windows release test","url":null,"keywords":"windows cordova apache","version":"3.6.1","words":"akcordwin-test cordova-windows release test =mariyby windows cordova apache","author":"=mariyby","date":"2014-09-08 "},{"name":"akcordwp8-test","description":"cordova-wp8 v3.6.1","url":null,"keywords":"wp8 windowsphone cordova apache","version":"3.6.1","words":"akcordwp8-test cordova-wp8 v3.6.1 =mariyby wp8 windowsphone cordova apache","author":"=mariyby","date":"2014-09-09 "},{"name":"ake","description":"A build tool","url":null,"keywords":"build nodejs asynchronous continuation-passing style","version":"0.0.9","words":"ake a build tool =ngn build nodejs asynchronous continuation-passing style","author":"=ngn","date":"2013-03-26 "},{"name":"akeebabackup","description":"NodeJS npm module for AkeebaBackup JSON APIs","url":null,"keywords":"backup akeeba akeebabakup joomla","version":"0.1.6","words":"akeebabackup nodejs npm module for akeebabackup json apis =skullbock backup akeeba akeebabakup joomla","author":"=skullbock","date":"2013-11-14 "},{"name":"akeley","description":"a mocking utility library","url":null,"keywords":"mock testing","version":"0.5.0","words":"akeley a mocking utility library =nathanielksmith mock testing","author":"=nathanielksmith","date":"2012-09-08 "},{"name":"akeshari-solar-1582","description":"Calendar Implementation for Groupon Travel","url":null,"keywords":"","version":"0.1.8","words":"akeshari-solar-1582 calendar implementation for groupon travel =akeshari","author":"=akeshari","date":"2013-12-16 "},{"name":"akeypair","description":"Async generate a RSA PEM key pair and self-signed cert (X.509) from pure JS (slower) or compiled (faster)","url":null,"keywords":"rsa keypair keys encryption public private key pem x509 self-signed cert https tls certificate","version":"0.2.3","words":"akeypair async generate a rsa pem key pair and self-signed cert (x.509) from pure js (slower) or compiled (faster) =quartzjer rsa keypair keys encryption public private key pem x509 self-signed cert https tls certificate","author":"=quartzjer","date":"2014-09-19 "},{"name":"akh","description":"Monad and Monad Transformer Collection","url":null,"keywords":"monad transformer algebraic fantasy land monad functor applicative functor functional continuation delimited continuation","version":"2.0.0","words":"akh monad and monad transformer collection =mattbierner monad transformer algebraic fantasy land monad functor applicative functor functional continuation delimited continuation","author":"=mattbierner","date":"2014-04-13 "},{"name":"aki","description":"将规则内的http请求映射到本地、将规则之外的正常访问","url":null,"keywords":"Static file server Assets","version":"0.0.1","words":"aki 将规则内的http请求映射到本地、将规则之外的正常访问 =imappbox static file server assets","author":"=imappbox","date":"2013-09-01 "},{"name":"akihabara","description":"A retro gaming engine using Javascript Canvas.","url":null,"keywords":"akihabara canvas html5 javascript gaming 8bit retro games","version":"2.0.18","words":"akihabara a retro gaming engine using javascript canvas. =kitajchuk akihabara canvas html5 javascript gaming 8bit retro games","author":"=kitajchuk","date":"2014-05-29 "},{"name":"akin","keywords":"","version":[],"words":"akin","author":"","date":"2014-04-05 "},{"name":"akira","description":"toy functional language that transpiles to JavaScript","url":null,"keywords":"","version":"0.0.1","words":"akira toy functional language that transpiles to javascript =goatslacker","author":"=goatslacker","date":"2012-10-28 "},{"name":"akismet","description":"Akismet API client for node.js","url":null,"keywords":"akismet comment spam","version":"0.0.13","words":"akismet akismet api client for node.js =oozcitak akismet comment spam","author":"=oozcitak","date":"2014-08-13 "},{"name":"akismet-api","description":"Nodejs bindings to the Akismet (http://akismet.com) spam detection service","url":null,"keywords":"akismet spam detection","version":"1.1.3","words":"akismet-api nodejs bindings to the akismet (http://akismet.com) spam detection service =chrisfosterelli akismet spam detection","author":"=chrisfosterelli","date":"2014-08-11 "},{"name":"akismet-js","description":"Prevent comment spam using Akismet service.","url":null,"keywords":"akismet comment spam validation","version":"0.3.2","words":"akismet-js prevent comment spam using akismet service. =cedx akismet comment spam validation","author":"=cedx","date":"2014-09-20 "},{"name":"akist","url":null,"keywords":"","version":"0.0.1","words":"akist =tknew","author":"=tknew","date":"2014-09-01 "},{"name":"aklass","description":"A small utility to simulate inheritance in javascript.","url":null,"keywords":"inheritance klass class extend static mixin","version":"0.0.2","words":"aklass a small utility to simulate inheritance in javascript. =ajnasz inheritance klass class extend static mixin","author":"=ajnasz","date":"2013-01-27 "},{"name":"akostream","description":"all kinds of stream","url":null,"keywords":"stream","version":"0.0.2","words":"akostream all kinds of stream =wyicwx stream","author":"=wyicwx","date":"2014-03-27 "},{"name":"aks","description":"Authoritative PGP Key Server","url":null,"keywords":"pgp OpenPGP hkp key server authoritative aks","version":"0.2.0","words":"aks authoritative pgp key server =treygriffith pgp openpgp hkp key server authoritative aks","author":"=treygriffith","date":"2013-03-19 "},{"name":"aksara-unicode","description":"mapping aksara to unicode","url":null,"keywords":"aksara unicode java javanese carakan hanacaraka","version":"0.0.7","words":"aksara-unicode mapping aksara to unicode =keripix aksara unicode java javanese carakan hanacaraka","author":"=keripix","date":"2014-01-19 "},{"name":"akt","description":"Client for aktivityapp","url":null,"keywords":"activity logs rollback data","version":"0.0.0","words":"akt client for aktivityapp =madhums activity logs rollback data","author":"=madhums","date":"2013-09-29 "},{"name":"akta-ngbp","description":"Yeoman generator based on the ngBoilerplate kickstarter, a best-practice boilerplate for scalable Angular projects built on a highly modular, folder-by-feature structure with Bootstrap (SASS) v3.0","url":null,"keywords":"yeoman-generator angular angularjs boilerplate ngboilerplate bootstrap scaffold enterprise framework module client grunt karma app","version":"0.0.1","words":"akta-ngbp yeoman generator based on the ngboilerplate kickstarter, a best-practice boilerplate for scalable angular projects built on a highly modular, folder-by-feature structure with bootstrap (sass) v3.0 =abnovak yeoman-generator angular angularjs boilerplate ngboilerplate bootstrap scaffold enterprise framework module client grunt karma app","author":"=abnovak","date":"2014-08-19 "},{"name":"aktivity","description":"Log all your application activities","url":null,"keywords":"activity logs rollback data","version":"0.0.0","words":"aktivity log all your application activities =madhums activity logs rollback data","author":"=madhums","date":"2014-09-08 "},{"name":"aktualnivozy-api","description":"Node.js promise based wrapper over AktualniVozy API.","url":null,"keywords":"aktualnivozy api wrapper async promise","version":"0.2.4","words":"aktualnivozy-api node.js promise based wrapper over aktualnivozy api. =ondrs aktualnivozy api wrapper async promise","author":"=ondrs","date":"2014-06-07 "},{"name":"akui","description":"Personal way of testing a web app ui.","url":null,"keywords":"da99","version":"0.3.1","words":"akui personal way of testing a web app ui. =da99 da99","author":"=da99","date":"2013-05-01 "},{"name":"al","description":"Wrapper for sys-adminy stuff to be run with mocha","url":null,"keywords":"","version":"0.0.3","words":"al wrapper for sys-adminy stuff to be run with mocha =liamoehlman","author":"=liamoehlman","date":"2012-08-23 "},{"name":"al-papi","description":"AuthorityLabs Partner API wrapper.","url":null,"keywords":"AuthorityLabs Partner API AuthorityLabs API","version":"0.0.4","words":"al-papi authoritylabs partner api wrapper. =mtchavez authoritylabs partner api authoritylabs api","author":"=mtchavez","date":"2014-07-31 "},{"name":"al-smartos-build_essential","description":"Installs tools like gcc and gmake onto a smartos system","url":null,"keywords":"","version":"1.0.0","words":"al-smartos-build_essential installs tools like gcc and gmake onto a smartos system =liamoehlman","author":"=liamoehlman","date":"2012-08-21 "},{"name":"al-smartos-nginx","description":"Installs nginx version 1.2.3","url":null,"keywords":"","version":"1.2.3","words":"al-smartos-nginx installs nginx version 1.2.3 =liamoehlman","author":"=liamoehlman","date":"2012-08-23 "},{"name":"al-smartos-steelmesh","description":"Installs steelmesh","url":null,"keywords":"","version":"2.0.0","words":"al-smartos-steelmesh installs steelmesh =liamoehlman","author":"=liamoehlman","date":"2012-08-23 "},{"name":"al-wardrobe-nginx","description":"Installs nginx on smartos","url":null,"keywords":"","version":"0.0.1","words":"al-wardrobe-nginx installs nginx on smartos =liamoehlman","author":"=liamoehlman","date":"2012-08-21 "},{"name":"al-wardrobe-steelmesh","description":"Installs steelmesh on smartos","url":null,"keywords":"","version":"0.0.1","words":"al-wardrobe-steelmesh installs steelmesh on smartos =liamoehlman","author":"=liamoehlman","date":"2012-08-23 "},{"name":"ala-mongoose-validator","description":"mongoose Validator mongoose数据验证","url":null,"keywords":"mongoose validator","version":"0.0.2","words":"ala-mongoose-validator mongoose validator mongoose数据验证 =leeke mongoose validator","author":"=leeke","date":"2014-02-24 "},{"name":"alac","description":"An Apple Lossless decoder for Aurora.js","url":null,"keywords":"audio av aurora.js aurora decode","version":"0.1.0","words":"alac an apple lossless decoder for aurora.js =devongovett audio av aurora.js aurora decode","author":"=devongovett","date":"2014-06-17 "},{"name":"aladdin","description":"Phantom test runner for Jasmine","url":null,"keywords":"jasmine testing bdd tdd headless","version":"0.3.3","words":"aladdin phantom test runner for jasmine =rlayte jasmine testing bdd tdd headless","author":"=rlayte","date":"2012-09-16 "},{"name":"aladdin-engine","description":"阿拉丁模板引擎","url":null,"keywords":"","version":"0.8.0","words":"aladdin-engine 阿拉丁模板引擎 =zhangke02","author":"=zhangke02","date":"2014-01-02 "},{"name":"alagator","description":"Write algorithms that can be re-used for synchronous and asynchronous code","url":null,"keywords":"promises promises-A promises-aplus async asynchronous sync synchronous ES6 yield generators harmony await","version":"1.0.0","words":"alagator write algorithms that can be re-used for synchronous and asynchronous code =forbeslindesay promises promises-a promises-aplus async asynchronous sync synchronous es6 yield generators harmony await","author":"=forbeslindesay","date":"2013-06-28 "},{"name":"alajs","description":"nodeJs mvc framework","url":null,"keywords":"nodejs mvc","version":"2.0.3","words":"alajs nodejs mvc framework =leeke nodejs mvc","author":"=leeke","date":"2014-04-22 "},{"name":"alameda","description":"AMD loader, like requirejs, but with promises and for modern browsers","url":null,"keywords":"","version":"0.2.0","words":"alameda amd loader, like requirejs, but with promises and for modern browsers =jrburke","author":"=jrburke","date":"2014-01-13 "},{"name":"alamid","description":"Framework for realtime apps that run both on the server and the client.","url":null,"keywords":"client server framework rest app websockets realtime","version":"0.18.0","words":"alamid framework for realtime apps that run both on the server and the client. =jhnns =peerigon client server framework rest app websockets realtime","author":"=jhnns =peerigon","date":"2014-06-18 "},{"name":"alamid-api","description":"abstracting http/websockets requests","url":null,"keywords":"socket.io connect express session http websockets jsend multi-transport","version":"0.3.4","words":"alamid-api abstracting http/websockets requests =peerigon socket.io connect express session http websockets jsend multi-transport","author":"=peerigon","date":"2014-07-09 "},{"name":"alamid-class","description":"Easy prototype inheritance","url":null,"keywords":"class classical oop object-oriented inheritance inherit extend prototype mixin","version":"0.6.0","words":"alamid-class easy prototype inheritance =peerigon =jhnns class classical oop object-oriented inheritance inherit extend prototype mixin","author":"=peerigon =jhnns","date":"2014-03-08 "},{"name":"alamid-interface-tests","description":"Provides test-cases for common interfaces used in alamid-modules","url":null,"keywords":"alamid interface test","version":"0.1.1","words":"alamid-interface-tests provides test-cases for common interfaces used in alamid-modules =peerigon alamid interface test","author":"=peerigon","date":"2014-03-09 "},{"name":"alamid-junction","description":"Provides convenient methods for setting and retrieving multiple signals","url":null,"keywords":"signal observable reactive eventemitter event js-signals signals pub sub publish subscribe observer promise notify","version":"0.9.3","words":"alamid-junction provides convenient methods for setting and retrieving multiple signals =peerigon signal observable reactive eventemitter event js-signals signals pub sub publish subscribe observer promise notify","author":"=peerigon","date":"2014-06-15 "},{"name":"alamid-list","description":"Simple observable arrays","url":null,"keywords":"array list sequence observable reactive eventemitter event publish subscribe observer notify","version":"0.4.3","words":"alamid-list simple observable arrays =peerigon array list sequence observable reactive eventemitter event publish subscribe observer notify","author":"=peerigon","date":"2013-10-03 "},{"name":"alamid-plugin","description":"Monkey-patch everything™","url":null,"keywords":"alamid plugin interface monkey patch override use","version":"0.1.0","words":"alamid-plugin monkey-patch everything™ =peerigon alamid plugin interface monkey patch override use","author":"=peerigon","date":"2014-08-26 "},{"name":"alamid-request","keywords":"","version":[],"words":"alamid-request","author":"","date":"2014-02-10 "},{"name":"alamid-schema","description":"Extendable mongoose-like schemas for node.js and the browser","url":null,"keywords":"schema object validate json mongoose model validation alamid","version":"0.2.0","words":"alamid-schema extendable mongoose-like schemas for node.js and the browser =peerigon schema object validate json mongoose model validation alamid","author":"=peerigon","date":"2014-02-25 "},{"name":"alamid-set","description":"Simple observable key-value store","url":null,"keywords":"object key value store observable reactive eventemitter event publish subscribe observer notify","version":"0.4.0","words":"alamid-set simple observable key-value store =peerigon object key value store observable reactive eventemitter event publish subscribe observer notify","author":"=peerigon","date":"2013-10-03 "},{"name":"alamid-signal","description":"Simple observable signal","url":null,"keywords":"signal observable reactive eventemitter event js-signals signals pub sub publish subscribe observer promise notify","version":"0.5.0","words":"alamid-signal simple observable signal =peerigon signal observable reactive eventemitter event js-signals signals pub sub publish subscribe observer promise notify","author":"=peerigon","date":"2013-11-22 "},{"name":"alamid-sorted-array","description":"Turns an array into a sorted array","url":null,"keywords":"array list sequence sorted binary search sort order compare","version":"0.2.0","words":"alamid-sorted-array turns an array into a sorted array =peerigon array list sequence sorted binary search sort order compare","author":"=peerigon","date":"2013-10-21 "},{"name":"alan-test","keywords":"","version":[],"words":"alan-test","author":"","date":"2014-06-25 "},{"name":"alanchurley-url-checker","description":"Checks a given url and returns request time","url":null,"keywords":"","version":"0.0.5","words":"alanchurley-url-checker checks a given url and returns request time =cosmicchild1987","author":"=cosmicchild1987","date":"2014-07-15 "},{"name":"alarm-notifier","description":"Jablotron Alarm Receiver Centre messages handler and notifier","url":null,"keywords":"jablotron alarm ademco cid notify cli","version":"0.0.1","words":"alarm-notifier jablotron alarm receiver centre messages handler and notifier =exile jablotron alarm ademco cid notify cli","author":"=exile","date":"2014-01-12 "},{"name":"alarmjs","description":"An alarm clock for Node.js and command line.","url":null,"keywords":"alarm","version":"0.0.1","words":"alarmjs an alarm clock for node.js and command line. =cranic alarm","author":"=cranic","date":"2014-03-12 "},{"name":"alarms-as-a-service","description":"A web service built on top of reschedule.js, rrecur.js, and rrule.js for being notified when a one-time or repeat event is taking place.","url":null,"keywords":"appointment periodic schedule reschedule rrule recur alarm clock alarmclock calendar rrecur recurring icalevent event job task webhook","version":"1.0.0","words":"alarms-as-a-service a web service built on top of reschedule.js, rrecur.js, and rrule.js for being notified when a one-time or repeat event is taking place. =coolaj86 appointment periodic schedule reschedule rrule recur alarm clock alarmclock calendar rrecur recurring icalevent event job task webhook","author":"=coolaj86","date":"2014-07-07 "},{"name":"albatross","description":"![Albatross](/header.png?raw=true \"Albatross\")","url":null,"keywords":"","version":"0.1.1","words":"albatross ![albatross](/header.png?raw=true \"albatross\") =linusu","author":"=linusu","date":"2014-09-05 "},{"name":"albedo","description":"node.js module for creating CSV reports from database queries","url":null,"keywords":"report mysql data","version":"0.1.2","words":"albedo node.js module for creating csv reports from database queries =joshuatrii report mysql data","author":"=joshuatrii","date":"2014-06-18 "},{"name":"albers","keywords":"","version":[],"words":"albers","author":"","date":"2012-01-31 "},{"name":"albert","description":"An HTTP event server in Node.js","url":null,"keywords":"http event message server distributed","version":"0.1.0","words":"albert an http event server in node.js =armedguy http event message server distributed","author":"=armedguy","date":"2013-12-10 "},{"name":"albert-client","description":"EventEmitter for albert HTTP event server","url":null,"keywords":"albert http client event emitter","version":"1.0.0","words":"albert-client eventemitter for albert http event server =armedguy albert http client event emitter","author":"=armedguy","date":"2013-12-10 "},{"name":"albin","description":"first npm package","url":null,"keywords":"npm first package","version":"0.0.0","words":"albin first npm package =albin npm first package","author":"=albin","date":"2014-01-15 "},{"name":"albot","description":"Automated Leverage Box Operation Tool","url":null,"keywords":"","version":"0.14.1","words":"albot automated leverage box operation tool =athieriot =jenkoian","author":"=athieriot =jenkoian","date":"2014-05-09 "},{"name":"album-art","description":"Get an album or artist image url in node: The Beatles ➔ http://path/to/beatles.jpg","url":null,"keywords":"cli bin app album art image url uri path","version":"1.0.2","words":"album-art get an album or artist image url in node: the beatles ➔ http://path/to/beatles.jpg =lacymorrow cli bin app album art image url uri path","author":"=lacymorrow","date":"2014-05-03 "},{"name":"album-manager","keywords":"","version":[],"words":"album-manager","author":"","date":"2014-07-24 "},{"name":"albumkit","description":"Tool to download Picasa web albums.","url":null,"keywords":"picasa download album filesystem dump backup web","version":"0.0.0","words":"albumkit tool to download picasa web albums. =jakutis picasa download album filesystem dump backup web","author":"=jakutis","date":"2014-02-17 "},{"name":"albummanager","description":"you know it is just for test","url":null,"keywords":"","version":"0.0.2","words":"albummanager you know it is just for test =haguo","author":"=haguo","date":"2014-08-25 "},{"name":"alcarin-lib","description":"Alcarin game world definition package.","url":null,"keywords":"alcarin","version":"0.0.0","words":"alcarin-lib alcarin game world definition package. =psychowico alcarin","author":"=psychowico","date":"2014-05-25 "},{"name":"alcatraz","description":"A high-security prison for your application code","url":null,"keywords":"prison jail sandbox","version":"0.0.1","words":"alcatraz a high-security prison for your application code =v1 =swaagie =indexzero =jcrugzz prison jail sandbox","author":"=V1 =swaagie =indexzero =jcrugzz","date":"2014-04-01 "},{"name":"alce","description":"Accepting Language Config Environment","url":null,"keywords":"json parser whitespace comments configuration","version":"1.0.0","words":"alce accepting language config environment =kpdecker json parser whitespace comments configuration","author":"=kpdecker","date":"2013-09-09 "},{"name":"alcea","description":"model loader, route loader & security manager. Work in progress","url":null,"keywords":"","version":"0.0.2","words":"alcea model loader, route loader & security manager. work in progress =tommy31","author":"=tommy31","date":"2014-07-10 "},{"name":"alchemist","description":"Serve & manage multiple static sites from one UI.","url":null,"keywords":"","version":"0.0.1","words":"alchemist serve & manage multiple static sites from one ui. =jakeluer","author":"=jakeluer","date":"2011-11-11 "},{"name":"alchemist-middleware","description":"Procuring static files since 1802","url":null,"keywords":"","version":"0.0.5","words":"alchemist-middleware procuring static files since 1802 =jenius","author":"=jenius","date":"2014-09-16 "},{"name":"alchemy","description":"sql alchemy","url":null,"keywords":"","version":"0.0.8","words":"alchemy sql alchemy =radubrehar","author":"=radubrehar","date":"2014-08-05 "},{"name":"alchemy-api","description":"An Alchemy API library for Node.js","url":null,"keywords":"","version":"1.0.2","words":"alchemy-api an alchemy api library for node.js =framingeinstein","author":"=framingeinstein","date":"2014-03-06 "},{"name":"alchemy-rest-client","description":"AlchemyApi.js =============","url":null,"keywords":"","version":"0.5.0","words":"alchemy-rest-client alchemyapi.js ============= =tjmehta","author":"=tjmehta","date":"2013-08-25 "},{"name":"alchemyapi","description":"AlchemyAPI =============","url":null,"keywords":"","version":"0.0.3","words":"alchemyapi alchemyapi ============= =alchemyapi","author":"=alchemyapi","date":"2014-07-08 "},{"name":"alchemyjs","description":"Alchemy =======","url":null,"keywords":"","version":"0.2.2","words":"alchemyjs alchemy ======= =hustonhedinger","author":"=hustonhedinger","date":"2014-09-15 "},{"name":"alchemymvc","description":"MVC framework for Node.js","url":null,"keywords":"","version":"0.0.1","words":"alchemymvc mvc framework for node.js =skerit","author":"=skerit","date":"2013-11-29 "},{"name":"alcofs","description":"Sync fs utilities - **NOT FINALIZED**","url":null,"keywords":"","version":"0.1.0","words":"alcofs sync fs utilities - **not finalized** =alco","author":"=alco","date":"2014-04-24 "},{"name":"alcoholism","keywords":"","version":[],"words":"alcoholism","author":"","date":"2014-04-05 "},{"name":"alcove","keywords":"","version":[],"words":"alcove","author":"","date":"2014-04-05 "},{"name":"aldis","description":"A Docker log forwarder","url":null,"keywords":"docker amqp logs","version":"0.0.3","words":"aldis a docker log forwarder =ubermuda docker amqp logs","author":"=ubermuda","date":"2014-06-03 "},{"name":"ale","description":"Utility belt with some list comprehension, type checking, and Functional Programming helpers.","url":null,"keywords":"","version":"0.1.1","words":"ale utility belt with some list comprehension, type checking, and functional programming helpers. =torchlight","author":"=torchlight","date":"2014-03-23 "},{"name":"ale_parser.js","description":"Avid Log Exchange (ALE) Document Parser in JavaScript","url":null,"keywords":"ale Avid","version":"0.0.2","words":"ale_parser.js avid log exchange (ale) document parser in javascript =keyvanfatehi ale avid","author":"=keyvanfatehi","date":"2014-07-02 "},{"name":"alea","description":"Implementation of the Alea PRNG by Johannes Baagøe","url":null,"keywords":"badass pseudo random number generator","version":"0.0.9","words":"alea implementation of the alea prng by johannes baagøe =coverslide badass pseudo random number generator","author":"=coverslide","date":"2013-01-18 "},{"name":"alea-deck","description":"Uniform and weighted shuffling and sampling with Alea","url":null,"keywords":"alea math random","version":"1.1.4","words":"alea-deck uniform and weighted shuffling and sampling with alea =kenan alea math random","author":"=kenan","date":"2014-08-07 "},{"name":"alea-random","description":"`lodash.random` but using Alea","url":null,"keywords":"alea math random","version":"1.1.1","words":"alea-random `lodash.random` but using alea =kenan alea math random","author":"=kenan","date":"2014-07-28 "},{"name":"alef","url":null,"keywords":"","version":"0.0.0","words":"alef =joaoafrmartins","author":"=joaoafrmartins","date":"2014-06-20 "},{"name":"alekhine","description":"Simple chessboard implementation with move validation","url":null,"keywords":"","version":"0.7.0","words":"alekhine simple chessboard implementation with move validation =sonnym","author":"=sonnym","date":"2013-07-17 "},{"name":"alekmath","description":"An example of creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.0","words":"alekmath an example of creating a package =aleksandarivanov math example addition subtraction multiplication division fibonacci","author":"=aleksandarivanov","date":"2014-03-21 "},{"name":"aleph","url":null,"keywords":"","version":"0.0.0","words":"aleph =joaoafrmartins","author":"=joaoafrmartins","date":"2014-06-20 "},{"name":"aleph-box","description":"No backend anything stubber aka Chance.js without all the parens","url":null,"keywords":"Chance.js stubber no-backend random data","version":"0.0.1","words":"aleph-box no backend anything stubber aka chance.js without all the parens =sudodoki chance.js stubber no-backend random data","author":"=sudodoki","date":"2014-09-03 "},{"name":"alert","description":"Play Sound Alerts","url":null,"keywords":"sound html5 audio player play alert","version":"0.0.2","words":"alert play sound alerts =azer sound html5 audio player play alert","author":"=azer","date":"2013-07-22 "},{"name":"alertatoo-assets","description":"Assets used for Alertatoo's projects","url":null,"keywords":"css js img assets","version":"0.2.0","words":"alertatoo-assets assets used for alertatoo's projects =alertatoo css js img assets","author":"=alertatoo","date":"2014-02-25 "},{"name":"alertify","description":"An unobtrusive customizable JavaScript notification system","url":null,"keywords":"","version":"0.3.0","words":"alertify an unobtrusive customizable javascript notification system =roffiscoder","author":"=roffiscoder","date":"2013-01-26 "},{"name":"alertrocket.js","description":"alertrocket alert message api interface","url":null,"keywords":"sensu alertrocket","version":"0.0.1","words":"alertrocket.js alertrocket alert message api interface =pixie79 sensu alertrocket","author":"=pixie79","date":"2012-12-19 "},{"name":"alerts","description":"Simple and straigtforward notifications for the browser.","url":null,"keywords":"alerts notifications browser","version":"0.1.3","words":"alerts simple and straigtforward notifications for the browser. =acstll alerts notifications browser","author":"=acstll","date":"2014-02-20 "},{"name":"aletheia","description":"An experimental compile-to-js programming language","url":null,"keywords":"","version":"0.0.4","words":"aletheia an experimental compile-to-js programming language =jacktoole1","author":"=jacktoole1","date":"2014-07-06 "},{"name":"alex-basic-auth","description":"Auth test","url":null,"keywords":"","version":"0.0.8","words":"alex-basic-auth auth test =chapinkapa","author":"=chapinkapa","date":"2014-08-03 "},{"name":"alex2005_math_example","description":"An example of creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.15","words":"alex2005_math_example an example of creating a package =alex2005 math example addition subtraction multiplication division fibonacci","author":"=alex2005","date":"2014-09-03 "},{"name":"alexa","description":"Amazon Alexa Web Information Service API","url":null,"keywords":"","version":"0.0.1-e","words":"alexa amazon alexa web information service api =dsx","author":"=dsx","date":"2014-01-31 "},{"name":"alexa-traffic","description":"CLI for querying website traffics using data from alexa.cn","url":null,"keywords":"casperjs traffic alexa","version":"0.0.2","words":"alexa-traffic cli for querying website traffics using data from alexa.cn =garryyao casperjs traffic alexa","author":"=garryyao","date":"2014-07-13 "},{"name":"alexandria","description":"A storage interface to store crawled content in Elasticsearch","url":null,"keywords":"cache crawler elasticsearch","version":"0.1.7","words":"alexandria a storage interface to store crawled content in elasticsearch =maheshyellai =dyoder cache crawler elasticsearch","author":"=maheshyellai =dyoder","date":"2014-08-01 "},{"name":"alexarank","description":"A simple node package to get Alexa traffic rank for a domain or URL","url":null,"keywords":"alexa api traffic rank","version":"0.1.1","words":"alexarank a simple node package to get alexa traffic rank for a domain or url =fcambus alexa api traffic rank","author":"=fcambus","date":"2014-01-26 "},{"name":"alf","keywords":"","version":[],"words":"alf","author":"","date":"2014-02-23 "},{"name":"alf-module-example","description":"this is a test","url":null,"keywords":"test hello world","version":"0.0.2","words":"alf-module-example this is a test =alfworld test hello world","author":"=alfworld","date":"2014-01-19 "},{"name":"alfa-business","description":"Client for Alfa-Business","url":null,"keywords":"alfa bank mobile","version":"0.1.0-alfa","words":"alfa-business client for alfa-business =tucan alfa bank mobile","author":"=tucan","date":"2014-01-01 "},{"name":"alfa-mobile","description":"Client for Alfa-Mobile","url":null,"keywords":"alfa bank mobile","version":"0.1.0-alfa","words":"alfa-mobile client for alfa-mobile =tucan alfa bank mobile","author":"=tucan","date":"2014-01-01 "},{"name":"alfred","description":"In-process key-value store","url":null,"keywords":"","version":"0.5.4","words":"alfred in-process key-value store =pgte","author":"=pgte","date":"2011-09-09 "},{"name":"alfred-bcrypt","description":"A bcrypt library for NodeJS.","url":null,"keywords":"","version":"0.1.2-1","words":"alfred-bcrypt a bcrypt library for nodejs. =alfredwesterveld","author":"=alfredwesterveld","date":"2011-03-31 "},{"name":"alfred-filter","description":"CLI for parsing JSON to Alfred's XML Filter","url":null,"keywords":"","version":"1.0.0","words":"alfred-filter cli for parsing json to alfred's xml filter =lukekarrys","author":"=lukekarrys","date":"2014-08-02 "},{"name":"alfred-workflow","description":"Alfred Workflow using NodeJS","url":null,"keywords":"alfred alfred2 alfred-workflow workflow","version":"0.1.0","words":"alfred-workflow alfred workflow using nodejs =m42am alfred alfred2 alfred-workflow workflow","author":"=m42am","date":"2014-04-03 "},{"name":"alfred2-feedback","description":"Creates a feedback output to be used in Alfred 2 workflows","url":null,"keywords":"alfred alfred2 feedback workflow","version":"0.0.0","words":"alfred2-feedback creates a feedback output to be used in alfred 2 workflows =nadav-dav alfred alfred2 feedback workflow","author":"=nadav-dav","date":"2014-08-02 "},{"name":"alfredo","description":"A Node Module for Alfred Workflows","url":null,"keywords":"alfred workflow alp","version":"0.2.0","words":"alfredo a node module for alfred workflows =drudge alfred workflow alp","author":"=drudge","date":"2014-08-02 "},{"name":"alfresco","description":"Alfresco Cloud Service API Integration Layer","url":null,"keywords":"alfresco","version":"0.0.5","words":"alfresco alfresco cloud service api integration layer =damonoehlman alfresco","author":"=damonoehlman","date":"2014-05-29 "},{"name":"alg","description":"A library for parsing and transforming puzzle algorithms (\"algs\").","url":null,"keywords":"cubing alg algs algorithms speedcubing puzzles twistypuzzles rubik rubiks","version":"0.1.3","words":"alg a library for parsing and transforming puzzle algorithms (\"algs\"). =lgarron cubing alg algs algorithms speedcubing puzzles twistypuzzles rubik rubiks","author":"=lgarron","date":"2014-07-23 "},{"name":"alg.js","keywords":"","version":[],"words":"alg.js","author":"","date":"2014-03-05 "},{"name":"algebra","description":"Vectors, Matrices, Tensors","url":null,"keywords":"algebra matrix vector math","version":"0.1.81","words":"algebra vectors, matrices, tensors =fibo algebra matrix vector math","author":"=fibo","date":"2014-01-07 "},{"name":"algebraic-data-traits","description":"Trait macros for ADT.js and light-traits","url":null,"keywords":"traits algebraic data types","version":"0.0.1","words":"algebraic-data-traits trait macros for adt.js and light-traits =jmars traits algebraic data types","author":"=jmars","date":"2014-04-27 "},{"name":"algo","description":"algorithm / adt templates for JavaScript","url":null,"keywords":"js javascript algorithm adt complexity template","version":"0.1.11","words":"algo algorithm / adt templates for javascript =aureooms js javascript algorithm adt complexity template","author":"=aureooms","date":"2014-07-06 "},{"name":"algolia-search","description":"Algolia search client.","url":null,"keywords":"","version":"1.5.13","words":"algolia-search algolia search client. =speedblue","author":"=speedblue","date":"2014-09-14 "},{"name":"algoliasearch","description":"Algolia Search API Client","url":null,"keywords":"algolia search autocomplete","version":"2.6.0","words":"algoliasearch algolia search api client =speedblue algolia search autocomplete","author":"=speedblue","date":"2014-09-06 "},{"name":"algorithm","description":"A collection of Data Structures & Algorithms in javascript","url":null,"keywords":"","version":"0.0.2","words":"algorithm a collection of data structures & algorithms in javascript =dhruvbird","author":"=dhruvbird","date":"2011-04-01 "},{"name":"algorithm-js","description":"A collection of Data Structures & Algorithms in javascript","url":null,"keywords":"","version":"0.0.6","words":"algorithm-js a collection of data structures & algorithms in javascript =dhruvbird","author":"=dhruvbird","date":"2011-05-12 "},{"name":"algorithmbox","description":"A metaheuristic algorithm development framework for solving discrete optimization problem","url":null,"keywords":"algorithm metaheurstic optimization local search stochastic combinatorial discrete","version":"1.0.1","words":"algorithmbox a metaheuristic algorithm development framework for solving discrete optimization problem =dennycd algorithm metaheurstic optimization local search stochastic combinatorial discrete","author":"=dennycd","date":"2013-07-13 "},{"name":"algorithmic","description":"Algorithms & data structures","url":null,"keywords":"","version":"0.0.8","words":"algorithmic algorithms & data structures =khoomeister","author":"=khoomeister","date":"2012-12-24 "},{"name":"algorithmjs","description":"Node.js implement of some base algorithm and base data-structure.","url":null,"keywords":"algorithm data-structure","version":"0.0.2","words":"algorithmjs node.js implement of some base algorithm and base data-structure. =xadillax algorithm data-structure","author":"=xadillax","date":"2014-07-08 "},{"name":"algorithms","description":"Traditional computer science algorithms and data structures implemented in JavaScript","url":null,"keywords":"computer science cs algorithms data structures","version":"0.6.1","words":"algorithms traditional computer science algorithms and data structures implemented in javascript =felipernb computer science cs algorithms data structures","author":"=felipernb","date":"2014-08-15 "},{"name":"algorithms.coffee","description":"Classic algorithms and data structures in coffeescript. Making the World a better place, with coffee.","url":null,"keywords":"algorithms data structures coffeescript","version":"0.4.0","words":"algorithms.coffee classic algorithms and data structures in coffeescript. making the world a better place, with coffee. =tayllan algorithms data structures coffeescript","author":"=tayllan","date":"2014-07-25 "},{"name":"ali","keywords":"","version":[],"words":"ali","author":"","date":"2013-12-11 "},{"name":"ali-arttemplate","description":"JavaScript Template Engine","url":null,"keywords":"util functional template","version":"3.0.3","words":"ali-arttemplate javascript template engine =terence.wangt util functional template","author":"=terence.wangt","date":"2014-09-07 "},{"name":"ali-data-mock","description":"river-mock底层模块","url":null,"keywords":"if-mock river-mock","version":"0.1.3","words":"ali-data-mock river-mock底层模块 =johnnychq if-mock river-mock","author":"=johnnychq","date":"2014-07-03 "},{"name":"ali-data-proxy","description":"midway dataproxy module","url":null,"keywords":"","version":"1.1.8","words":"ali-data-proxy midway dataproxy module =johnnychq","author":"=johnnychq","date":"2014-07-14 "},{"name":"ali-detector","description":"detector for alibaba","url":null,"keywords":"","version":"1.0.0","words":"ali-detector detector for alibaba =dead_horse","author":"=dead_horse","date":"2014-07-14 "},{"name":"ali-github-example","description":"Get a list of github user repos","url":null,"keywords":"github","version":"0.0.0","words":"ali-github-example get a list of github user repos =aliabdallah-example-user github","author":"=aliabdallah-example-user","date":"2014-08-06 "},{"name":"ali-oss","description":"aliyun oss(open storage service) node client","url":null,"keywords":"oss client file aliyun","version":"0.0.3","words":"ali-oss aliyun oss(open storage service) node client =dead_horse oss client file aliyun","author":"=dead_horse","date":"2014-04-11 "},{"name":"ali-tmodjs","description":"Template Compiler","url":null,"keywords":"template artTemplate TemplateJS CommonJS RequireJS SeaJS AMD CMD FMD","version":"1.1.0","words":"ali-tmodjs template compiler =chunterg =terence.wangt template arttemplate templatejs commonjs requirejs seajs amd cmd fmd","author":"=chunterg =terence.wangt","date":"2014-09-18 "},{"name":"ali.chair","keywords":"","version":[],"words":"ali.chair","author":"","date":"2014-04-09 "},{"name":"ali.iconv","description":"Text recoding in JavaScript for fun and profit!","url":null,"keywords":"","version":"2.0.7-beta3","words":"ali.iconv text recoding in javascript for fun and profit! =fengmk2","author":"=fengmk2","date":"2014-04-15 "},{"name":"ali.koa-router","description":"Router middleware for koa. Provides RESTful resource routing.","url":null,"keywords":"koa middleware router route","version":"3.1.2","words":"ali.koa-router router middleware for koa. provides restful resource routing. =fengmk2 koa middleware router route","author":"=fengmk2","date":"2014-04-28 "},{"name":"ali.regenerator","description":"Source transformer enabling ECMAScript 6 generator functions (yield) in JavaScript-of-today (ES5)","url":null,"keywords":"generator yield coroutine rewriting transformation syntax codegen rewriting refactoring transpiler desugaring ES6","version":"0.4.12","words":"ali.regenerator source transformer enabling ecmascript 6 generator functions (yield) in javascript-of-today (es5) =fengmk2 generator yield coroutine rewriting transformation syntax codegen rewriting refactoring transpiler desugaring es6","author":"=fengmk2","date":"2014-07-30 "},{"name":"ali18n","description":"解决alibaba i18n问题","url":null,"keywords":"","version":"0.0.5","words":"ali18n 解决alibaba i18n问题 =johnnychq","author":"=johnnychq","date":"2014-06-05 "},{"name":"alias","description":"A grunt path hashing task","url":null,"keywords":"grunt task path hash file FNT short","version":"0.0.5","words":"alias a grunt path hashing task =omrynachman grunt task path hash file fnt short","author":"=omrynachman","date":"2013-02-05 "},{"name":"alias-name","url":null,"keywords":"","version":"0.0.2","words":"alias-name =stri","author":"=stri","date":"2014-07-10 "},{"name":"alias-property","description":"create robust aliases for an object's properties","url":null,"keywords":"alias property link","version":"0.1.0","words":"alias-property create robust aliases for an object's properties =jkroso alias property link","author":"=jkroso","date":"2013-10-19 "},{"name":"aliaser","description":"Aliaser is a CLI tool to manage aliases for commands in Mac OS X.","url":null,"keywords":"cli, zsh, oh-my-zsh, mac, alias, aliaser","version":"0.2.1","words":"aliaser aliaser is a cli tool to manage aliases for commands in mac os x. =amitkothari cli, zsh, oh-my-zsh, mac, alias, aliaser","author":"=amitkothari","date":"2014-03-01 "},{"name":"aliasify","description":"Rewrite require calls in browserify modules.","url":null,"keywords":"browserify alias","version":"1.4.0","words":"aliasify rewrite require calls in browserify modules. =jwalton browserify alias","author":"=jwalton","date":"2014-02-05 "},{"name":"aliba","description":"alilog","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"aliba alilog =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"alibaba","description":"Alibaba","url":null,"keywords":"","version":"0.0.1","words":"alibaba alibaba =jifeng.zjd","author":"=jifeng.zjd","date":"2014-09-19 "},{"name":"alibaba-dev","description":"alibaba developer","url":null,"keywords":"tianma unicorn alibaba developer autosave","version":"0.1.4","words":"alibaba-dev alibaba developer =elppa tianma unicorn alibaba developer autosave","author":"=elppa","date":"2013-09-27 "},{"name":"alice","keywords":"","version":[],"words":"alice","author":"","date":"2014-04-26 "},{"name":"alice-nav","description":"导航样式","url":null,"keywords":"导航","version":"1.1.0","words":"alice-nav 导航样式 =sorrycc 导航","author":"=sorrycc","date":"2014-09-17 "},{"name":"alice-proxy","description":"Alice - Http proxy","url":null,"keywords":"","version":"0.0.20","words":"alice-proxy alice - http proxy =fd","author":"=fd","date":"2012-01-30 "},{"name":"alicejs","description":"Micro JS library focused on using hardware-accelerated capabilities (NPM Dist)","url":null,"keywords":"alicejs alice animation css","version":"0.2.0","words":"alicejs micro js library focused on using hardware-accelerated capabilities (npm dist) =mikebevz alicejs alice animation css","author":"=mikebevz","date":"2012-04-17 "},{"name":"alicov","keywords":"","version":[],"words":"alicov","author":"","date":"2014-03-04 "},{"name":"alidemo","description":"alilog","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"alidemo alilog =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"alidns","description":"Font-End Engineer CMD","url":null,"keywords":"f2e tools","version":"0.0.1","words":"alidns font-end engineer cmd =xunuo f2e tools","author":"=xunuo","date":"2014-06-10 "},{"name":"aliem-fbgraph","description":"a cleaner client to access the facebook graph api","url":null,"keywords":"facebook api graph","version":"0.3.0","words":"aliem-fbgraph a cleaner client to access the facebook graph api =aliem facebook api graph","author":"=aliem","date":"2014-03-17 "},{"name":"alien","description":"Fe development tools","url":null,"keywords":"","version":"0.1.6","words":"alien fe development tools =purple.calm","author":"=purple.calm","date":"2014-08-28 "},{"name":"alienation","keywords":"","version":[],"words":"alienation","author":"","date":"2014-04-05 "},{"name":"alieo-builder","description":"A build command for our clientside code, assuming the use of components.","url":null,"keywords":"","version":"0.1.1","words":"alieo-builder a build command for our clientside code, assuming the use of components. =bmcmahen","author":"=bmcmahen","date":"2013-12-16 "},{"name":"align","description":"Align functions for synchronized execution","url":null,"keywords":"sync queue","version":"0.0.1","words":"align align functions for synchronized execution =weltschmerz sync queue","author":"=Weltschmerz","date":"2012-08-28 "},{"name":"align-yaml","description":"Format, prettify, align, whatever you want to call it. This does that to YAML. Great for making long config files more readable!","url":null,"keywords":"yaml format beautify prettify align","version":"0.1.8","words":"align-yaml format, prettify, align, whatever you want to call it. this does that to yaml. great for making long config files more readable! =jonschlinkert yaml format beautify prettify align","author":"=jonschlinkert","date":"2014-04-13 "},{"name":"aligned-buffer","description":"Create aligned buffers to make faster disk io with less iops","url":null,"keywords":"buffer posix_memalign memalign alignment fs iops io disk","version":"0.1.2","words":"aligned-buffer create aligned buffers to make faster disk io with less iops =bobrik buffer posix_memalign memalign alignment fs iops io disk","author":"=bobrik","date":"2012-10-16 "},{"name":"alignit","description":"Align your dom elements to other elements with ease","url":null,"keywords":"DOM browser alignment","version":"0.1.1","words":"alignit align your dom elements to other elements with ease =damonoehlman dom browser alignment","author":"=damonoehlman","date":"2013-10-08 "},{"name":"alike","description":"A simple kNN library for Machine Learning, comparing JSON objects using Euclidean distances, returning top k similar objects -- supports normalization, weights, key and filter parameters","url":null,"keywords":"knn Machine Learning recommender system euclidean distances similarity object comparison","version":"1.2.0","words":"alike a simple knn library for machine learning, comparing json objects using euclidean distances, returning top k similar objects -- supports normalization, weights, key and filter parameters =mck- knn machine learning recommender system euclidean distances similarity object comparison","author":"=mck-","date":"2013-09-06 "},{"name":"alilog","description":"alilog","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"alilog alilog =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"alimail","keywords":"","version":[],"words":"alimail","author":"","date":"2014-04-26 "},{"name":"alimama","keywords":"","version":[],"words":"alimama","author":"","date":"2014-04-26 "},{"name":"alimama-auto-login","description":"Login Alimama with Javascript","url":null,"keywords":"alimama node.js auto login","version":"0.1.8","words":"alimama-auto-login login alimama with javascript =cashlee alimama node.js auto login","author":"=cashlee","date":"2013-12-07 "},{"name":"alinex-config","description":"Loading configuration files...","url":null,"keywords":"configuration parsing loading","version":"0.3.0","words":"alinex-config loading configuration files... =alinex configuration parsing loading","author":"=alinex","date":"2014-09-17 "},{"name":"alinex-error","description":"Configurable error handler with source-map support.","url":null,"keywords":"error exception handler source-map","version":"0.2.4","words":"alinex-error configurable error handler with source-map support. =alinex error exception handler source-map","author":"=alinex","date":"2014-09-17 "},{"name":"alinex-fs","description":"Extension of nodes filesystem tools.","url":null,"keywords":"file filesystem","version":"0.1.7","words":"alinex-fs extension of nodes filesystem tools. =alinex file filesystem","author":"=alinex","date":"2014-09-17 "},{"name":"alinex-make","description":"Helper commands for development of npm packages.","url":null,"keywords":"make build doc create tool compile test publish","version":"0.3.2","words":"alinex-make helper commands for development of npm packages. =alinex make build doc create tool compile test publish","author":"=alinex","date":"2014-09-17 "},{"name":"alinex-monitor-sensor","description":"Sensors to check services and systems for monitoring","url":null,"keywords":"","version":"0.0.2","words":"alinex-monitor-sensor sensors to check services and systems for monitoring =alinex","author":"=alinex","date":"2014-08-09 "},{"name":"alinex-util","description":"Different small helper methods which are generally used","url":null,"keywords":"utils helper string object array","version":"0.1.7","words":"alinex-util different small helper methods which are generally used =alinex utils helper string object array","author":"=alinex","date":"2014-09-17 "},{"name":"alinex-validator","description":"Validator with additional sanitize of simple and complex values.","url":null,"keywords":"check validate sanitize","version":"0.2.3","words":"alinex-validator validator with additional sanitize of simple and complex values. =alinex check validate sanitize","author":"=alinex","date":"2014-09-17 "},{"name":"alipay","description":"alipay api","url":null,"keywords":"","version":"0.0.4","words":"alipay alipay api =lodengo","author":"=lodengo","date":"2013-10-08 "},{"name":"alipay-message-panel","description":"支付宝消息中心全局面板。","url":null,"keywords":"message-panel message","version":"1.1.0","words":"alipay-message-panel 支付宝消息中心全局面板。 =sorrycc message-panel message","author":"=sorrycc","date":"2014-08-13 "},{"name":"alipay-meteor-easy","description":"alipay api for meteor easy","url":null,"keywords":"","version":"0.1.0","words":"alipay-meteor-easy alipay api for meteor easy =janpo","author":"=janpo","date":"2014-05-13 "},{"name":"alipay-node","description":"alipay api","url":null,"keywords":"","version":"0.0.24","words":"alipay-node alipay api =chemhack","author":"=chemhack","date":"2013-05-11 "},{"name":"alipay-static","keywords":"","version":[],"words":"alipay-static","author":"","date":"2014-06-10 "},{"name":"alipay-wap","description":"alipay api","url":null,"keywords":"none","version":"0.0.1","words":"alipay-wap alipay api =zhukaijun none","author":"=zhukaijun","date":"2014-09-16 "},{"name":"alipay.configclient","keywords":"","version":[],"words":"alipay.configclient","author":"","date":"2014-04-09 "},{"name":"aliqin-grunt","description":"阿里通信前端Grunt配置","url":null,"keywords":"aliqin-grunt alitx-grunt aliqin","version":"0.0.1","words":"aliqin-grunt 阿里通信前端grunt配置 =chaoren1641 aliqin-grunt alitx-grunt aliqin","author":"=chaoren1641","date":"2014-08-07 "},{"name":"alisa","description":"CDO Alisa Client","url":null,"keywords":"cdo alisa dxp","version":"0.0.2","words":"alisa cdo alisa client =tianmo cdo alisa dxp","author":"=tianmo","date":"2014-03-14 "},{"name":"alists","description":"Some helper functions to work with associative lists.","url":null,"keywords":"","version":"0.0.2","words":"alists some helper functions to work with associative lists. =jesusabdullah","author":"=jesusabdullah","date":"2011-12-08 "},{"name":"alive","description":"A JS implementation of Conway's Game of Life.","url":null,"keywords":"game life conway","version":"0.0.2","words":"alive a js implementation of conway's game of life. =jergason game life conway","author":"=jergason","date":"2012-02-21 "},{"name":"aliway","keywords":"","version":[],"words":"aliway","author":"","date":"2014-04-26 "},{"name":"aliyun","description":"aliyun oss service nodejs service","url":null,"keywords":"aliyun sdk","version":"1.0.0","words":"aliyun aliyun oss service nodejs service =cattail aliyun sdk","author":"=cattail","date":"2012-10-10 "},{"name":"aliyun-ecs","description":"aliyun ecs for nodejs","url":null,"keywords":"aliyun","version":"0.0.3","words":"aliyun-ecs aliyun ecs for nodejs =wengqianshan aliyun","author":"=wengqianshan","date":"2013-07-27 "},{"name":"aliyun-oss","description":"a new version of oss-client","url":null,"keywords":"aliyun oss client","version":"0.3.0","words":"aliyun-oss a new version of oss-client =coderhaoxin aliyun oss client","author":"=coderhaoxin","date":"2014-08-10 "},{"name":"aliyun-sdk","description":"Aliyun SDK for JavaScript","url":null,"keywords":"","version":"0.4.6","words":"aliyun-sdk aliyun sdk for javascript =chylvina","author":"=chylvina","date":"2014-06-09 "},{"name":"aliyun_mqs","description":"a aliyun MQS SDK","url":null,"keywords":"aliyun MQS","version":"0.0.1","words":"aliyun_mqs a aliyun mqs sdk =vfasky aliyun mqs","author":"=vfasky","date":"2014-09-16 "},{"name":"aljebra","description":"Toy implementations of the algebraic structures defined in the Fantasy Land specification, mostly borrowed from Haskell libraries.","url":null,"keywords":"algebraic semigroup monoid functor applicative monad","version":"0.0.2","words":"aljebra toy implementations of the algebraic structures defined in the fantasy land specification, mostly borrowed from haskell libraries. =markandrus algebraic semigroup monoid functor applicative monad","author":"=markandrus","date":"2013-04-17 "},{"name":"alke","description":"A light-weighted forum system, it is still in progress right now","url":null,"keywords":"bbs forum alke","version":"0.0.2","words":"alke a light-weighted forum system, it is still in progress right now =h2oloopan bbs forum alke","author":"=h2oloopan","date":"2013-05-19 "},{"name":"all","description":"callback when all callbacks have fired.","url":null,"keywords":"","version":"0.0.0","words":"all callback when all callbacks have fired. =dominictarr","author":"=dominictarr","date":"2012-11-28 "},{"name":"all-builtins","description":"Require all node builtins to a single namespace.","url":null,"keywords":"require builtins node","version":"0.1.0","words":"all-builtins require all node builtins to a single namespace. =hemanth require builtins node","author":"=hemanth","date":"2014-04-03 "},{"name":"all-files","description":"Find all files in directory recursively synchronously","url":null,"keywords":"","version":"1.0.2","words":"all-files find all files in directory recursively synchronously =raynos","author":"=raynos","date":"2013-06-10 "},{"name":"all-in","description":"require all files in a directory","url":null,"keywords":"","version":"0.2.0","words":"all-in require all files in a directory =bendyorke","author":"=bendyorke","date":"2014-05-10 "},{"name":"all-initial","description":"A polyfill for the all:initial CSS property","url":null,"keywords":"css polyfill all initial react-style","version":"0.0.1","words":"all-initial a polyfill for the all:initial css property =sanderspies css polyfill all initial react-style","author":"=sanderspies","date":"2014-08-29 "},{"name":"all-match","description":"Check if a querystring's words each match at least one field.","url":null,"keywords":"match query string search","version":"0.0.0","words":"all-match check if a querystring's words each match at least one field. =juliangruber match query string search","author":"=juliangruber","date":"2013-08-09 "},{"name":"all-pairs","description":"All-pairs","url":null,"keywords":"all-pairs","version":"0.0.0","words":"all-pairs all-pairs =sideroad all-pairs","author":"=sideroad","date":"2014-08-27 "},{"name":"all-stream","description":"Consume entire stream via buffer.","url":null,"keywords":"stream","version":"0.1.0","words":"all-stream consume entire stream via buffer. =adjohnson916 stream","author":"=adjohnson916","date":"2014-07-03 "},{"name":"all-structures","description":"A node.js based data structures library.","url":null,"keywords":"data structures data-structures queues list arraylist stack","version":"1.0.2","words":"all-structures a node.js based data structures library. =suparngp data structures data-structures queues list arraylist stack","author":"=suparngp","date":"2014-02-23 "},{"name":"all-the-modules","url":null,"keywords":"","version":"0.0.1","words":"all-the-modules =jitsuka-test","author":"=jitsuka-test","date":"2014-03-04 "},{"name":"all-your-github-are-belong-to-us","description":"Save all your GitHub data to one place, private & public. A Webhook.","url":null,"keywords":"github aggregate collect data bigdata webhook hook","version":"0.1.0","words":"all-your-github-are-belong-to-us save all your github data to one place, private & public. a webhook. =parkr github aggregate collect data bigdata webhook hook","author":"=parkr","date":"2014-02-12 "},{"name":"all_app_on_port_80","description":"所有 noradle 作者 kaven276@vip.sina.com 的网站入口。","url":null,"keywords":"","version":"0.0.5","words":"all_app_on_port_80 所有 noradle 作者 kaven276@vip.sina.com 的网站入口。 =kaven276","author":"=kaven276","date":"2013-05-23 "},{"name":"allay","keywords":"","version":[],"words":"allay","author":"","date":"2014-04-05 "},{"name":"allbikes","description":"Bike Share API for all Bike Shares.","url":null,"keywords":"api aspen barclay's cycle hire bay area bike share bay area bike share bixi boston capital bike share capital bixi chattanooga chicago divvy bikes citi bike cogo bike share columnus divvy bikes hubway london melbourne minneapolis montreal mongodb new york citi bike nice ride ottawa rest toronto washington d.c. WE-cycle","version":"0.2.0","words":"allbikes bike share api for all bike shares. =sjanderson api aspen barclay's cycle hire bay area bike share bay area bike share bixi boston capital bike share capital bixi chattanooga chicago divvy bikes citi bike cogo bike share columnus divvy bikes hubway london melbourne minneapolis montreal mongodb new york citi bike nice ride ottawa rest toronto washington d.c. we-cycle","author":"=sjanderson","date":"2014-08-30 "},{"name":"alldata","description":"Distributed master-less write-once immutable event store database implementing \"All Data\" part of Lambda Architecture","url":null,"keywords":"alldata write-once immutable lambda architecture","version":"0.0.0","words":"alldata distributed master-less write-once immutable event store database implementing \"all data\" part of lambda architecture =tristanls alldata write-once immutable lambda architecture","author":"=tristanls","date":"2013-10-13 "},{"name":"alldata-client-http","description":"AllData HTTP client module","url":null,"keywords":"alldata client http","version":"0.1.1","words":"alldata-client-http alldata http client module =tristanls alldata client http","author":"=tristanls","date":"2013-10-16 "},{"name":"alldata-coordinator","description":"AllData request coordinator module","url":null,"keywords":"alldata peer server http","version":"0.1.1","words":"alldata-coordinator alldata request coordinator module =tristanls alldata peer server http","author":"=tristanls","date":"2013-10-20 "},{"name":"alldata-keygen","description":"AllData key generation module","url":null,"keywords":"alldata keygen","version":"0.1.1","words":"alldata-keygen alldata key generation module =tristanls alldata keygen","author":"=tristanls","date":"2013-10-22 "},{"name":"alldata-peer-client-http","description":"AllData Peer HTTP client module","url":null,"keywords":"alldata peer client http","version":"0.1.2","words":"alldata-peer-client-http alldata peer http client module =tristanls alldata peer client http","author":"=tristanls","date":"2013-10-16 "},{"name":"alldata-peer-server-http","description":"AllData Peer HTTP server module","url":null,"keywords":"alldata peer server http","version":"0.1.0","words":"alldata-peer-server-http alldata peer http server module =tristanls alldata peer server http","author":"=tristanls","date":"2013-10-16 "},{"name":"alldata-server-http","description":"AllData HTTP server module","url":null,"keywords":"alldata server http","version":"0.1.0","words":"alldata-server-http alldata http server module =tristanls alldata server http","author":"=tristanls","date":"2013-10-14 "},{"name":"alldata-storage-leveldb","description":"AllData LevelDB-backed storage","url":null,"keywords":"alldata storage leveldb","version":"0.1.2","words":"alldata-storage-leveldb alldata leveldb-backed storage =tristanls alldata storage leveldb","author":"=tristanls","date":"2013-10-23 "},{"name":"allegory","description":"Turns your code into an executable image.","url":null,"keywords":"","version":"0.1.0","words":"allegory turns your code into an executable image. =michaelsokol","author":"=michaelsokol","date":"2014-03-03 "},{"name":"allegro","description":"Allegro.pl WebAPI client","url":null,"keywords":"api webapi soap ecommerce allegro aukro molotok","version":"0.3.0","words":"allegro allegro.pl webapi client =mthenw api webapi soap ecommerce allegro aukro molotok","author":"=mthenw","date":"2014-07-10 "},{"name":"alleluia","description":"Static blog generator","url":null,"keywords":"blog generator","version":"0.0.2","words":"alleluia static blog generator =alex7kom blog generator","author":"=alex7kom","date":"2014-08-07 "},{"name":"allen","description":"Utilities for the Web Audio API","url":null,"keywords":"allen web audio api audio audiocontext audionodes","version":"0.1.7","words":"allen utilities for the web audio api =jsantell allen web audio api audio audiocontext audionodes","author":"=jsantell","date":"2013-02-01 "},{"name":"allenmodule","description":"A module for learning purpose.","url":null,"keywords":"learn module","version":"0.0.0","words":"allenmodule a module for learning purpose. =allen.huang learn module","author":"=allen.huang","date":"2013-10-02 "},{"name":"alleup","description":"Flexible way to resize and upload images to Amazon S3 or file system storages","url":null,"keywords":"upload image imagemagick amazon aws s3 resize file","version":"0.1.1","words":"alleup flexible way to resize and upload images to amazon s3 or file system storages =andriy upload image imagemagick amazon aws s3 resize file","author":"=andriy","date":"2012-10-29 "},{"name":"allhttperrors","description":"A module to create flexible, powerful Error objects based on HTTP responses","url":null,"keywords":"javascript http errors","version":"0.3.1","words":"allhttperrors a module to create flexible, powerful error objects based on http responses =mercmobily javascript http errors","author":"=mercmobily","date":"2013-12-05 "},{"name":"allie-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.1","words":"allie-github-example get a list of github user repos =allieparsley-example-user","author":"=allieparsley-example-user","date":"2014-02-13 "},{"name":"alligator","keywords":"","version":[],"words":"alligator","author":"","date":"2014-06-10 "},{"name":"alligator-metrics","description":"Ganglia metrics reporter.","url":null,"keywords":"actionhero ganglia metrics metric monitor reporter","version":"0.3.0","words":"alligator-metrics ganglia metrics reporter. =alligator-io actionhero ganglia metrics metric monitor reporter","author":"=alligator-io","date":"2014-03-26 "},{"name":"allinmodule","keywords":"","version":[],"words":"allinmodule","author":"","date":"2014-06-06 "},{"name":"allium","description":"Simpler Gherkin parsing","url":null,"keywords":"gherkin cucumber bdd parsing","version":"0.2.2","words":"allium simpler gherkin parsing =unnali gherkin cucumber bdd parsing","author":"=unnali","date":"2012-05-16 "},{"name":"alljoyn","description":"Alljoyn NodeJS Integration","url":null,"keywords":"alljoyn iot octoblu","version":"0.1.3","words":"alljoyn alljoyn nodejs integration =chrismatthieu =phated =monteslu alljoyn iot octoblu","author":"=chrismatthieu =phated =monteslu","date":"2014-08-25 "},{"name":"allnpm","description":"Graph generator for entier npm registry","url":null,"keywords":"npm ngraph graph","version":"0.0.1","words":"allnpm graph generator for entier npm registry =anvaka npm ngraph graph","author":"=anvaka","date":"2014-03-15 "},{"name":"allnpmviz.an","description":"Visualization of entier npm","url":null,"keywords":"npm visualization","version":"0.0.0","words":"allnpmviz.an visualization of entier npm =anvaka npm visualization","author":"=anvaka","date":"2014-03-08 "},{"name":"allo","description":"Async functions to deal with race conditions","url":null,"keywords":"async race conditions","version":"0.1.0","words":"allo async functions to deal with race conditions =couto async race conditions","author":"=couto","date":"2014-06-23 "},{"name":"alloc","description":"Buddy memory allocator.","url":null,"keywords":"buddy memory allocator allocation","version":"0.1.1","words":"alloc buddy memory allocator. =simonratner buddy memory allocator allocation","author":"=simonratner","date":"2014-05-09 "},{"name":"allocated-dynamic-typedarray","description":"A typed array whose length() can change.","url":null,"keywords":"typedarray","version":"1.0.0","words":"allocated-dynamic-typedarray a typed array whose length() can change. =kirbysayshi typedarray","author":"=kirbysayshi","date":"2014-08-21 "},{"name":"allocator","description":"A resource allocation framework. Take Job in set A, assign to Slot in set B, where all slots are unique combinations of available resources.","url":null,"keywords":"schedule traveling salesmen resource allocate job task","version":"0.0.0","words":"allocator a resource allocation framework. take job in set a, assign to slot in set b, where all slots are unique combinations of available resources. =bluejeansandrain schedule traveling salesmen resource allocate job task","author":"=bluejeansandrain","date":"2013-11-19 "},{"name":"allocine","url":null,"keywords":"","version":"0.1.4","words":"allocine =arcanis","author":"=arcanis","date":"2012-06-08 "},{"name":"allocine-api","description":"Simple module used to access the Allocine API","url":null,"keywords":"allocine movies tv shows","version":"0.1.6","words":"allocine-api simple module used to access the allocine api =leeroy allocine movies tv shows","author":"=leeroy","date":"2013-07-31 "},{"name":"allone","description":"Node.js module to install mediav frontend framework","url":null,"keywords":"allone mediav","version":"0.5.5","words":"allone node.js module to install mediav frontend framework =caoterry allone mediav","author":"=caoterry","date":"2013-07-16 "},{"name":"allong.es","description":"Combinators and Function Decorators","url":null,"keywords":"","version":"0.14.0","words":"allong.es combinators and function decorators =raganwald","author":"=raganwald","date":"2013-08-11 "},{"name":"allot","description":"Utils for classes","url":null,"keywords":"","version":"0.1.7","words":"allot utils for classes =jonathankingston","author":"=jonathankingston","date":"2014-02-10 "},{"name":"allouis-core","description":"allouis namespace core","url":null,"keywords":"","version":"0.0.6","words":"allouis-core allouis namespace core =allouis","author":"=allouis","date":"2013-10-03 "},{"name":"allouis-core-model","description":"Core model for allouis","url":null,"keywords":"","version":"0.0.1","words":"allouis-core-model core model for allouis =allouis","author":"=allouis","date":"2013-10-03 "},{"name":"allouis-core-router","description":"Core router for allouis","url":null,"keywords":"","version":"0.0.2","words":"allouis-core-router core router for allouis =allouis","author":"=allouis","date":"2013-10-03 "},{"name":"allouis-core-view","description":"Base view for allouis","url":null,"keywords":"","version":"0.0.3","words":"allouis-core-view base view for allouis =allouis","author":"=allouis","date":"2013-10-03 "},{"name":"allouis-vector2d","description":"2D Vector library","url":null,"keywords":"Vector 2D Vector2D","version":"0.0.0","words":"allouis-vector2d 2d vector library =allouis vector 2d vector2d","author":"=allouis","date":"2013-10-05 "},{"name":"allow-request","description":"whitelist certain http routes","url":null,"keywords":"request filter allow deny","version":"0.1.4","words":"allow-request whitelist certain http routes =xat request filter allow deny","author":"=xat","date":"2014-07-09 "},{"name":"allowif","description":"allowIf is Express.js middleware that handles role- and permission-based authorization.","url":null,"keywords":"express authorization authorize middleware role activity","version":"0.0.2","words":"allowif allowif is express.js middleware that handles role- and permission-based authorization. =jontanderson express authorization authorize middleware role activity","author":"=jontanderson","date":"2014-05-19 "},{"name":"alloy","description":"Appcelerator Titanium MVC Framework","url":null,"keywords":"appcelerator titanium alloy mobile ios iphone android blackberry html5 mobileweb","version":"1.0.0-cr","words":"alloy appcelerator titanium mvc framework =tonylukasavage =cb1kenobi =ingo =pinnamur =appcelerator appcelerator titanium alloy mobile ios iphone android blackberry html5 mobileweb","author":"=tonylukasavage =cb1kenobi =ingo =pinnamur =appcelerator","date":"2014-07-28 "},{"name":"alloy-smelter","description":"Helper commands for Appcelerator Titanium MVC Framework Alloy","url":null,"keywords":"appcelerator titanium alloy","version":"0.0.5","words":"alloy-smelter helper commands for appcelerator titanium mvc framework alloy =k0sukey appcelerator titanium alloy","author":"=k0sukey","date":"2014-09-16 "},{"name":"allparams","description":"Combines all expressjs query,body,route and cookie params into one object","url":null,"keywords":"express param","version":"0.1.2","words":"allparams combines all expressjs query,body,route and cookie params into one object =philfcorcoran express param","author":"=philfcorcoran","date":"2014-07-31 "},{"name":"allrequired","keywords":"","version":[],"words":"allrequired","author":"","date":"2014-05-21 "},{"name":"allsubs","description":"A node.js module for allsubs.org API","url":null,"keywords":"subtitles api","version":"0.1.3","words":"allsubs a node.js module for allsubs.org api =alexu84 subtitles api","author":"=alexu84","date":"2014-03-10 "},{"name":"allsync","description":"Synchronous exec with a cool twist. Zesty like lemon lime.","keywords":"","version":[],"words":"allsync synchronous exec with a cool twist. zesty like lemon lime. =jacobgroundwater","author":"=jacobgroundwater","date":"2013-02-21 "},{"name":"alltested","description":"Ensures every method within every .js file has a correponding test","url":null,"keywords":"unit test helper","version":"0.0.3","words":"alltested ensures every method within every .js file has a correponding test =gammasoft unit test helper","author":"=gammasoft","date":"2013-11-01 "},{"name":"allthethings","description":"Let your iterations read like actual sentences.","url":null,"keywords":"","version":"0.0.1-alpha-8","words":"allthethings let your iterations read like actual sentences. =markdalgleish","author":"=markdalgleish","date":"2012-12-15 "},{"name":"alm-mobile","description":"Rally ALM Mobile Application","url":null,"keywords":"","version":"0.0.1","words":"alm-mobile rally alm mobile application =ferentchak","author":"=ferentchak","date":"2014-06-17 "},{"name":"almanac","description":"HTML5 calendar element. Not ready for production.","url":null,"keywords":"calendar HTML5 dates picker year month day","version":"0.0.5","words":"almanac html5 calendar element. not ready for production. =jacoborus calendar html5 dates picker year month day","author":"=jacoborus","date":"2014-06-28 "},{"name":"almond","description":"A minimal AMD API implementation for use in optimized browser builds.","url":null,"keywords":"","version":"0.3.0","words":"almond a minimal amd api implementation for use in optimized browser builds. =jrburke","author":"=jrburke","date":"2014-08-23 "},{"name":"almost-equal","description":"Test if two floats are almost equal","url":null,"keywords":"float compare double round equal almost near tolerance epsilon FLT_EPSILON DBL_EPSILON","version":"0.0.0","words":"almost-equal test if two floats are almost equal =mikolalysenko float compare double round equal almost near tolerance epsilon flt_epsilon dbl_epsilon","author":"=mikolalysenko","date":"2013-04-03 "},{"name":"aload","keywords":"","version":[],"words":"aload","author":"","date":"2014-07-28 "},{"name":"alock","description":"Arbitrary locking mechanism","url":null,"keywords":"","version":"0.0.2","words":"alock arbitrary locking mechanism =prezjordan","author":"=prezjordan","date":"2014-01-10 "},{"name":"alocrafty.js","description":"Quit messing up your perfectly formatted javascript code with html","url":null,"keywords":"dsl javascript html generator","version":"0.1.1","words":"alocrafty.js quit messing up your perfectly formatted javascript code with html =gerardorf dsl javascript html generator","author":"=gerardorf","date":"2014-07-04 "},{"name":"alog","description":"Awesome logger for node.js.","url":null,"keywords":"console log logger colors","version":"1.3.0","words":"alog awesome logger for node.js. =amingoia console log logger colors","author":"=amingoia","date":"2013-07-28 "},{"name":"alogger","description":"A simple logger","url":null,"keywords":"logging logger log","version":"0.0.5","words":"alogger a simple logger =aung logging logger log","author":"=aung","date":"2013-07-21 "},{"name":"alogs","description":"The front-end log collection module management","url":null,"keywords":"analytic tracking","version":"0.1.0","words":"alogs the front-end log collection module management =zswang analytic tracking","author":"=zswang","date":"2013-06-14 "},{"name":"aloha","description":"Simple Node.js i18n","url":null,"keywords":"aloha","version":"0.0.0","words":"aloha simple node.js i18n =zerious aloha","author":"=zerious","date":"2014-05-15 "},{"name":"alonso-counter","description":"Distributed log file aggregation, with persistence","url":null,"keywords":"","version":"0.1.0","words":"alonso-counter distributed log file aggregation, with persistence =noazark","author":"=noazark","date":"2012-04-20 "},{"name":"alonso-follower","description":"Distributed log file aggregation, with persistence","url":null,"keywords":"","version":"0.1.0","words":"alonso-follower distributed log file aggregation, with persistence =noazark","author":"=noazark","date":"2012-04-20 "},{"name":"alonso-harvester","description":"Distributed log file aggregation, with persistence","url":null,"keywords":"","version":"0.1.0","words":"alonso-harvester distributed log file aggregation, with persistence =noazark","author":"=noazark","date":"2012-04-20 "},{"name":"aloof","description":"Array of Objects Filtering","url":null,"keywords":"array object filter query select","version":"0.0.5","words":"aloof array of objects filtering =wankdanker array object filter query select","author":"=wankdanker","date":"2014-01-28 "},{"name":"alopex-tools-pages","url":null,"keywords":"","version":"0.1.3","words":"alopex-tools-pages =hotuna","author":"=hotuna","date":"2014-03-20 "},{"name":"alpaca","description":"EIP for Node.js, influenced by Apache Camel","url":null,"keywords":"","version":"0.0.9","words":"alpaca eip for node.js, influenced by apache camel =alexanderjamesking","author":"=alexanderjamesking","date":"2013-12-07 "},{"name":"alpha","description":"Node API doc search","url":null,"keywords":"","version":"0.0.9","words":"alpha node api doc search =jacksontian","author":"=jacksontian","date":"2013-05-10 "},{"name":"alpha-build","description":"use nodejs build js and css","url":null,"keywords":"nodejs css build js","version":"1.1.0","words":"alpha-build use nodejs build js and css =alphatr nodejs css build js","author":"=alphatr","date":"2014-08-09 "},{"name":"alpha-id","description":"Alpha-numeric Indexes creation.","url":null,"keywords":"alphaid id alpha alpha-id AlphaID","version":"0.0.8","words":"alpha-id alpha-numeric indexes creation. =marceloboeira alphaid id alpha alpha-id alphaid","author":"=marceloboeira","date":"2014-06-26 "},{"name":"alpha-mixins","description":"mixins","url":null,"keywords":"alpha","version":"0.0.1","words":"alpha-mixins mixins =bads alpha","author":"=bads","date":"2014-05-08 "},{"name":"alpha-one","description":"ideas about recurring tasks in Web- and Backend-Application building","url":null,"keywords":"","version":"0.0.23","words":"alpha-one ideas about recurring tasks in web- and backend-application building =loveencounterflow","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"alpha_simprini","description":"Core libraries for Alpha Simprini based applications.","url":null,"keywords":"","version":"0.0.4-6-g621932e","words":"alpha_simprini core libraries for alpha simprini based applications. =collintmiller","author":"=collintmiller","date":"2011-12-23 "},{"name":"alphabetize","description":"sort a string alphabetically","url":null,"keywords":"string sort alphabetical","version":"1.0.5","words":"alphabetize sort a string alphabetically =malantonio string sort alphabetical","author":"=malantonio","date":"2014-08-08 "},{"name":"alphabits","description":"A scraper experiment. A combination of the Cheerio and Request libraries to make a nodejs scraper that doesn't have the same memory leak issues as node-scraper, which uses jsdom.","url":null,"keywords":"scraping web scraping","version":"0.1.2","words":"alphabits a scraper experiment. a combination of the cheerio and request libraries to make a nodejs scraper that doesn't have the same memory leak issues as node-scraper, which uses jsdom. =mhkeller scraping web scraping","author":"=mhkeller","date":"2014-07-02 "},{"name":"alphahax","description":"Fun little hack for Javascript for generating alphabet letters","url":null,"keywords":"hacks fun javascript alpha words letters obfuscate","version":"0.0.3","words":"alphahax fun little hack for javascript for generating alphabet letters =werle hacks fun javascript alpha words letters obfuscate","author":"=werle","date":"2013-06-15 "},{"name":"alphajs","description":"placeholder","url":null,"keywords":"","version":"0.0.0","words":"alphajs placeholder =fansekey","author":"=fansekey","date":"2014-03-20 "},{"name":"alphamail","description":"Client library for sending transactional e-mail through AlphaMail","url":null,"keywords":"e-mail email mail smtp transactional email send email","version":"1.1.5","words":"alphamail client library for sending transactional e-mail through alphamail =comfirm e-mail email mail smtp transactional email send email","author":"=comfirm","date":"2013-04-17 "},{"name":"alphanumeric-sort","description":"alphanumeric-sort","url":null,"keywords":"alphanumeric natural sort","version":"0.0.1","words":"alphanumeric-sort alphanumeric-sort =anttisykari alphanumeric natural sort","author":"=anttisykari","date":"2013-10-29 "},{"name":"alphaproject","description":"angel script for generation of alpha projects","url":null,"keywords":"","version":"0.0.1","words":"alphaproject angel script for generation of alpha projects =outbounder","author":"=outbounder","date":"2014-01-11 "},{"name":"alphas-infinity","description":"Text based MMO RPG.","url":null,"keywords":"mmo rpg text-based","version":"0.0.0","words":"alphas-infinity text based mmo rpg. =braungoodson mmo rpg text-based","author":"=braungoodson","date":"2014-01-02 "},{"name":"alpine-analytics","description":"Mimosa module handling the export of analytics to mixpanel","url":null,"keywords":"","version":"0.0.15","words":"alpine-analytics mimosa module handling the export of analytics to mixpanel =mramad2 =npmbob42","author":"=mramad2 =npmbob42","date":"2014-07-02 "},{"name":"alpine-logging","description":"Mimosa module handling the writing of server errors","url":null,"keywords":"","version":"0.0.14","words":"alpine-logging mimosa module handling the writing of server errors =mramad2 =npmbob42","author":"=mramad2 =npmbob42","date":"2014-07-02 "},{"name":"alpmixins","description":"mixins","url":null,"keywords":"alpha","version":"0.1.0","words":"alpmixins mixins =bads alpha","author":"=bads","date":"2014-09-06 "},{"name":"alqamy","description":"This module no longer available , cms moved to chacka .use: npm install chacka","url":null,"keywords":"alqamy cms contetn management system blog web","version":"0.0.7","words":"alqamy this module no longer available , cms moved to chacka .use: npm install chacka =msbadar alqamy cms contetn management system blog web","author":"=msbadar","date":"2014-08-17 "},{"name":"alr-stylus","description":"stylus middleware for another-livereload","url":null,"keywords":"","version":"0.0.1","words":"alr-stylus stylus middleware for another-livereload =poying","author":"=poying","date":"2013-06-08 "},{"name":"alright","description":"Beautiful assertion library.","url":null,"keywords":"fantasy-land folktale","version":"1.1.0","words":"alright beautiful assertion library. =killdream fantasy-land folktale","author":"=killdream","date":"2014-06-07 "},{"name":"alsa","description":"ALSA bindings for Node.js","url":null,"keywords":"audio sound alsa libasound","version":"0.0.2","words":"alsa alsa bindings for node.js =xdissent audio sound alsa libasound","author":"=xdissent","date":"2013-05-07 "},{"name":"alscan-js","description":"An access log scanner.","url":null,"keywords":"","version":"0.3.0","words":"alscan-js an access log scanner. =samplx","author":"=samplx","date":"2013-12-31 "},{"name":"also","description":"decorators","url":null,"keywords":"","version":"0.0.13","words":"also decorators =nomilous","author":"=nomilous","date":"2013-12-02 "},{"name":"alt","description":"","url":null,"keywords":"","version":"0.0.0","words":"alt =dron","author":"=dron","date":"2014-01-15 "},{"name":"alt-dependency","description":"Renames a dependency in a package.json file.","url":null,"keywords":"","version":"0.0.1","words":"alt-dependency renames a dependency in a package.json file. =glennporter","author":"=glennporter","date":"2013-02-19 "},{"name":"alt-regex-engine","description":"Alternative compilation method for regular expressions","url":null,"keywords":"regular expressions","version":"0.1.6","words":"alt-regex-engine alternative compilation method for regular expressions =eriksank regular expressions","author":"=eriksank","date":"2012-11-28 "},{"name":"alt-sasl-digest-md5","description":"JavaScript implementation of DIGEST-MD5 SASL mechanism.","url":null,"keywords":"sasl auth authn authentication security","version":"1.0.1","words":"alt-sasl-digest-md5 javascript implementation of digest-md5 sasl mechanism. =lancestout sasl auth authn authentication security","author":"=lancestout","date":"2014-09-11 "},{"name":"alt-supervisor","description":"A supervisor program for running nodejs programs","url":null,"keywords":"","version":"0.5.2","words":"alt-supervisor a supervisor program for running nodejs programs =awesome","author":"=awesome","date":"2013-03-31 "},{"name":"alt18","description":"A simple node.js parser for the Alt18 countdown","url":null,"keywords":"","version":"0.0.1","words":"alt18 a simple node.js parser for the alt18 countdown =pspeter3","author":"=pspeter3","date":"2012-10-15 "},{"name":"altair-server","description":"Altair Server is a full stack nodejs server with web, ftp, imap and smtp support","url":null,"keywords":"server web http https ftp imap smtp","version":"0.0.2","words":"altair-server altair server is a full stack nodejs server with web, ftp, imap and smtp support =jbalde server web http https ftp imap smtp","author":"=jbalde","date":"2013-12-24 "},{"name":"altair.io","description":"A platform to facilitate the building of experiences in the Internet of Everything.","url":null,"keywords":"","version":"0.0.111","words":"altair.io a platform to facilitate the building of experiences in the internet of everything. =altair.io =liquidg3 =hemstreet","author":"=altair.io =liquidg3 =hemstreet","date":"2014-09-03 "},{"name":"altcaps","description":"Alternating caps, like a myspace teenager from 2001.","url":null,"keywords":"alt caps alternating capitals","version":"0.0.6","words":"altcaps alternating caps, like a myspace teenager from 2001. =brianloveswords alt caps alternating capitals","author":"=brianloveswords","date":"2014-02-26 "},{"name":"altcoin-address","description":"altcoin address verification and other related functions","url":null,"keywords":"","version":"1.0.2","words":"altcoin-address altcoin address verification and other related functions =ryanralph","author":"=ryanralph","date":"2014-03-04 "},{"name":"alter","description":"alters a string by replacing multiple range fragments in one fast pass","url":null,"keywords":"string manipulation replace alter modify","version":"0.2.0","words":"alter alters a string by replacing multiple range fragments in one fast pass =olov string manipulation replace alter modify","author":"=olov","date":"2013-09-08 "},{"name":"alter-ego","description":"Extensible type definitions","url":null,"keywords":"alter-ego type class prototype inheritance","version":"0.0.1","words":"alter-ego extensible type definitions =gozala alter-ego type class prototype inheritance","author":"=gozala","date":"2012-05-07 "},{"name":"altered.js","description":"Reversible state changes for Node & Browser","url":null,"keywords":"util state testing monkey-patch","version":"0.8.6","words":"altered.js reversible state changes for node & browser =jacob414 util state testing monkey-patch","author":"=jacob414","date":"2014-02-24 "},{"name":"altimeter","description":"a simple altimeter for Meteor","url":null,"keywords":"meteor test production development","version":"0.0.2","words":"altimeter a simple altimeter for meteor =apendua meteor test production development","author":"=apendua","date":"2014-07-03 "},{"name":"altitude","keywords":"","version":[],"words":"altitude","author":"","date":"2014-04-05 "},{"name":"altjson","description":"An alternative, more efficent, encoding for JSON.","url":null,"keywords":"JSON encoding serialization","version":"1.0.0","words":"altjson an alternative, more efficent, encoding for json. =kevincox json encoding serialization","author":"=kevincox","date":"2014-06-09 "},{"name":"altnctl","description":"supervisor script for node.js","url":null,"keywords":"supervisor forever daemon cluster","version":"0.3.14","words":"altnctl supervisor script for node.js =jigsaw supervisor forever daemon cluster","author":"=jigsaw","date":"2014-08-05 "},{"name":"alto","description":"A MVCS framework for javascript applications.","keywords":"mvc mvcs alto alto.js thecodeboutique framework","version":[],"words":"alto a mvcs framework for javascript applications. =ceubanks mvc mvcs alto alto.js thecodeboutique framework","author":"=ceubanks","date":"2013-02-06 "},{"name":"alto-cli","description":"the complete solution for node.js command-line programs","keywords":"alto","version":[],"words":"alto-cli the complete solution for node.js command-line programs =ceubanks alto","author":"=ceubanks","date":"2013-02-06 "},{"name":"alto-commander","description":"API for building alto cli. Inspired by npm: 'commander'","keywords":"cli alto thecodeboutique framework","version":[],"words":"alto-commander api for building alto cli. inspired by npm: 'commander' =ceubanks cli alto thecodeboutique framework","author":"=ceubanks","date":"2013-02-05 "},{"name":"altpub-sections","description":"A pre-markdown parser for converting special 'altpub' content sections into sensible HTML","url":null,"keywords":"altpub markdown parser","version":"0.2.0","words":"altpub-sections a pre-markdown parser for converting special 'altpub' content sections into sensible html =damonoehlman altpub markdown parser","author":"=damonoehlman","date":"2014-05-21 "},{"name":"altpub-toc","description":"A leanpub compatible table of contents (Book.txt) file reader","url":null,"keywords":"leanpub altpub toc reader","version":"0.1.0","words":"altpub-toc a leanpub compatible table of contents (book.txt) file reader =damonoehlman leanpub altpub toc reader","author":"=damonoehlman","date":"2014-05-19 "},{"name":"altr","description":"README.md","url":null,"keywords":"","version":"0.3.5","words":"altr readme.md =hayes","author":"=hayes","date":"2014-08-08 "},{"name":"altr-accesors","keywords":"","version":[],"words":"altr-accesors","author":"","date":"2014-04-03 "},{"name":"altr-accessors","description":"altr-accessors =============","url":null,"keywords":"","version":"0.2.0","words":"altr-accessors altr-accessors ============= =hayes","author":"=hayes","date":"2014-07-25 "},{"name":"altr-ease","description":"easing filter for altr","url":null,"keywords":"","version":"0.0.3","words":"altr-ease easing filter for altr =hayes","author":"=hayes","date":"2014-04-14 "},{"name":"altr-scale","description":"scale filter for altr","url":null,"keywords":"","version":"0.1.0","words":"altr-scale scale filter for altr =hayes","author":"=hayes","date":"2014-06-19 "},{"name":"altruism","keywords":"","version":[],"words":"altruism","author":"","date":"2014-04-05 "},{"name":"altshift","description":"Altshift open source framework","url":null,"keywords":"framework jsclass","version":"0.3.11-1","words":"altshift altshift open source framework =as-jpolo =jpolo framework jsclass","author":"=as-jpolo =jpolo","date":"2012-01-03 "},{"name":"alu","description":"natural numbers algorithm templates for JavaScript","url":null,"keywords":"js javascript algorithm template complexity alu arithmetic logic bignum natural","version":"0.0.6","words":"alu natural numbers algorithm templates for javascript =aureooms js javascript algorithm template complexity alu arithmetic logic bignum natural","author":"=aureooms","date":"2014-07-26 "},{"name":"always","description":"CLI Tool to run a NodeJS Process, Restarting on File Changes & Crashes","url":null,"keywords":"always process forever error uncaught","version":"2.2.0","words":"always cli tool to run a nodejs process, restarting on file changes & crashes =edwardhotchkiss always process forever error uncaught","author":"=edwardhotchkiss","date":"2012-12-20 "},{"name":"always-tail","description":"continuous file tail. robust enough to survive rollovers.","url":null,"keywords":"tail","version":"0.1.1","words":"always-tail continuous file tail. robust enough to survive rollovers. =jandre tail","author":"=jandre","date":"2014-03-13 "},{"name":"always-test","description":"a simple, full-featured, javascript testing framework","url":null,"keywords":"node javascript testing framework","version":"0.0.2","words":"always-test a simple, full-featured, javascript testing framework =silverbucket node javascript testing framework","author":"=silverbucket","date":"2012-10-17 "},{"name":"alyocs","description":"Connect to Aliyun Open Cache Service","url":null,"keywords":"OCS","version":"0.0.1","words":"alyocs connect to aliyun open cache service =chencb ocs","author":"=chencb","date":"2014-09-09 "},{"name":"alzheimer","description":"Advanced memoization with promise and stream support","url":null,"keywords":"memoize cache","version":"0.1.2","words":"alzheimer advanced memoization with promise and stream support =rubenverborgh memoize cache","author":"=rubenverborgh","date":"2013-02-17 "},{"name":"am","description":"Data Dependence Async Module System(empty! preserved for future)","url":null,"keywords":"","version":"0.1.0","words":"am data dependence async module system(empty! preserved for future) =jin_preserved","author":"=jin_preserved","date":"2012-10-06 "},{"name":"am-align","description":"CSS vertical-alignment utilitie","url":null,"keywords":"am-css am suit suitcss css","version":"0.1.0","words":"am-align css vertical-alignment utilitie =vinspee am-css am suit suitcss css","author":"=vinspee","date":"2014-09-13 "},{"name":"am-arrange","description":"The SuitCSS arrange pattern, but in AM CSS convention","url":null,"keywords":"am-css css suit-css arrange component","version":"3.0.0","words":"am-arrange the suitcss arrange pattern, but in am css convention =rvmendoza am-css css suit-css arrange component","author":"=rvmendoza","date":"2014-09-12 "},{"name":"am-bucker","description":"super easy logging module","url":null,"keywords":"log hapi express connect","version":"0.0.1","words":"am-bucker super easy logging module =bheller log hapi express connect","author":"=bheller","date":"2014-03-26 "},{"name":"am-depth","description":"Assign depths based on Google's Material Design","url":null,"keywords":"browser css-components am crank style","version":"1.1.0","words":"am-depth assign depths based on google's material design =vinspee browser css-components am crank style","author":"=vinspee","date":"2014-09-16 "},{"name":"am-display","description":"CSS display utilities","url":null,"keywords":"css am-css am css suit suitcss","version":"0.1.1","words":"am-display css display utilities =vinspee css am-css am css suit suitcss","author":"=vinspee","date":"2014-09-13 "},{"name":"am-flex-embed","description":"CSS Flex Embed for radio preservation","url":null,"keywords":"browser css-components am crank style","version":"0.1.0","words":"am-flex-embed css flex embed for radio preservation =vinspee browser css-components am crank style","author":"=vinspee","date":"2014-09-13 "},{"name":"am-input","description":"am css input component","url":null,"keywords":"browser css-components suitcss crank style","version":"0.1.3","words":"am-input am css input component =vinspee browser css-components suitcss crank style","author":"=vinspee","date":"2014-09-15 "},{"name":"am-layout","description":"CSS Layout Utilities","url":null,"keywords":"am am-css amcss suitcss css","version":"0.1.0","words":"am-layout css layout utilities =vinspee am am-css amcss suitcss css","author":"=vinspee","date":"2014-09-13 "},{"name":"am-link","description":"CSS Link Utilities","url":null,"keywords":"am am-css amcss suitcss css","version":"0.1.1","words":"am-link css link utilities =vinspee am am-css amcss suitcss css","author":"=vinspee","date":"2014-09-13 "},{"name":"am-position","description":"CSS Sizing Utilities","url":null,"keywords":"am am-css amcss suitcss css","version":"0.2.0","words":"am-position css sizing utilities =vinspee am am-css amcss suitcss css","author":"=vinspee","date":"2014-09-17 "},{"name":"am-size","description":"CSS Sizing Utilities","url":null,"keywords":"am am-css amcss suitcss css","version":"1.0.0","words":"am-size css sizing utilities =vinspee am am-css amcss suitcss css","author":"=vinspee","date":"2014-09-13 "},{"name":"am-space","description":"Utility classes to adjust spacing between components","url":null,"keywords":"am-css suit-css arrange component utility space spacing amcss","version":"0.4.0","words":"am-space utility classes to adjust spacing between components =rvmendoza am-css suit-css arrange component utility space spacing amcss","author":"=rvmendoza","date":"2014-09-19 "},{"name":"am-transport","description":"module wrapper with all kinds of module package","url":null,"keywords":"transport","version":"0.1.7","words":"am-transport module wrapper with all kinds of module package =semious transport","author":"=semious","date":"2014-08-02 "},{"name":"am-utils","description":"CSS Utils","url":null,"keywords":"css am suit am-css suitcss","version":"0.1.3","words":"am-utils css utils =vinspee css am suit am-css suitcss","author":"=vinspee","date":"2014-09-18 "},{"name":"am-utils-space","description":"Utility classes to adjust spacing between things","url":null,"keywords":"browser css-components suitcss crank style","version":"0.1.1","words":"am-utils-space utility classes to adjust spacing between things =vinspee browser css-components suitcss crank style","author":"=vinspee","date":"2014-09-13 "},{"name":"am-utils-text","description":"Text utilities for SUIT CSS in the AM convention","url":null,"keywords":"browser css-utilities text am suit css style","version":"0.2.0","words":"am-utils-text text utilities for suit css in the am convention =vinspee browser css-utilities text am suit css style","author":"=vinspee","date":"2014-09-09 "},{"name":"am2302","description":"AM2302 chipset API for node.js","url":null,"keywords":"DHT22 AM2302","version":"1.0.0","words":"am2302 am2302 chipset api for node.js =zlx dht22 am2302","author":"=zlx","date":"2013-06-12 "},{"name":"am2315","description":"Simple async AM2315 Temp and Humidity Sensor library for Raspberry Pi","url":null,"keywords":"am2315 raspi i2c temp humidity sensor","version":"1.0.3","words":"am2315 simple async am2315 temp and humidity sensor library for raspberry pi =begizi am2315 raspi i2c temp humidity sensor","author":"=begizi","date":"2014-01-03 "},{"name":"ama.js","description":"A Javascript wrapper for the Autoridad Metropolitana de Autobuses' (AMA) API.","url":null,"keywords":"","version":"0.0.1","words":"ama.js a javascript wrapper for the autoridad metropolitana de autobuses' (ama) api. =sparragus","author":"=sparragus","date":"2014-06-09 "},{"name":"amaca","description":"Webserver with http/https proxy to spawn applications. Using forever and hook.io for a multiprocess talking :-)","url":null,"keywords":"","version":"0.1.0","words":"amaca webserver with http/https proxy to spawn applications. using forever and hook.io for a multiprocess talking :-) =gabrieleds","author":"=gabrieleds","date":"2012-11-22 "},{"name":"amalgam","keywords":"","version":[],"words":"amalgam","author":"","date":"2014-04-05 "},{"name":"amalgamate","description":"Merge staging Strata b-trees containing MVCC versioned records into a primary Strata b-tree. ","url":null,"keywords":"btree leveldb levelup binary mvcc database json b-tree concurrent persistence","version":"0.0.7","words":"amalgamate merge staging strata b-trees containing mvcc versioned records into a primary strata b-tree. =bigeasy btree leveldb levelup binary mvcc database json b-tree concurrent persistence","author":"=bigeasy","date":"2014-09-17 "},{"name":"amalgamatic","description":"Search all the things! Pluggable metasearch. Uses APIs when it can, scrapes otherwise, write your own plugins for things that don't already have them.","url":null,"keywords":"","version":"0.9.0","words":"amalgamatic search all the things! pluggable metasearch. uses apis when it can, scrapes otherwise, write your own plugins for things that don't already have them. =trott","author":"=trott","date":"2014-09-17 "},{"name":"amalgamatic-drupal6","description":"Plugin for amalgamatic to search Drupal 6 websites","url":null,"keywords":"","version":"1.0.0","words":"amalgamatic-drupal6 plugin for amalgamatic to search drupal 6 websites =trott","author":"=trott","date":"2014-09-20 "},{"name":"amalgamatic-libguides","description":"LibGuides plugin for amalgamatic","url":null,"keywords":"","version":"1.0.1","words":"amalgamatic-libguides libguides plugin for amalgamatic =trott","author":"=trott","date":"2014-09-17 "},{"name":"amalgamatic-millennium","description":"Millennium plugin for amalgamatic","url":null,"keywords":"","version":"1.0.1","words":"amalgamatic-millennium millennium plugin for amalgamatic =trott","author":"=trott","date":"2014-09-17 "},{"name":"amalgamatic-pubmed","description":"PubMed plugin for amalgamatic","url":null,"keywords":"","version":"1.0.1","words":"amalgamatic-pubmed pubmed plugin for amalgamatic =trott","author":"=trott","date":"2014-09-18 "},{"name":"amalgamatic-sfx","description":"SFX plugin for amalgamatic","url":null,"keywords":"","version":"1.0.0","words":"amalgamatic-sfx sfx plugin for amalgamatic =trott","author":"=trott","date":"2014-09-17 "},{"name":"amanda","description":"JSON Schema validator","url":null,"keywords":"JSON JSON Schema schema validator validate JSON validator schema validator async browser","version":"0.5.1","words":"amanda json schema validator =baggz =tu1ly =netmilk json json schema schema validator validate json validator schema validator async browser","author":"=baggz =tu1ly =netmilk","date":"2014-07-01 "},{"name":"amaretto","description":"A lightweight front-end CSS framework with a dash of handy Sass mixins","url":null,"keywords":"sass mixins framework frontend","version":"0.7.1","words":"amaretto a lightweight front-end css framework with a dash of handy sass mixins =davidhemphill sass mixins framework frontend","author":"=davidhemphill","date":"2014-07-09 "},{"name":"amass","description":"Amass system information and expose it as JSON","url":null,"keywords":"amass ohai facter puppet chef","version":"0.0.8","words":"amass amass system information and expose it as json =bahamas10 amass ohai facter puppet chef","author":"=bahamas10","date":"2013-07-02 "},{"name":"amass-etc-passwd","description":"A module for amass to read passwd and group info","url":null,"keywords":"amass ohai facter puppet etc passwd group chef","version":"0.0.0","words":"amass-etc-passwd a module for amass to read passwd and group info =bahamas10 amass ohai facter puppet etc passwd group chef","author":"=bahamas10","date":"2013-01-23 "},{"name":"amass-smf","description":"A plugin for amass to expose SMF service information","url":null,"keywords":"amass ohai facter puppet smartos solaris smf svcs illumos","version":"0.0.0","words":"amass-smf a plugin for amass to expose smf service information =bahamas10 amass ohai facter puppet smartos solaris smf svcs illumos","author":"=bahamas10","date":"2013-01-23 "},{"name":"amasuggest","description":"Angualr directive. Please ignore me","url":null,"keywords":"an","version":"0.0.2","words":"amasuggest angualr directive. please ignore me =anvaka an","author":"=anvaka","date":"2014-04-01 "},{"name":"amayfs","description":"Node.js A prueba ","url":null,"keywords":"prueba prueba","version":"0.1.0","words":"amayfs node.js a prueba =juanchoaz prueba prueba","author":"=juanchoaz","date":"2014-06-11 "},{"name":"amazefield","description":"accessible label hints for input fields","url":null,"keywords":"accessible input field label","version":"0.0.5","words":"amazefield accessible label hints for input fields =tamarachahine accessible input field label","author":"=tamarachahine","date":"2014-07-10 "},{"name":"amazinglymodule","description":"Very amazing module for test","url":null,"keywords":"","version":"0.0.0","words":"amazinglymodule very amazing module for test =chuckystyle","author":"=chuckystyle","date":"2014-07-17 "},{"name":"amazon","keywords":"","version":[],"words":"amazon","author":"","date":"2014-06-10 "},{"name":"amazon-associate","description":"amazon-associate is a simple interface to amazon associate reports for nodejs","url":null,"keywords":"amazon associate report","version":"0.3.1","words":"amazon-associate amazon-associate is a simple interface to amazon associate reports for nodejs =snd amazon associate report","author":"=snd","date":"2013-12-09 "},{"name":"amazon-book-search","description":"Code Challenge","url":null,"keywords":"","version":"0.0.10","words":"amazon-book-search code challenge =kuryaki","author":"=kuryaki","date":"2013-10-28 "},{"name":"amazon-costs","description":"Amazon Costs module can be used for retrieving Amazon product information and calculating costs for fulfillment and merchant channels.","url":null,"keywords":"amazon costs fulfillment merchant fba fbm","version":"1.0.0","words":"amazon-costs amazon costs module can be used for retrieving amazon product information and calculating costs for fulfillment and merchant channels. =cmfatih amazon costs fulfillment merchant fba fbm","author":"=cmfatih","date":"2014-07-04 "},{"name":"amazon-lib","description":"AWS Library","url":null,"keywords":"Amazon AWS SQS SNS Amazon Product API","version":"0.1.0","words":"amazon-lib aws library =damartin amazon aws sqs sns amazon product api","author":"=damartin","date":"2013-03-26 "},{"name":"amazon-price","keywords":"","version":[],"words":"amazon-price","author":"","date":"2014-03-26 "},{"name":"amazon-product-api","description":"Amazon Product Advertising API client","url":null,"keywords":"amazon aws product ads advertising","version":"0.1.2","words":"amazon-product-api amazon product advertising api client =t3chnoboy amazon aws product ads advertising","author":"=t3chnoboy","date":"2014-07-01 "},{"name":"amazon-products","description":"A node.js module to crawl product IDs from Amazon.","url":null,"keywords":"amazon product crawl","version":"0.0.9","words":"amazon-products a node.js module to crawl product ids from amazon. =xissy amazon product crawl","author":"=xissy","date":"2013-12-27 "},{"name":"amazon-queue","description":"A more idiomatic interface to Amazon SQS","url":null,"keywords":"sqs queue amazon","version":"0.1.2","words":"amazon-queue a more idiomatic interface to amazon sqs =brianc sqs queue amazon","author":"=brianc","date":"2013-11-25 "},{"name":"amazon-reviews","description":"A node.js module to crawl product reviews from Amazon.","url":null,"keywords":"amazon product review crawl","version":"0.0.4","words":"amazon-reviews a node.js module to crawl product reviews from amazon. =xissy amazon product review crawl","author":"=xissy","date":"2014-04-15 "},{"name":"amazon-s3-url-signer","description":"Module to sign urls to allow access to resources in the S3","url":null,"keywords":"amazon S3 url signing","version":"0.0.7","words":"amazon-s3-url-signer module to sign urls to allow access to resources in the s3 =dyashkir amazon s3 url signing","author":"=dyashkir","date":"2013-10-11 "},{"name":"amazon-seller","description":"Amazon Seller module can be used for retrieving Amazon seller information.","url":null,"keywords":"amazon seller merchant fba fbm","version":"1.0.0","words":"amazon-seller amazon seller module can be used for retrieving amazon seller information. =cmfatih amazon seller merchant fba fbm","author":"=cmfatih","date":"2014-07-04 "},{"name":"amazon-ses","description":"Simple Amazon SES Mailer","url":null,"keywords":"email amazon ses","version":"0.0.3","words":"amazon-ses simple amazon ses mailer =jjenkins email amazon ses","author":"=jjenkins","date":"2011-10-31 "},{"name":"amazon-sqs","description":"Simple Amazon SQS Manipulator","url":null,"keywords":"email amazon sqs","version":"0.0.3","words":"amazon-sqs simple amazon sqs manipulator =maxtaco email amazon sqs","author":"=maxtaco","date":"2012-11-06 "},{"name":"amazono","description":"Amazon EC2 hosting provider for service_maker","url":null,"keywords":"service_maker service maker amazon es2 host","version":"0.0.4","words":"amazono amazon ec2 hosting provider for service_maker =avb service_maker service maker amazon es2 host","author":"=avb","date":"2014-08-05 "},{"name":"amazons3-files-copier","description":"Node.js module to copy a group of files stored in a bucket or path in AmazonS3 to another bucket or path","url":null,"keywords":"amazonS3 s3 amazon","version":"0.0.4","words":"amazons3-files-copier node.js module to copy a group of files stored in a bucket or path in amazons3 to another bucket or path =borya09 amazons3 s3 amazon","author":"=borya09","date":"2014-02-07 "},{"name":"amazonscraper","description":"amazon scraper using node.js","url":null,"keywords":"amazon scraper using node.js amazon scraper","version":"0.0.0","words":"amazonscraper amazon scraper using node.js =itranga amazon scraper using node.js amazon scraper","author":"=itranga","date":"2014-01-19 "},{"name":"amb","keywords":"","version":[],"words":"amb","author":"","date":"2014-07-23 "},{"name":"amb-dns","description":"ambassador for dynamically linking sockets across hosts using DNS SRV records","url":null,"keywords":"docker dns discovery","version":"0.2.0","words":"amb-dns ambassador for dynamically linking sockets across hosts using dns srv records =jkingyens docker dns discovery","author":"=jkingyens","date":"2014-05-23 "},{"name":"ambassador","description":"Ambassador provides a way to communicate between node.js processes.","url":null,"keywords":"inter-process process communicator message signal kill","version":"0.1.3","words":"ambassador ambassador provides a way to communicate between node.js processes. =kael inter-process process communicator message signal kill","author":"=kael","date":"2013-09-26 "},{"name":"amber","description":"An implementation of the Smalltalk language that runs on top of the JS runtime.","url":null,"keywords":"javascript smalltalk language compiler web","version":"0.12.6","words":"amber an implementation of the smalltalk language that runs on top of the js runtime. =johnnyt =herby =nicolaspetton javascript smalltalk language compiler web","author":"=johnnyt =herby =nicolaspetton","date":"2014-08-20 "},{"name":"amber-cli","description":"An implementation of the Smalltalk language that runs on top of the JS runtime.","url":null,"keywords":"javascript smalltalk language compiler web","version":"0.12.3","words":"amber-cli an implementation of the smalltalk language that runs on top of the js runtime. =herby =nicolaspetton javascript smalltalk language compiler web","author":"=herby =nicolaspetton","date":"2014-08-20 "},{"name":"amber-dev","description":"Development goodies for Amber Smalltalk","url":null,"keywords":"","version":"0.2.0","words":"amber-dev development goodies for amber smalltalk =herby =nicolaspetton","author":"=herby =nicolaspetton","date":"2014-09-09 "},{"name":"ambi","description":"Execute a function ambidextrously (normalizes the differences between synchronous and asynchronous functions). Useful for treating synchronous functions as asynchronous functions (like supporting both synchronous and asynchronous event definitions automat","url":null,"keywords":"sync async fire exec execute ambidextrous flow","version":"2.2.0","words":"ambi execute a function ambidextrously (normalizes the differences between synchronous and asynchronous functions). useful for treating synchronous functions as asynchronous functions (like supporting both synchronous and asynchronous event definitions automat =balupton sync async fire exec execute ambidextrous flow","author":"=balupton","date":"2014-05-07 "},{"name":"ambiance","description":"Ambiance editor","url":null,"keywords":"ambiance editor code","version":"0.0.1","words":"ambiance ambiance editor =gozala ambiance editor code","author":"=gozala","date":"2012-10-19 "},{"name":"ambiance-command-manager","description":"Command manager for ambiance editor","url":null,"keywords":"manager ambiance commands plugin","version":"0.0.1","words":"ambiance-command-manager command manager for ambiance editor =gozala manager ambiance commands plugin","author":"=gozala","date":"2012-10-19 "},{"name":"ambiance-plugin-manager","description":"plugin manager for ambiance editor","url":null,"keywords":"plugins manager plugin ambiance","version":"0.0.1","words":"ambiance-plugin-manager plugin manager for ambiance editor =gozala plugins manager plugin ambiance","author":"=gozala","date":"2012-10-19 "},{"name":"ambience","description":"ambient monitoring","url":null,"keywords":"","version":"0.0.0","words":"ambience ambient monitoring =roylines","author":"=roylines","date":"2014-07-14 "},{"name":"ambient","description":"coming soon","url":null,"keywords":"web file","version":"0.0.1","words":"ambient coming soon =mhzed web file","author":"=mhzed","date":"2013-03-19 "},{"name":"ambient-attx4","description":"Library to run the Ambient Module for Tessel. Detects ambient light and sound levels","url":null,"keywords":"tessel ambient light sound","version":"0.2.2","words":"ambient-attx4 library to run the ambient module for tessel. detects ambient light and sound levels =tcr =johnnyman727 =technicalmachine =jiahuang tessel ambient light sound","author":"=tcr =johnnyman727 =technicalmachine =jiahuang","date":"2014-09-17 "},{"name":"ambiente","description":"","url":null,"keywords":"","version":"1.0.1","words":"ambiente =robertwhurst","author":"=robertwhurst","date":"2014-01-28 "},{"name":"ambit","description":"Date parser that returns a range instead of a single value","url":null,"keywords":"date parse range moment","version":"1.1.1","words":"ambit date parser that returns a range instead of a single value =gar date parse range moment","author":"=gar","date":"2014-08-09 "},{"name":"ambrosia","url":null,"keywords":"","version":"0.0.0","words":"ambrosia =lucaswoj","author":"=lucaswoj","date":"2011-06-30 "},{"name":"ambrosial","keywords":"","version":[],"words":"ambrosial","author":"","date":"2014-04-05 "},{"name":"ambrosio","description":"A beautiful model... for your client side data","url":null,"keywords":"model data client","version":"0.0.1","words":"ambrosio a beautiful model... for your client side data =ekryski model data client","author":"=ekryski","date":"2014-07-01 "},{"name":"ambulance","description":"MongoDB restore from S3 to remote database","url":null,"keywords":"","version":"0.1.12","words":"ambulance mongodb restore from s3 to remote database =fouad","author":"=fouad","date":"2012-06-28 "},{"name":"ambular","description":"Amber Smalltalk and Angular JS","url":null,"keywords":"angular angularjs amber smalltalk","version":"0.0.0","words":"ambular amber smalltalk and angular js =johnnyt angular angularjs amber smalltalk","author":"=johnnyt","date":"2014-05-27 "},{"name":"ambush","keywords":"","version":[],"words":"ambush","author":"","date":"2014-04-05 "},{"name":"amd","description":"Async Module Definition - module loader/bunder for node + browser","url":null,"keywords":"","version":"0.0.0","words":"amd async module definition - module loader/bunder for node + browser =dominictarr","author":"=dominictarr","date":"2011-05-29 "},{"name":"AMD","description":"AMD (Asynchronous Module Definition) support for node.js, specifically define()","url":null,"keywords":"amd define module","version":"0.0.3","words":"amd amd (asynchronous module definition) support for node.js, specifically define() =crabdude amd define module","author":"=crabdude","date":"2011-07-26 "},{"name":"amd-args","description":"Generate function arguments from AMD `define([..], function (omg_lots_of_stuff_in_here) {..})` calls","url":null,"keywords":"","version":"0.0.1","words":"amd-args generate function arguments from amd `define([..], function (omg_lots_of_stuff_in_here) {..})` calls =keeyip","author":"=keeyip","date":"2013-04-29 "},{"name":"amd-build","description":"AMD module parser for project deploy","url":null,"keywords":"","version":"1.0.3","words":"amd-build amd module parser for project deploy =allex","author":"=allex","date":"2014-07-23 "},{"name":"amd-builder","description":"A service that builds bundles from AMD projects resources","url":null,"keywords":"amd webbuilder","version":"0.5.0","words":"amd-builder a service that builds bundles from amd projects resources =gseguin amd webbuilder","author":"=gseguin","date":"2014-04-10 "},{"name":"amd-cli","description":"Diagnostic utilities for projects using the Asynchronous Module Definition format","url":null,"keywords":"amd diagnostic cli","version":"2.3.0","words":"amd-cli diagnostic utilities for projects using the asynchronous module definition format =zship amd diagnostic cli","author":"=zship","date":"2014-08-16 "},{"name":"amd-config-builder","description":"Builds amd config for a project from configs of its components","url":null,"keywords":"AMD config build","version":"0.2.0","words":"amd-config-builder builds amd config for a project from configs of its components =herby amd config build","author":"=herby","date":"2014-07-11 "},{"name":"amd-doc","description":"Documentation generator for AMD-based projects","url":null,"keywords":"gruntplugin amd","version":"0.2.2","words":"amd-doc documentation generator for amd-based projects =zship gruntplugin amd","author":"=zship","date":"2013-08-16 "},{"name":"amd-driver-scripts","description":"Get a list of entry-point, app initialization AMD modules (i.e., driver scripts) within a directory ","url":null,"keywords":"amd driver script app load modules","version":"0.1.0","words":"amd-driver-scripts get a list of entry-point, app initialization amd modules (i.e., driver scripts) within a directory =mrjoelkemp amd driver script app load modules","author":"=mrjoelkemp","date":"2014-06-08 "},{"name":"amd-feature","keywords":"","version":[],"words":"amd-feature","author":"","date":"2014-06-19 "},{"name":"amd-ish","description":"AMD style wrapper for node modules. Exposes factory via define.amd.factory for easy unit testing.","url":null,"keywords":"","version":"0.0.8","words":"amd-ish amd style wrapper for node modules. exposes factory via define.amd.factory for easy unit testing. =dbmeads","author":"=dbmeads","date":"2013-11-22 "},{"name":"amd-loader","description":"Add the capability to load AMD (Asynchronous Module Definition) modules to node.js","url":null,"keywords":"","version":"0.0.5","words":"amd-loader add the capability to load amd (asynchronous module definition) modules to node.js =fjakobs","author":"=fjakobs","date":"2013-08-01 "},{"name":"amd-loader-text","description":"An AMD loader plugin for loading text resources.","url":null,"keywords":"","version":"2.0.10","words":"amd-loader-text an amd loader plugin for loading text resources. =szarsti","author":"=szarsti","date":"2014-03-12 "},{"name":"amd-loader-tpl","description":"An AMD loader plugin for loading UnderscoreJS micro templates.","url":null,"keywords":"AMD","version":"0.2.0","words":"amd-loader-tpl an amd loader plugin for loading underscorejs micro templates. =szarsti amd","author":"=szarsti","date":"2014-03-12 "},{"name":"amd-optimize","description":"An AMD (i.e. RequireJS) optimizer that's stream-friendly. Made for gulp. (WIP)","url":null,"keywords":"gulpplugin gulpfriendly","version":"0.2.5","words":"amd-optimize an amd (i.e. requirejs) optimizer that's stream-friendly. made for gulp. (wip) =normanrz gulpplugin gulpfriendly","author":"=normanrz","date":"2014-09-16 "},{"name":"amd-optimizer","description":"Find all the dependencies of one or more amd modules and sort them in the correct order, from leaf (module with no dependencies) to root (module which no other module depends on). This is an alternative to the official requireJS optimizer, but is designed","url":null,"keywords":"","version":"0.0.11","words":"amd-optimizer find all the dependencies of one or more amd modules and sort them in the correct order, from leaf (module with no dependencies) to root (module which no other module depends on). this is an alternative to the official requirejs optimizer, but is designed =mariusgundersen","author":"=mariusgundersen","date":"2014-07-02 "},{"name":"amd-parser","description":"amd-parser","url":null,"keywords":"amd-parser","version":"0.1.0","words":"amd-parser amd-parser =villadora amd-parser","author":"=villadora","date":"2014-05-28 "},{"name":"amd-plugins","description":"A handy collection of AMD plugins.","url":null,"keywords":"JSON Schema json-schema schema AMD ioc Inversion Of Control java properties","version":"1.0.9","words":"amd-plugins a handy collection of amd plugins. =atsid json schema json-schema schema amd ioc inversion of control java properties","author":"=atsid","date":"2013-06-04 "},{"name":"amd-require","description":"Add the capability to load AMD (Asynchronous Module Definition) modules to node.js","url":null,"keywords":"","version":"0.0.5","words":"amd-require add the capability to load amd (asynchronous module definition) modules to node.js =wiktor-k","author":"=wiktor-k","date":"2013-12-27 "},{"name":"amd-resolve","description":"A hookable AMD module resolution implementation.","url":null,"keywords":"modules require resolve amd requirejs","version":"0.1.1","words":"amd-resolve a hookable amd module resolution implementation. =jaredhanson modules require resolve amd requirejs","author":"=jaredhanson","date":"2013-01-05 "},{"name":"amd-router","description":"JavaScript AMD library for finding best matching route given a path","url":null,"keywords":"","version":"1.1.2","words":"amd-router javascript amd library for finding best matching route given a path =philidem","author":"=philidem","date":"2013-07-31 "},{"name":"amd-shim","description":"Shim any module into being an AMD module","url":null,"keywords":"esprima amd require.js","version":"1.0.1","words":"amd-shim shim any module into being an amd module =aredridel esprima amd require.js","author":"=aredridel","date":"2014-05-12 "},{"name":"amd-to-closure","description":"Transform AMD modules to Google Closure modules","url":null,"keywords":"","version":"0.1.1","words":"amd-to-closure transform amd modules to google closure modules =bramstein","author":"=bramstein","date":"2013-07-17 "},{"name":"amd-tools","description":"Diagnostic tools for projects using AMD modules","url":null,"keywords":"amd","version":"1.0.0-alpha6","words":"amd-tools diagnostic tools for projects using amd modules =zship amd","author":"=zship","date":"2013-08-12 "},{"name":"amd-tools-cli","description":"Command-line interface for the amd-tools diagnostic library","url":null,"keywords":"amd diagnostic cli","version":"1.0.0-alpha4","words":"amd-tools-cli command-line interface for the amd-tools diagnostic library =zship amd diagnostic cli","author":"=zship","date":"2013-08-12 "},{"name":"amd-utils","description":"Utility methods written in the AMD format","url":null,"keywords":"utilities functional amd","version":"0.10.0","words":"amd-utils utility methods written in the amd format =millermedeiros utilities functional amd","author":"=millermedeiros","date":"2012-12-20 "},{"name":"amd-wrap","description":"Wraps CommonJS files in `define(function (require, exports, module) { ... })`.","url":null,"keywords":"amd commonjs modules build","version":"1.1.0","words":"amd-wrap wraps commonjs files in `define(function (require, exports, module) { ... })`. =domenic amd commonjs modules build","author":"=domenic","date":"2014-03-20 "},{"name":"amdblah-hbs-helpers","description":"A small collection of Handlebars helpers run in both the server(nodejs) and client(browser).","url":null,"keywords":"Handlebars helpers server and client nodejs and browser requirejs","version":"0.2.0","words":"amdblah-hbs-helpers a small collection of handlebars helpers run in both the server(nodejs) and client(browser). =hsfeng handlebars helpers server and client nodejs and browser requirejs","author":"=hsfeng","date":"2014-09-10 "},{"name":"amdbuilder","description":"Build amd modules tosingle module.","url":null,"keywords":"","version":"0.0.6","words":"amdbuilder build amd modules tosingle module. =monjudoh","author":"=monjudoh","date":"2014-04-18 "},{"name":"amdbundle","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"amdbundle error: no readme.md file found! =ftft1885","author":"=ftft1885","date":"2014-01-21 "},{"name":"amdclean","description":"A build tool that converts AMD code to standard JavaScript","url":null,"keywords":"amd requirejs modules convert","version":"2.2.6","words":"amdclean a build tool that converts amd code to standard javascript =gfranko amd requirejs modules convert","author":"=gfranko","date":"2014-09-19 "},{"name":"amdee","description":"Converting CommonJS modules into AMD format","url":null,"keywords":"CommonJS AMD requirejs require","version":"0.5.5","words":"amdee converting commonjs modules into amd format =yc commonjs amd requirejs require","author":"=yc","date":"2013-11-25 "},{"name":"amdefine","description":"Provide AMD's define() API for declaring modules in the AMD format","url":null,"keywords":"","version":"0.1.0","words":"amdefine provide amd's define() api for declaring modules in the amd format =jrburke","author":"=jrburke","date":"2013-10-15 "},{"name":"amdefine-mock","description":"Provide AMD's define() API for declaring modules in the AMD format","url":null,"keywords":"","version":"0.0.1","words":"amdefine-mock provide amd's define() api for declaring modules in the amd format =emilstenberg","author":"=emilstenberg","date":"2013-12-03 "},{"name":"amdetective","description":"Like node-detective, but for AMD/r.js files. Finds all calls to `require()` in AMD modules by walking the AST.","url":null,"keywords":"require source analyze ast amd detective","version":"0.0.2","words":"amdetective like node-detective, but for amd/r.js files. finds all calls to `require()` in amd modules by walking the ast. =mixu require source analyze ast amd detective","author":"=mixu","date":"2014-06-23 "},{"name":"amdextract","description":"Uses AST to extract AMD modules, their parts and an optimized output without unused dependencies.","url":null,"keywords":"AMD dependency unused useless extract detect parse optimize analyze source","version":"2.1.6","words":"amdextract uses ast to extract amd modules, their parts and an optimized output without unused dependencies. =mehdishojaei amd dependency unused useless extract detect parse optimize analyze source","author":"=mehdishojaei","date":"2014-08-21 "},{"name":"amdify","description":"Amdify converts your node.js code into browser-compatible code. For example","url":null,"keywords":"","version":"0.0.26","words":"amdify amdify converts your node.js code into browser-compatible code. for example =architectd","author":"=architectd","date":"2013-12-10 "},{"name":"amdize","description":"AMD-ize JavaScript source files","url":null,"keywords":"amd build cmd compress","version":"0.0.3","words":"amdize amd-ize javascript source files =zhuxw amd build cmd compress","author":"=zhuxw","date":"2014-03-06 "},{"name":"amdjs-build","description":"build amdjs code","url":null,"keywords":"amd amdjs build","version":"0.2.0","words":"amdjs-build build amdjs code =randomyang amd amdjs build","author":"=randomyang","date":"2014-07-29 "},{"name":"amdlc","description":"AMD Library Compiler","url":null,"keywords":"amd cli","version":"0.1.3","words":"amdlc amd library compiler =spocke amd cli","author":"=spocke","date":"2014-05-19 "},{"name":"amdp","keywords":"","version":[],"words":"amdp","author":"","date":"2014-04-21 "},{"name":"amdp-cli","keywords":"","version":[],"words":"amdp-cli","author":"","date":"2014-04-21 "},{"name":"amdp-util","keywords":"","version":[],"words":"amdp-util","author":"","date":"2014-04-21 "},{"name":"amdpackage","description":"Package - Easy AMD packages","url":null,"keywords":"amd package requirejs","version":"0.1.2","words":"amdpackage package - easy amd packages =asmblah amd package requirejs","author":"=asmblah","date":"2014-02-24 "},{"name":"amdrequire","description":"Reuse require.js AMD modules in node.","url":null,"keywords":"","version":"0.0.3","words":"amdrequire reuse require.js amd modules in node. =arqex","author":"=arqex","date":"2014-05-26 "},{"name":"amdtools","description":"Tools for Asynchronous Module Dispatch","url":null,"keywords":"","version":"0.1.1","words":"amdtools tools for asynchronous module dispatch =richardhodgson","author":"=richardhodgson","date":"2011-10-23 "},{"name":"ameba","description":"Common library for tidepool.org","url":null,"keywords":"common util misc","version":"0.0.2","words":"ameba common library for tidepool.org =cheddar common util misc","author":"=cheddar","date":"2014-01-28 "},{"name":"amelia","description":"Node.js command line RSS reader","url":null,"keywords":"terminal rss","version":"0.0.2","words":"amelia node.js command line rss reader =lorefnon terminal rss","author":"=lorefnon","date":"2014-02-08 "},{"name":"amen","description":"experimental successor to testify","url":null,"keywords":"","version":"0.0.1","words":"amen experimental successor to testify =dyoder","author":"=dyoder","date":"2014-08-04 "},{"name":"america-depressed","description":"non pci compliant cc app","url":null,"keywords":"","version":"0.0.1","words":"america-depressed non pci compliant cc app =wlaurance","author":"=wlaurance","date":"2012-10-13 "},{"name":"americano","description":"Wrapper for Express that makes its configuration clean and easy.","url":null,"keywords":"framework web api rest express","version":"0.3.11","words":"americano wrapper for express that makes its configuration clean and easy. =mycozycloud framework web api rest express","author":"=mycozycloud","date":"2014-09-16 "},{"name":"americano-cozy","description":"Americano helpers to build Cozy applications faster","url":null,"keywords":"plugin cozy americano","version":"0.2.8","words":"americano-cozy americano helpers to build cozy applications faster =mycozycloud plugin cozy americano","author":"=mycozycloud","date":"2014-09-02 "},{"name":"americano-cozy-pouchb","keywords":"","version":[],"words":"americano-cozy-pouchb","author":"","date":"2014-08-04 "},{"name":"americano-cozy-pouchdb","description":"Americano helpers to build Cozy applications faster with PouchDB","url":null,"keywords":"plugin cozy pouchdb americano","version":"0.3.15","words":"americano-cozy-pouchdb americano helpers to build cozy applications faster with pouchdb =mycozycloud plugin cozy pouchdb americano","author":"=mycozycloud","date":"2014-09-16 "},{"name":"amerigo","description":"rsync wrapper to keep remote and local directories in sync.","url":null,"keywords":"rsync scp","version":"0.2.2","words":"amerigo rsync wrapper to keep remote and local directories in sync. =zahanm rsync scp","author":"=zahanm","date":"2013-09-12 "},{"name":"amertak","keywords":"","version":[],"words":"amertak","author":"","date":"2014-04-25 "},{"name":"ametrine-view","description":"Ametrine component for handling and compiling views","url":null,"keywords":"views view ejs coffeekup coffee jade","version":"0.0.1","words":"ametrine-view ametrine component for handling and compiling views =vdemedes views view ejs coffeekup coffee jade","author":"=vdemedes","date":"2012-03-21 "},{"name":"amf","description":"\"Action Message Format\" read() and write() functions for Buffers","url":null,"keywords":"","version":"0.1.0","words":"amf \"action message format\" read() and write() functions for buffers =tootallnate","author":"=tootallnate","date":"2013-02-24 "},{"name":"amf-struct","description":"AMF0/AMF3 serializer and deserializer","url":null,"keywords":"","version":"0.1.0","words":"amf-struct amf0/amf3 serializer and deserializer =morhaus","author":"=morhaus","date":"2013-12-26 "},{"name":"amf_deserializer","description":"module to deserialize raw AMF post data","url":null,"keywords":"amf flash http deserializer","version":"0.0.6","words":"amf_deserializer module to deserialize raw amf post data =mekolat amf flash http deserializer","author":"=mekolat","date":"2013-07-22 "},{"name":"amfinav","description":"AMFI NAV Data for Mutual Funds in India.","url":null,"keywords":"","version":"0.0.4","words":"amfinav amfi nav data for mutual funds in india. =svoorakk","author":"=svoorakk","date":"2013-10-19 "},{"name":"amflib","description":"AMF library for NodeJS","url":null,"keywords":"flash AMF","version":"1.0.1","words":"amflib amf library for nodejs =timwhitlock flash amf","author":"=timwhitlock","date":"2013-07-03 "},{"name":"amg","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"amg ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"ami","description":"asterisk ami client","url":null,"keywords":"","version":"0.0.2","words":"ami asterisk ami client =brianc","author":"=brianc","date":"2012-01-07 "},{"name":"amiable","description":"An AWS EC2 AMI creation tool","url":null,"keywords":"AWS EC2 AMI","version":"0.0.0","words":"amiable an aws ec2 ami creation tool =leeatkinson aws ec2 ami","author":"=leeatkinson","date":"2014-06-04 "},{"name":"amico","description":"Relationships (e.g. friendships) backed by Redis","url":null,"keywords":"","version":"0.1.0","words":"amico relationships (e.g. friendships) backed by redis =cadwallion","author":"=cadwallion","date":"2012-03-08 "},{"name":"amid","description":"Another Mongo Internet Driver","url":null,"keywords":"mongodb mongo db web rest restful","version":"1.0.5","words":"amid another mongo internet driver =kobal mongodb mongo db web rest restful","author":"=kobal","date":"2013-11-01 "},{"name":"amigen","description":"Tool for generating Amazon EC2 AMI images with pre-installed software","url":null,"keywords":"AMI,AWS,EC2,Amazon","version":"1.0.0","words":"amigen tool for generating amazon ec2 ami images with pre-installed software =perfectapi ami,aws,ec2,amazon","author":"=perfectapi","date":"2012-01-04 "},{"name":"amigo","description":"AngularJS MongoDB Express NodeJS project generator","url":null,"keywords":"amigo express mongo structure angular generator","version":"0.7.3","words":"amigo angularjs mongodb express nodejs project generator =becevka amigo express mongo structure angular generator","author":"=becevka","date":"2013-10-25 "},{"name":"amigo2","description":"AmiGO 2 JS namespace bundle.","url":null,"keywords":"amigo amigo2 bbop gene ontology cross-platform","version":"2.2.2","words":"amigo2 amigo 2 js namespace bundle. =kltm amigo amigo2 bbop gene ontology cross-platform","author":"=kltm","date":"2014-08-18 "},{"name":"amiids","description":"AMIIDs for AWS.","url":null,"keywords":"amazon aws ec2","version":"0.0.2","words":"amiids amiids for aws. =nak2k amazon aws ec2","author":"=nak2k","date":"2013-09-04 "},{"name":"amino","description":"Clustering framework for Node.js","url":null,"keywords":"load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"1.1.5","words":"amino clustering framework for node.js =carlos8f load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2013-05-22 "},{"name":"amino-deploy","description":"command-line tool to deploy an application across a cluster of drones","url":null,"keywords":"cluster performance scaling deployment","version":"0.1.3","words":"amino-deploy command-line tool to deploy an application across a cluster of drones =carlos8f cluster performance scaling deployment","author":"=carlos8f","date":"2013-11-22 "},{"name":"amino-driver-amqp","description":"AMQP driver for amino","url":null,"keywords":"","version":"0.2.0","words":"amino-driver-amqp amqp driver for amino =carlos8f","author":"=carlos8f","date":"2012-05-03 "},{"name":"amino-driver-http","description":"HTTP driver for amino","url":null,"keywords":"","version":"0.4.1","words":"amino-driver-http http driver for amino =carlos8f","author":"=carlos8f","date":"2012-05-05 "},{"name":"amino-driver-redis","description":"Redis driver for amino","url":null,"keywords":"","version":"0.3.5","words":"amino-driver-redis redis driver for amino =carlos8f","author":"=carlos8f","date":"2012-08-08 "},{"name":"amino-drone","description":"drone daemon to receive deployments from amino-deploy","url":null,"keywords":"","version":"0.1.7","words":"amino-drone drone daemon to receive deployments from amino-deploy =carlos8f","author":"=carlos8f","date":"2014-01-06 "},{"name":"amino-gateway","description":"Clusterable load-balancer for Amino services","url":null,"keywords":"load-balancing load balancer failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"1.4.4","words":"amino-gateway clusterable load-balancer for amino services =carlos8f load-balancing load balancer failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2014-03-12 "},{"name":"amino-log","description":"logging daemon for amino applications","url":null,"keywords":"","version":"0.1.1","words":"amino-log logging daemon for amino applications =carlos8f","author":"=carlos8f","date":"2012-09-24 "},{"name":"amino-queue","description":"RabbitMQ plugin for amino 1.x","url":null,"keywords":"rabbitmq amqp queue job processing cluster bacon","version":"0.0.4","words":"amino-queue rabbitmq plugin for amino 1.x =carlos8f rabbitmq amqp queue job processing cluster bacon","author":"=carlos8f","date":"2013-04-23 "},{"name":"amino-redis","description":"Redis plugin for amino 1.x","url":null,"keywords":"load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"0.1.0","words":"amino-redis redis plugin for amino 1.x =carlos8f load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2013-05-22 "},{"name":"amino-request","description":"Service request plugin for amino 1.x","url":null,"keywords":"load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"0.2.3","words":"amino-request service request plugin for amino 1.x =carlos8f load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2013-04-11 "},{"name":"amino-service","description":"Decentralized service registry plugin for amino 1.x","url":null,"keywords":"load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"0.1.13","words":"amino-service decentralized service registry plugin for amino 1.x =carlos8f load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2014-05-15 "},{"name":"amino-spec","description":"Simple class for representing an amino service","url":null,"keywords":"load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","version":"0.1.0","words":"amino-spec simple class for representing an amino service =carlos8f load-balancing failover cluster scalability performance service pub/sub high-availability cloud redundancy ipc","author":"=carlos8f","date":"2012-08-24 "},{"name":"amionline","description":"For WebApps (especially offline-enabled apps) to determine online / offline status using browser, origin, amazon favicon.ico mechanizms","url":null,"keywords":"","version":"0.5.0","words":"amionline for webapps (especially offline-enabled apps) to determine online / offline status using browser, origin, amazon favicon.ico mechanizms =coolaj86","author":"=coolaj86","date":"2011-09-05 "},{"name":"amit-test","description":"test module","url":null,"keywords":"","version":"0.0.2","words":"amit-test test module =amidhawa","author":"=amidhawa","date":"2014-02-20 "},{"name":"aml","description":"A simple asynchronous module loader with dependency management.","url":null,"keywords":"module loader","version":"1.0.0","words":"aml a simple asynchronous module loader with dependency management. =xudafeng module loader","author":"=xudafeng","date":"2013-10-09 "},{"name":"amlich","description":"Converting date between Julian and Lunar calendar","url":null,"keywords":"Julian Lunar calendar convert","version":"0.0.2","words":"amlich converting date between julian and lunar calendar =vanng822 julian lunar calendar convert","author":"=vanng822","date":"2013-05-07 "},{"name":"amm","description":"a cross-browser javascript module manager","url":null,"keywords":"module loader browser","version":"0.0.4","words":"amm a cross-browser javascript module manager =xianlihua module loader browser","author":"=xianlihua","date":"2014-03-18 "},{"name":"ammeter","description":"a command-line tool for monitoring file size","url":null,"keywords":"monitor watch file size","version":"0.0.1","words":"ammeter a command-line tool for monitoring file size =vn monitor watch file size","author":"=vn","date":"2012-09-17 "},{"name":"amnc","description":"Detect the browser name, browser version, os name, plataform, country, region, city and others.","url":null,"keywords":"detect browser os plataform country region city api easy","version":"0.1.0","words":"amnc detect the browser name, browser version, os name, plataform, country, region, city and others. =chrisenytc detect browser os plataform country region city api easy","author":"=chrisenytc","date":"2014-05-01 "},{"name":"amnesia","description":"Easy memory sharing (javascript variable/json) between different machines and/or process for Node.js","url":null,"keywords":"memory sharing","version":"0.1.1","words":"amnesia easy memory sharing (javascript variable/json) between different machines and/or process for node.js =fermads memory sharing","author":"=fermads","date":"2012-10-03 "},{"name":"amo-version-reduce","description":"Simple utility that reduces the detailed host application version statistics","url":null,"keywords":"amo extension version statistics","version":"1.0.0","words":"amo-version-reduce simple utility that reduces the detailed host application version statistics =kpdecker amo extension version statistics","author":"=kpdecker","date":"2011-09-03 "},{"name":"amod","description":"amplitude modulator","url":null,"keywords":"","version":"2.0.0","words":"amod amplitude modulator =johnnyscript","author":"=johnnyscript","date":"2014-05-04 "},{"name":"amodule","keywords":"","version":[],"words":"amodule","author":"","date":"2014-07-20 "},{"name":"amoeba","description":"Common library for tidepool.org","url":null,"keywords":"common util misc","version":"0.1.1","words":"amoeba common library for tidepool.org =cheddar =tidepool-robot common util misc","author":"=cheddar =tidepool-robot","date":"2014-04-23 "},{"name":"amoeba-storybook","description":"Amoeba Storybook is a package used to create animated css3 presentations","url":null,"keywords":"","version":"0.1.1","words":"amoeba-storybook amoeba storybook is a package used to create animated css3 presentations =sgehrman","author":"=sgehrman","date":"2013-02-07 "},{"name":"amoebictemplating","description":"Templating with Javascript logic","url":null,"keywords":"","version":"0.0.5","words":"amoebictemplating templating with javascript logic =antiamoeba","author":"=antiamoeba","date":"2014-08-28 "},{"name":"amon","description":"node.js module for Amon","url":null,"keywords":"","version":"0.5.0","words":"amon node.js module for amon =martinrusev","author":"=martinrusev","date":"2012-08-02 "},{"name":"amon-client","description":"nodejs amon client, suport for http and zermq transport","url":null,"keywords":"amon zeromq logSystem","version":"0.1.3","words":"amon-client nodejs amon client, suport for http and zermq transport =looksgood amon zeromq logsystem","author":"=looksgood","date":"2012-11-28 "},{"name":"amon-node","description":"node.js module for Amon","url":null,"keywords":"","version":"0.0.1","words":"amon-node node.js module for amon =martinrusev","author":"=martinrusev","date":"2011-11-09 "},{"name":"amorphic","description":"Front to back isomorphic framework for developing applications with node.js and mongoDB","url":null,"keywords":"","version":"0.1.49","words":"amorphic front to back isomorphic framework for developing applications with node.js and mongodb =selsamman","author":"=selsamman","date":"2014-09-19 "},{"name":"amorphic-bindster","description":"bindster support for amorphic","url":null,"keywords":"","version":"0.1.23","words":"amorphic-bindster bindster support for amorphic =selsamman","author":"=selsamman","date":"2014-07-30 "},{"name":"amorphic-mandrill","description":"A sendMail module that interfaces with madrill","url":null,"keywords":"","version":"0.1.3","words":"amorphic-mandrill a sendmail module that interfaces with madrill =selsamman","author":"=selsamman","date":"2014-06-11 "},{"name":"amorphic-userman","description":"An amorphic module for basic identity management","url":null,"keywords":"","version":"0.1.10","words":"amorphic-userman an amorphic module for basic identity management =selsamman","author":"=selsamman","date":"2014-08-12 "},{"name":"amortize","description":"Calculate the interest paid, principal paid, remaining balance, and monthly payment of a loan.","url":null,"keywords":"money mortgage loan calculator finance financial browserify","version":"0.2.2","words":"amortize calculate the interest paid, principal paid, remaining balance, and monthly payment of a loan. =adamdscott =contolini money mortgage loan calculator finance financial browserify","author":"=adamdscott =contolini","date":"2014-08-29 "},{"name":"amp","description":"Abstract messaging protocol","url":null,"keywords":"amp actor message messaging zmq zeromq","version":"0.3.1","words":"amp abstract messaging protocol =tjholowaychuk =qard amp actor message messaging zmq zeromq","author":"=tjholowaychuk =qard","date":"2014-07-04 "},{"name":"amp-message","description":"Higher level Message object for the AMP protocol","url":null,"keywords":"amp actor message messaging zmq zeromq","version":"0.1.2","words":"amp-message higher level message object for the amp protocol =tjholowaychuk =qard amp actor message messaging zmq zeromq","author":"=tjholowaychuk =qard","date":"2014-07-04 "},{"name":"ampache","description":"Communicate to an Ampache server using the API","url":null,"keywords":"ampache owncloud viridian","version":"0.1.4","words":"ampache communicate to an ampache server using the api =bahamas10 ampache owncloud viridian","author":"=bahamas10","date":"2013-03-16 "},{"name":"ampe","description":"get the user's repos","url":null,"keywords":"ampe github","version":"0.0.1","words":"ampe get the user's repos =ampe ampe github","author":"=ampe","date":"2012-10-11 "},{"name":"ampersand","description":"CLI tool for generating single page apps a. la. http://humanjavascript.com","url":null,"keywords":"clientside cli single page apps","version":"2.0.0","words":"ampersand cli tool for generating single page apps a. la. http://humanjavascript.com =henrikjoreteg =latentflip =gar clientside cli single page apps","author":"=henrikjoreteg =latentflip =gar","date":"2014-08-27 "},{"name":"ampersand-array-input-view","description":"A view module for intelligently rendering and validating inputs that should produce an array of values. Works well with ampersand-form-view.","url":null,"keywords":"forms ampersand browser","version":"3.0.1","words":"ampersand-array-input-view a view module for intelligently rendering and validating inputs that should produce an array of values. works well with ampersand-form-view. =henrikjoreteg =latentflip =lukekarrys forms ampersand browser","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-avatar-field","keywords":"","version":[],"words":"ampersand-avatar-field","author":"","date":"2014-06-09 "},{"name":"ampersand-avatar-input-view","url":null,"keywords":"","version":"2.0.0","words":"ampersand-avatar-input-view =latentflip","author":"=latentflip","date":"2014-08-26 "},{"name":"ampersand-checkbox-view","description":"A view module for intelligently rendering and validating checkbox input. Works well with ampersand-form-view.","url":null,"keywords":"forms ampersand browser","version":"2.0.1","words":"ampersand-checkbox-view a view module for intelligently rendering and validating checkbox input. works well with ampersand-form-view. =henrikjoreteg =latentflip =lukekarrys forms ampersand browser","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-class-extend","description":"JS class extension tool for enabling easily extending prototype with multiple objects.","url":null,"keywords":"ampersand inheritance class","version":"1.0.1","words":"ampersand-class-extend js class extension tool for enabling easily extending prototype with multiple objects. =henrikjoreteg =latentflip =gar =lukekarrys ampersand inheritance class","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-collection","description":"A way to store/manage objects or models.","url":null,"keywords":"collection client mvc","version":"1.3.16","words":"ampersand-collection a way to store/manage objects or models. =henrikjoreteg =latentflip =gar =lukekarrys collection client mvc","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-11 "},{"name":"ampersand-collection-pouchdb-mixin","description":"A mixin for extending ampersand-collection with pouchdb persistance.","url":null,"keywords":"backbone sync pouchdb ampersand","version":"0.1.1","words":"ampersand-collection-pouchdb-mixin a mixin for extending ampersand-collection with pouchdb persistance. =svnlto backbone sync pouchdb ampersand","author":"=svnlto","date":"2014-09-02 "},{"name":"ampersand-collection-rest-mixin","description":"A mixin for extending ampersand-collection with restful methods.","url":null,"keywords":"ampersand collection underscore","version":"3.0.0","words":"ampersand-collection-rest-mixin a mixin for extending ampersand-collection with restful methods. =henrikjoreteg =latentflip ampersand collection underscore","author":"=henrikjoreteg =latentflip","date":"2014-08-02 "},{"name":"ampersand-collection-underscore-mixin","description":"A mixin for extending ampersand-collection with underscore methods.","url":null,"keywords":"ampersand collection underscore","version":"1.0.2","words":"ampersand-collection-underscore-mixin a mixin for extending ampersand-collection with underscore methods. =henrikjoreteg =latentflip =lukekarrys ampersand collection underscore","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-collection-view","description":"Renders a collection with one view per model within an element in a way that cleans up and unbinds all views when removed.","url":null,"keywords":"backbone collection view render","version":"1.1.2","words":"ampersand-collection-view renders a collection with one view per model within an element in a way that cleans up and unbinds all views when removed. =henrikjoreteg =latentflip =lukekarrys =gar backbone collection view render","author":"=henrikjoreteg =latentflip =lukekarrys =gar","date":"2014-09-12 "},{"name":"ampersand-dependency-mixin","description":"A mixin that provides dependency management for Ampersand.js and Backbone","url":null,"keywords":"ampersand dependency backbone","version":"0.2.3","words":"ampersand-dependency-mixin a mixin that provides dependency management for ampersand.js and backbone =wookiehangover ampersand dependency backbone","author":"=wookiehangover","date":"2014-08-14 "},{"name":"ampersand-dom","description":"Super light-weight DOM manipulation lib.","url":null,"keywords":"dom binding","version":"1.2.2","words":"ampersand-dom super light-weight dom manipulation lib. =henrikjoreteg =latentflip =lukekarrys dom binding","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-dom-bindings","description":"Takes binding declarations and returns key-tree-store of functions that can be used to apply those bindings.","url":null,"keywords":"dom bindings browser","version":"3.1.1","words":"ampersand-dom-bindings takes binding declarations and returns key-tree-store of functions that can be used to apply those bindings. =henrikjoreteg =latentflip =lukekarrys dom bindings browser","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-domthing-mixin","description":"A mixin for AmpersandView that makes data binding between your models and domthing templates happen automatically.","url":null,"keywords":"","version":"0.1.0","words":"ampersand-domthing-mixin a mixin for ampersandview that makes data binding between your models and domthing templates happen automatically. =latentflip =henrikjoreteg","author":"=latentflip =henrikjoreteg","date":"2014-07-16 "},{"name":"ampersand-form-view","description":"Completely customizable form lib for bulletproof clientside forms.","url":null,"keywords":"forms ampersand browser","version":"2.0.0","words":"ampersand-form-view completely customizable form lib for bulletproof clientside forms. =henrikjoreteg =latentflip =gar forms ampersand browser","author":"=henrikjoreteg =latentflip =gar","date":"2014-08-25 "},{"name":"ampersand-grouped-collection-view","description":"Render the items in a collection, where items may be grouped in batches (such as a list of chats grouped by sender)","url":null,"keywords":"","version":"1.0.1","words":"ampersand-grouped-collection-view render the items in a collection, where items may be grouped in batches (such as a list of chats grouped by sender) =lancestout","author":"=lancestout","date":"2014-08-26 "},{"name":"ampersand-input-view","description":"A view module for intelligently rendering and validating input. Works well with ampersand-form-view.","url":null,"keywords":"forms ampersand browser","version":"2.0.1","words":"ampersand-input-view a view module for intelligently rendering and validating input. works well with ampersand-form-view. =henrikjoreteg =latentflip =gar =lukekarrys forms ampersand browser","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-jid-datatype-mixin","description":"JID datatype for Ampersand state","url":null,"keywords":"","version":"1.0.0","words":"ampersand-jid-datatype-mixin jid datatype for ampersand state =lancestout","author":"=lancestout","date":"2014-08-19 "},{"name":"ampersand-model","description":"An extension to ampersand-state that adds methods and properties for working with a RESTful API.","url":null,"keywords":"model, ampersand, state","version":"4.0.2","words":"ampersand-model an extension to ampersand-state that adds methods and properties for working with a restful api. =henrikjoreteg =latentflip =gar =lukekarrys model, ampersand, state","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-model-patch-mixin","description":"\"Sync implementation for Ampersand and Backbone that implements the RFC 6902 json+patch spec on updates.\"","url":null,"keywords":"Ampersand Backbone json+patch RFC6902 sync","version":"1.0.0","words":"ampersand-model-patch-mixin \"sync implementation for ampersand and backbone that implements the rfc 6902 json+patch spec on updates.\" =aaronmccall ampersand backbone json+patch rfc6902 sync","author":"=aaronmccall","date":"2014-09-19 "},{"name":"ampersand-model-pouchdb-mixin","description":"A mixin for extending ampersand-model with pouchdb persistance.","url":null,"keywords":"model, ampersand, state","version":"0.1.1","words":"ampersand-model-pouchdb-mixin a mixin for extending ampersand-model with pouchdb persistance. =svnlto model, ampersand, state","author":"=svnlto","date":"2014-09-02 "},{"name":"ampersand-optimistic-sync","description":"A sync wrapper for Backbone.sync and ampersand-sync that implements optimistic concurrency in HTTP.","url":null,"keywords":"optimistic concurrency sync REST last-modified if-unmodified-since ampersandjs backbone","version":"1.0.0","words":"ampersand-optimistic-sync a sync wrapper for backbone.sync and ampersand-sync that implements optimistic concurrency in http. =aaronmccall optimistic concurrency sync rest last-modified if-unmodified-since ampersandjs backbone","author":"=aaronmccall","date":"2014-09-17 "},{"name":"ampersand-pouchdb-sync","description":"AmpersandJS PouchDB Sync Adapter","url":null,"keywords":"backbone sync pouchdb ampersand","version":"0.1.1","words":"ampersand-pouchdb-sync ampersandjs pouchdb sync adapter =svnlto backbone sync pouchdb ampersand","author":"=svnlto","date":"2014-09-02 "},{"name":"ampersand-registry","description":"Global model registry for tracking instantiated models accross collections.","url":null,"keywords":"models collection","version":"0.2.2","words":"ampersand-registry global model registry for tracking instantiated models accross collections. =henrikjoreteg =lukekarrys models collection","author":"=henrikjoreteg =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-rest-collection","description":"ampersand-collection with REST and Underscore mixins.","url":null,"keywords":"collection rest models","version":"2.0.3","words":"ampersand-rest-collection ampersand-collection with rest and underscore mixins. =henrikjoreteg =latentflip =gar =lukekarrys collection rest models","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-06 "},{"name":"ampersand-router","description":"Clientside router with fallbacks for browsers that don't support pushState. Mostly lifted from Backbone.js.","url":null,"keywords":"clientside router history","version":"1.0.5","words":"ampersand-router clientside router with fallbacks for browsers that don't support pushstate. mostly lifted from backbone.js. =henrikjoreteg =latentflip =lukekarrys clientside router history","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-11 "},{"name":"ampersand-select-view","description":"A view module for intelligently rendering and validating selectbox input. Works well with ampersand-form-view.","url":null,"keywords":"ampersand form view select","version":"2.1.1","words":"ampersand-select-view a view module for intelligently rendering and validating selectbox input. works well with ampersand-form-view. =henrikjoreteg =latentflip =lukekarrys ampersand form view select","author":"=henrikjoreteg =latentflip =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-state","description":"An observable, extensible state object with derived watchable properties.","url":null,"keywords":"model object observable","version":"4.3.11","words":"ampersand-state an observable, extensible state object with derived watchable properties. =henrikjoreteg =latentflip =gar =lukekarrys model object observable","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-19 "},{"name":"ampersand-subcollection","description":"Filterable, sortable, proxy of a collection that behaves like a collection.","url":null,"keywords":"collection mvc ampersand","version":"1.4.3","words":"ampersand-subcollection filterable, sortable, proxy of a collection that behaves like a collection. =henrikjoreteg =latentflip =gar =lukekarrys collection mvc ampersand","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-sync","description":"Standalone, modern-browser-only version of Backbone.Sync as Common JS module.","url":null,"keywords":"backbone sync rest ampersand","version":"2.0.4","words":"ampersand-sync standalone, modern-browser-only version of backbone.sync as common js module. =henrikjoreteg =latentflip =gar =lukekarrys backbone sync rest ampersand","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-11 "},{"name":"ampersand-sync-adapter","description":"A mixin for providing sync methods to Collection","url":null,"keywords":"ampersand collection underscore","version":"0.0.1","words":"ampersand-sync-adapter a mixin for providing sync methods to collection =fractal ampersand collection underscore","author":"=fractal","date":"2014-09-12 "},{"name":"ampersand-sync-promise","description":"Standalone, modern-browser-only version of Backbone.Sync as Common JS module. Fork of the original ampersand-js-sync, but instead returns a promise. All credit to original Ampersand JS team.","url":null,"keywords":"backbone sync rest ampersand","version":"1.0.0","words":"ampersand-sync-promise standalone, modern-browser-only version of backbone.sync as common js module. fork of the original ampersand-js-sync, but instead returns a promise. all credit to original ampersand js team. =sgrider backbone sync rest ampersand","author":"=sgrider","date":"2014-08-23 "},{"name":"ampersand-sync-with-promise","description":"Standalone, modern-browser-only version of Backbone.Sync as Common JS module. With a flavor of promise.","url":null,"keywords":"backbone sync rest ampersand","version":"1.0.2","words":"ampersand-sync-with-promise standalone, modern-browser-only version of backbone.sync as common js module. with a flavor of promise. =tringuyen backbone sync rest ampersand","author":"=tringuyen","date":"2014-09-08 "},{"name":"ampersand-view","description":"A smart base view for Backbone apps, to make it easy to bind collections and properties to the DOM.","url":null,"keywords":"backbone view browser browserify","version":"7.1.3","words":"ampersand-view a smart base view for backbone apps, to make it easy to bind collections and properties to the dom. =henrikjoreteg =latentflip =gar =lukekarrys backbone view browser browserify","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-12 "},{"name":"ampersand-view-conventions","description":"Ampersand's view conventions. Also written as a test you can use to test if your module follows the conventions.","url":null,"keywords":"ampersand view","version":"1.1.4","words":"ampersand-view-conventions ampersand's view conventions. also written as a test you can use to test if your module follows the conventions. =henrikjoreteg =latentflip =gar =lukekarrys ampersand view","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-06 "},{"name":"ampersand-view-jquery-mixin","description":"Support this.$ and this.$el in Ampersand views.","url":null,"keywords":"ampersand view browser","version":"1.0.0","words":"ampersand-view-jquery-mixin support this.$ and this.$el in ampersand views. =whobubble ampersand view browser","author":"=whobubble","date":"2014-08-22 "},{"name":"ampersand-view-switcher","description":"A utility for swapping out views inside a container element.","url":null,"keywords":"ampersand views backbone clientside","version":"1.0.5","words":"ampersand-view-switcher a utility for swapping out views inside a container element. =henrikjoreteg =latentflip =gar =lukekarrys ampersand views backbone clientside","author":"=henrikjoreteg =latentflip =gar =lukekarrys","date":"2014-09-04 "},{"name":"ampersand-webcam-snapshot-view","description":"An ampersand view which renders a video tag with a webrtc video stream, and allows you to take a snapshot. Currently aimed at avatars although should be easily configurable when I tidy it up.","url":null,"keywords":"","version":"2.0.0","words":"ampersand-webcam-snapshot-view an ampersand view which renders a video tag with a webrtc video stream, and allows you to take a snapshot. currently aimed at avatars although should be easily configurable when i tidy it up. =latentflip","author":"=latentflip","date":"2014-08-26 "},{"name":"ampersand-wildemitter-datatype-mixin","description":"WildEmitter datatype for Ampersand state","url":null,"keywords":"","version":"1.0.0","words":"ampersand-wildemitter-datatype-mixin wildemitter datatype for ampersand state =lancestout","author":"=lancestout","date":"2014-08-29 "},{"name":"amphibian","description":"pipe an ssh session to your browser","url":null,"keywords":"","version":"0.0.1","words":"amphibian pipe an ssh session to your browser =ecto","author":"=ecto","date":"2012-02-04 "},{"name":"amphibious","keywords":"","version":[],"words":"amphibious","author":"","date":"2014-04-05 "},{"name":"amphitheater","keywords":"","version":[],"words":"amphitheater","author":"","date":"2014-04-05 "},{"name":"ample","description":"A simple C style runtime that allows for safe evaluation of user-input expressions.","url":null,"keywords":"","version":"1.0.4","words":"ample a simple c style runtime that allows for safe evaluation of user-input expressions. =korynunn","author":"=korynunn","date":"2014-05-06 "},{"name":"amplify","description":"Amplify is a wrapper around the NodeJS http packages to help make development easier.","url":null,"keywords":"","version":"0.0.11","words":"amplify amplify is a wrapper around the nodejs http packages to help make development easier. =chafnan","author":"=chafnan","date":"2013-09-10 "},{"name":"amplifyjsify","description":"AmplifyJS lib for browsers - AmplifyJS v1.1.0","url":null,"keywords":"AmplifyJS","version":"0.0.3","words":"amplifyjsify amplifyjs lib for browsers - amplifyjs v1.1.0 =ablecoder amplifyjs","author":"=ablecoder","date":"2013-07-17 "},{"name":"ampline","description":"amp up your command line — assign variables to output from common commands. a great complement to tab completion","url":null,"keywords":"command line variables tab completion bash efficiency","version":"0.2.3","words":"ampline amp up your command line — assign variables to output from common commands. a great complement to tab completion =dtrejo command line variables tab completion bash efficiency","author":"=dtrejo","date":"2014-01-03 "},{"name":"amplitude-viewer","description":"render amplitudes like an oscilloscope in the browser given arrays of data","url":null,"keywords":"oscilloscope scope amplitude browser ui wave visualization","version":"0.0.2","words":"amplitude-viewer render amplitudes like an oscilloscope in the browser given arrays of data =substack oscilloscope scope amplitude browser ui wave visualization","author":"=substack","date":"2014-03-25 "},{"name":"ampm","description":"Data Dependence Async Module System(empty! preserved for future)","url":null,"keywords":"","version":"0.1.0","words":"ampm data dependence async module system(empty! preserved for future) =jin_preserved","author":"=jin_preserved","date":"2012-10-06 "},{"name":"amputate","keywords":"","version":[],"words":"amputate","author":"","date":"2014-04-05 "},{"name":"amq","description":"A nodejs AMQP implementation built on top of amqplib's channel-oriented api. Connection/Queue/Exchange constructors supporting auto-reconnection and backoff.","url":null,"keywords":"amqp amq queue rabbitmq amqplib","version":"0.4.8","words":"amq a nodejs amqp implementation built on top of amqplib's channel-oriented api. connection/queue/exchange constructors supporting auto-reconnection and backoff. =objectundefined amqp amq queue rabbitmq amqplib","author":"=objectundefined","date":"2014-02-25 "},{"name":"amqp","description":"AMQP driver for node","url":null,"keywords":"amqp","version":"0.2.0","words":"amqp amqp driver for node =ry =postwait amqp","author":"=ry =postwait","date":"2014-06-11 "},{"name":"amqp-as-promised","description":"A promise-based AMQP API build on node-amqp","url":null,"keywords":"amqp promises q","version":"0.2.2","words":"amqp-as-promised a promise-based amqp api build on node-amqp =fred-o =algesten amqp promises q","author":"=fred-o =algesten","date":"2014-09-18 "},{"name":"amqp-coffee","description":"AMQP driver for node","url":null,"keywords":"amqp","version":"0.1.19","words":"amqp-coffee amqp driver for node =barshow amqp","author":"=barshow","date":"2014-09-16 "},{"name":"amqp-connect","description":"Establish a connection to an AMQP server.","url":null,"keywords":"","version":"0.0.1","words":"amqp-connect establish a connection to an amqp server. =johndoe90","author":"=johndoe90","date":"2014-08-18 "},{"name":"amqp-dl","description":"AMQP driver for node","url":null,"keywords":"amqp","version":"0.2.1-1","words":"amqp-dl amqp driver for node =albert-lacki amqp","author":"=albert-lacki","date":"2014-06-24 "},{"name":"amqp-dsl","description":"Amqp-DSL - Fluent interface for node-amqp","url":null,"keywords":"amqp dsl","version":"1.0.6","words":"amqp-dsl amqp-dsl - fluent interface for node-amqp =fgribreau amqp dsl","author":"=fgribreau","date":"2013-03-13 "},{"name":"amqp-eventemitter","description":"EventEmitter over AMQP","url":null,"keywords":"amqp eventemitter","version":"0.5.1","words":"amqp-eventemitter eventemitter over amqp =alexgorbatchev amqp eventemitter","author":"=alexgorbatchev","date":"2013-11-19 "},{"name":"amqp-events","description":"An EventEmitter metaphor for amqplib.","url":null,"keywords":"amqp RabbitMQ","version":"0.2.2","words":"amqp-events an eventemitter metaphor for amqplib. =edj amqp rabbitmq","author":"=edj","date":"2014-01-05 "},{"name":"amqp-gelf-stream","description":"Creates a stream to work with bunyan to send log messages to an amqp server in gelf format. This is derivative of gelf-stream which provides a direct connection to a Graylog2 server.","url":null,"keywords":"gelf stream amqp bunyan graylog graylog2","version":"0.1.3","words":"amqp-gelf-stream creates a stream to work with bunyan to send log messages to an amqp server in gelf format. this is derivative of gelf-stream which provides a direct connection to a graylog2 server. =wilwang gelf stream amqp bunyan graylog graylog2","author":"=wilwang","date":"2014-03-14 "},{"name":"amqp-logger","description":"Logging to amqp and to your own application tracer (for example console)","url":null,"keywords":"amqp connect gateway","version":"0.0.3","words":"amqp-logger logging to amqp and to your own application tracer (for example console) =burlak amqp connect gateway","author":"=burlak","date":"2014-06-03 "},{"name":"amqp-mock","description":"AMQP mocking and expectations library","url":null,"keywords":"","version":"0.1.4-1","words":"amqp-mock amqp mocking and expectations library =rstuven","author":"=rstuven","date":"2013-02-12 "},{"name":"amqp-node4","description":"AMQP driver for node","url":null,"keywords":"amqp-node4","version":"0.2.1-2","words":"amqp-node4 amqp driver for node =albert-lacki amqp-node4","author":"=albert-lacki","date":"2014-06-25 "},{"name":"amqp-pool","keywords":"","version":[],"words":"amqp-pool","author":"","date":"2014-08-12 "},{"name":"amqp-request-reply","description":"node-amqp-request-reply =======================","url":null,"keywords":"","version":"0.0.3","words":"amqp-request-reply node-amqp-request-reply ======================= =lennon","author":"=lennon","date":"2013-12-10 "},{"name":"amqp-retry","description":"Requeue messages with exponential delay","url":null,"keywords":"amqp rabbitmq","version":"0.0.7","words":"amqp-retry requeue messages with exponential delay =lennon amqp rabbitmq","author":"=lennon","date":"2013-12-20 "},{"name":"amqp-rpc","description":"AMQP RPC driver for node.js","url":null,"keywords":"amqp rpc","version":"0.0.8","words":"amqp-rpc amqp rpc driver for node.js =goldix amqp rpc","author":"=goldix","date":"2014-05-07 "},{"name":"amqp-schedule","description":"Schedule jobs with `amqp`","url":null,"keywords":"amqp rabbitmq scheduler","version":"0.0.5","words":"amqp-schedule schedule jobs with `amqp` =lennon amqp rabbitmq scheduler","author":"=lennon","date":"2013-12-19 "},{"name":"amqp-sqs","description":"AMQP facade for SQS","url":null,"keywords":"amqp aws sqs","version":"0.7.0","words":"amqp-sqs amqp facade for sqs =markbirbeck amqp aws sqs","author":"=markbirbeck","date":"2014-01-30 "},{"name":"amqp-stats","description":"Interface for RabbitMQ Management statistics. http://www.rabbitmq.com/management.html","url":null,"keywords":"","version":"0.0.14","words":"amqp-stats interface for rabbitmq management statistics. http://www.rabbitmq.com/management.html =timisbusy =flybyme","author":"=timisbusy =flybyme","date":"2014-08-14 "},{"name":"amqp-stream","description":"Stream interface to node's AMQP driver","url":null,"keywords":"amqp stream","version":"0.1.0","words":"amqp-stream stream interface to node's amqp driver =jasonpincin amqp stream","author":"=jasonpincin","date":"2012-10-28 "},{"name":"amqp-tool","description":"Rabbitmq-tool - import/export data from a RabbitMQ broker","url":null,"keywords":"amqp rabbitmq tool export import","version":"0.0.8","words":"amqp-tool rabbitmq-tool - import/export data from a rabbitmq broker =fgribreau amqp rabbitmq tool export import","author":"=fgribreau","date":"2013-07-01 "},{"name":"amqp-topic-pub-consume","description":"Simple lib to listen/send to a Message queue","url":null,"keywords":"amqp publish message queue consume","version":"0.0.1","words":"amqp-topic-pub-consume simple lib to listen/send to a message queue =smlgbl amqp publish message queue consume","author":"=smlgbl","date":"2014-04-09 "},{"name":"amqp-transport","description":"a winston transport using amqp","url":null,"keywords":"","version":"0.0.5","words":"amqp-transport a winston transport using amqp =oneminute","author":"=oneminute","date":"2014-09-11 "},{"name":"amqp-vent","description":"PubSub message bus over rabbitmq","url":null,"keywords":"","version":"0.0.7","words":"amqp-vent pubsub message bus over rabbitmq =gonzohunter","author":"=gonzohunter","date":"2014-08-14 "},{"name":"amqp-watcher","description":"A tool to get and send messages from an amqp server from the command line","url":null,"keywords":"cli amqp rabbitmq log see watcher","version":"0.0.2","words":"amqp-watcher a tool to get and send messages from an amqp server from the command line =killfill cli amqp rabbitmq log see watcher","author":"=killfill","date":"2012-03-23 "},{"name":"amqp-website-capturer","keywords":"","version":[],"words":"amqp-website-capturer","author":"","date":"2014-04-30 "},{"name":"amqp-wrapper","description":"A wrapper around https://github.com/squaremo/amqp.node to make consuming and publishing dead easy.","url":null,"keywords":"amqp wrapper rabbitmq","version":"4.1.0","words":"amqp-wrapper a wrapper around https://github.com/squaremo/amqp.node to make consuming and publishing dead easy. =timlesallen amqp wrapper rabbitmq","author":"=timlesallen","date":"2014-09-03 "},{"name":"amqp_demo","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"amqp_demo error: no readme.md file found! =lodengo","author":"=lodengo","date":"2013-05-17 "},{"name":"amqplib","description":"An AMQP 0-9-1 (e.g., RabbitMQ) library and client.","url":null,"keywords":"AMQP AMQP 0-9-1 RabbitMQ","version":"0.2.1","words":"amqplib an amqp 0-9-1 (e.g., rabbitmq) library and client. =squaremo amqp amqp 0-9-1 rabbitmq","author":"=squaremo","date":"2014-08-07 "},{"name":"amqpsnoop","description":"snoop AMQP messages","url":null,"keywords":"amqp snoop command tool","version":"0.2.0","words":"amqpsnoop snoop amqp messages =dap amqp snoop command tool","author":"=dap","date":"2012-10-10 "},{"name":"amqputil","description":"A thin wrapper around the amqp node module","url":null,"keywords":"","version":"0.0.22","words":"amqputil a thin wrapper around the amqp node module =mindflash","author":"=mindflash","date":"2014-06-27 "},{"name":"amqpworkers","description":"amqpworkers","url":null,"keywords":"","version":"0.0.3","words":"amqpworkers amqpworkers =lights-of-apollo","author":"=lights-of-apollo","date":"2014-03-05 "},{"name":"amr","description":"Amr 打包工具","url":null,"keywords":"amr","version":"0.0.1","words":"amr amr 打包工具 =alexyan amr","author":"=alexyan","date":"2014-05-17 "},{"name":"amrio-seajs-builder","description":"seajs module builder","url":null,"keywords":"seajs seajs-build seajs-builder grunt-cmd-transport grunt-cmd-concat","version":"0.0.5","words":"amrio-seajs-builder seajs module builder =amrio seajs seajs-build seajs-builder grunt-cmd-transport grunt-cmd-concat","author":"=amrio","date":"2014-05-28 "},{"name":"amrio-watcher","description":"file watcher","url":null,"keywords":"watcher","version":"0.0.6","words":"amrio-watcher file watcher =amrio watcher","author":"=amrio","date":"2014-07-19 "},{"name":"amrophic-mandrill","keywords":"","version":[],"words":"amrophic-mandrill","author":"","date":"2014-06-10 "},{"name":"ams","description":"ams - asset management system - plugin enabled build tool with jquery like API","url":null,"keywords":"build tool static server minify minifier compressor processor base64 cssmin uglifyjs vendor css amd transport dependencies manager","version":"0.2.10","words":"ams ams - asset management system - plugin enabled build tool with jquery like api =kof build tool static server minify minifier compressor processor base64 cssmin uglifyjs vendor css amd transport dependencies manager","author":"=kof","date":"2014-03-06 "},{"name":"amt","description":"Node API for Amazon Mechanical Turk","url":null,"keywords":"","version":"0.1.4","words":"amt node api for amazon mechanical turk =volox","author":"=volox","date":"2014-08-13 "},{"name":"amtoolbelt","keywords":"","version":[],"words":"amtoolbelt","author":"","date":"2014-06-19 "},{"name":"amui-hbs-helper","description":"Amaze UI widget partials and helpers.","url":null,"keywords":"AMUI AmazeUI handlebars AllMobilize","version":"0.0.3","words":"amui-hbs-helper amaze ui widget partials and helpers. =minwe amui amazeui handlebars allmobilize","author":"=minwe","date":"2014-07-18 "},{"name":"amulet","description":"As-soon-as-possible streaming async mustache templating","url":null,"keywords":"template mustache mu asynchronous streaming nodeps","version":"1.0.7","words":"amulet as-soon-as-possible streaming async mustache templating =chbrown template mustache mu asynchronous streaming nodeps","author":"=chbrown","date":"2014-01-14 "},{"name":"amygdala","description":"RESTful HTTP library for JavaScript powered web applications","url":null,"keywords":"REST client http API localStorage store browser library cache ajax offline","version":"0.3.6","words":"amygdala restful http library for javascript powered web applications =mlouro rest client http api localstorage store browser library cache ajax offline","author":"=mlouro","date":"2014-08-19 "},{"name":"amz","description":"Amazon EC2 cli on coffee-script","url":null,"keywords":"amazon ec2 cli","version":"0.4.5","words":"amz amazon ec2 cli on coffee-script =selead amazon ec2 cli","author":"=selead","date":"2012-11-06 "},{"name":"an","description":"Angular + NPM: Publish your AngularJS modules to npm","url":null,"keywords":"","version":"0.0.7","words":"an angular + npm: publish your angularjs modules to npm =anvaka","author":"=anvaka","date":"2014-09-09 "},{"name":"an-array-of-english-words","description":"An array of ~275,000 English words. Work with Node and Browserify.","url":null,"keywords":"","version":"1.0.0","words":"an-array-of-english-words an array of ~275,000 english words. work with node and browserify. =zeke","author":"=zeke","date":"2014-09-01 "},{"name":"an-async","description":"Checks if the given API is an async or not.","url":null,"keywords":"async check","version":"0.1.0","words":"an-async checks if the given api is an async or not. =hemanth async check","author":"=hemanth","date":"2014-03-30 "},{"name":"an-illusion","description":"Intuition API emulation and documentation.","url":null,"keywords":"REST fake doc tool development","version":"0.1.1","words":"an-illusion intuition api emulation and documentation. =hackliff rest fake doc tool development","author":"=hackliff","date":"2014-09-13 "},{"name":"an.hour.ago","description":"DSL for expressing and comparing dates and times","url":null,"keywords":"","version":"0.3.0","words":"an.hour.ago dsl for expressing and comparing dates and times =davidchambers","author":"=davidchambers","date":"2013-01-27 "},{"name":"ana","description":"Ana is a wrapper for google translate's tts service.","url":null,"keywords":"","version":"0.0.3","words":"ana ana is a wrapper for google translate's tts service. =robertwhurst","author":"=robertwhurst","date":"2014-02-26 "},{"name":"anachronism","description":"A binding to the 'anachronism' Telnet library.","url":null,"keywords":"telnet","version":"0.2.0","words":"anachronism a binding to the 'anachronism' telnet library. =twisol telnet","author":"=twisol","date":"2011-10-27 "},{"name":"anachronisync","description":"A sync wrapper for Backbone.sync and ampersand-sync that groks last-modified and if-unmodified since","url":null,"keywords":"sync REST last-modified if-unmodified-since ampersandjs backbone","version":"0.2.0","words":"anachronisync a sync wrapper for backbone.sync and ampersand-sync that groks last-modified and if-unmodified since =aaronmccall sync rest last-modified if-unmodified-since ampersandjs backbone","author":"=aaronmccall","date":"2014-09-12 "},{"name":"anachronize","description":"Expose a specific format of UMD modules as global vars","url":null,"keywords":"umd amd","version":"0.4.1","words":"anachronize expose a specific format of umd modules as global vars =briancavalier umd amd","author":"=briancavalier","date":"2013-06-27 "},{"name":"anagram","description":"a simple anagram generator","url":null,"keywords":"anagram scrabble nodeagram","version":"0.4.0","words":"anagram a simple anagram generator =ryan-nauman anagram scrabble nodeagram","author":"=ryan-nauman","date":"2012-04-19 "},{"name":"anagram-finder","description":"Anagram Finder module can be used for finding anagrams.","url":null,"keywords":"anagram finder word","version":"1.0.0","words":"anagram-finder anagram finder module can be used for finding anagrams. =cmfatih anagram finder word","author":"=cmfatih","date":"2014-07-04 "},{"name":"anagramica","description":"Anagramica API wrapper","url":null,"keywords":"anagramica anagram anagrams dictionary","version":"1.0.1","words":"anagramica anagramica api wrapper =kenan anagramica anagram anagrams dictionary","author":"=kenan","date":"2014-06-04 "},{"name":"anagrams","description":"Check if multiple strings are anagrams.","url":null,"keywords":"","version":"1.0.2","words":"anagrams check if multiple strings are anagrams. =michalbe","author":"=michalbe","date":"2014-07-18 "},{"name":"analog","description":"Analog imperfections for your digital images.","url":null,"keywords":"","version":"0.2.2","words":"analog analog imperfections for your digital images. =trusktr","author":"=trusktr","date":"2013-09-21 "},{"name":"analogin","description":"Read from the analog inputs on (currently) a BeagleBone Black","url":null,"keywords":"beaglebone analogread input analog nodebots","version":"0.0.2","words":"analogin read from the analog inputs on (currently) a beaglebone black =bryce beaglebone analogread input analog nodebots","author":"=bryce","date":"2014-07-29 "},{"name":"analyses","description":"basic data flow analyses framework based on esprima","url":null,"keywords":"DFA data flow analysis esprima","version":"0.2.1","words":"analyses basic data flow analyses framework based on esprima =swatinem dfa data flow analysis esprima","author":"=swatinem","date":"2013-12-15 "},{"name":"analyst","description":"Crank out the queries, spread the love.","url":null,"keywords":"report analysis sql query mysql postgresql sqlserver","version":"0.0.8","words":"analyst crank out the queries, spread the love. =dpritchett report analysis sql query mysql postgresql sqlserver","author":"=dpritchett","date":"2013-12-09 "},{"name":"analytics","description":"Analytics Module","url":null,"keywords":"","version":"0.0.1","words":"analytics analytics module =slexaxton","author":"=slexaxton","date":"2011-05-05 "},{"name":"analytics-events","description":"Analytics Events.","url":null,"keywords":"","version":"1.1.0","words":"analytics-events analytics events. =segmentio =segment","author":"=segmentio =segment","date":"2014-09-05 "},{"name":"analytics-include","description":"Include everywhere in your chrome extension to patch an analytics api.","url":null,"keywords":"","version":"1.0.5","words":"analytics-include include everywhere in your chrome extension to patch an analytics api. =devinrhode2","author":"=devinrhode2","date":"2013-04-02 "},{"name":"analytics-node","description":"The hassle-free way to integrate analytics into any node application.","url":null,"keywords":"analytics segment.io segmentio client driver analytics","version":"1.1.0","words":"analytics-node the hassle-free way to integrate analytics into any node application. =ivolo =segmentio =travisjeffery analytics segment.io segmentio client driver analytics","author":"=ivolo =segmentio =travisjeffery","date":"2014-08-22 "},{"name":"analytics.js","description":"The hassle-free way to integrate analytics into any web application.","url":null,"keywords":"analytics analytics.js segment segment.io","version":"1.5.2","words":"analytics.js the hassle-free way to integrate analytics into any web application. =xeoncore analytics analytics.js segment segment.io","author":"=xeoncore","date":"2014-05-21 "},{"name":"analyticsd","description":"Daemon to classify log file events and upload them to Google Analytics","url":null,"keywords":"","version":"1.0.0","words":"analyticsd daemon to classify log file events and upload them to google analytics =jyujin","author":"=jyujin","date":"2014-09-19 "},{"name":"analyze","description":"analyze -------","url":null,"keywords":"","version":"0.0.14","words":"analyze analyze ------- =mdevils","author":"=mdevils","date":"2013-11-20 "},{"name":"analyze-css","description":"CSS selectors complexity and performance analyzer","url":null,"keywords":"css analyzer complexity webperf","version":"0.5.0","words":"analyze-css css selectors complexity and performance analyzer =macbre css analyzer complexity webperf","author":"=macbre","date":"2014-08-10 "},{"name":"aname-poll","description":"Node module that updates A/AAAA records for domains in Redis","url":null,"keywords":"dns redis","version":"0.1.0","words":"aname-poll node module that updates a/aaaa records for domains in redis =stuartpb dns redis","author":"=stuartpb","date":"2014-02-07 "},{"name":"ananke","description":"DataSource agnostic Model, Document and Validation layer","url":null,"keywords":"datasource model validation","version":"0.0.9","words":"ananke datasource agnostic model, document and validation layer =nullfox datasource model validation","author":"=nullfox","date":"2014-08-29 "},{"name":"anapi","description":"simple dynamic api builder","url":null,"keywords":"anapi api websocket call","version":"0.0.4","words":"anapi simple dynamic api builder =hakt0r anapi api websocket call","author":"=hakt0r","date":"2013-10-29 "},{"name":"anarch","description":"Distributed","url":null,"keywords":"","version":"0.1.0","words":"anarch distributed =ozanturgut","author":"=ozanturgut","date":"2013-04-13 "},{"name":"anatomy","description":"An opinionated yet open-ended framework for Node.js projects based on the human body.","url":null,"keywords":"anatomy framework mvc boilerplate","version":"0.0.1","words":"anatomy an opinionated yet open-ended framework for node.js projects based on the human body. =suitupalex anatomy framework mvc boilerplate","author":"=suitupalex","date":"2014-09-11 "},{"name":"anatomy-client","description":"Client side code for Backbone","url":null,"keywords":"","version":"0.0.1","words":"anatomy-client client side code for backbone =shanejonas","author":"=shanejonas","date":"2013-03-23 "},{"name":"anatomy-compositeview","description":"Server/client side Backbone CompositeView","url":null,"keywords":"","version":"0.0.2","words":"anatomy-compositeview server/client side backbone compositeview =shanejonas","author":"=shanejonas","date":"2013-03-23 "},{"name":"anatomy-server","description":"Server side Backbone code","url":null,"keywords":"","version":"0.0.3","words":"anatomy-server server side backbone code =shanejonas","author":"=shanejonas","date":"2013-03-24 "},{"name":"anatomy-shared","description":"Shared code for backbone","url":null,"keywords":"","version":"0.0.1","words":"anatomy-shared shared code for backbone =shanejonas","author":"=shanejonas","date":"2013-03-23 "},{"name":"anatomy-view","description":"Server/client side Backbone View","url":null,"keywords":"","version":"0.0.2","words":"anatomy-view server/client side backbone view =shanejonas","author":"=shanejonas","date":"2013-03-23 "},{"name":"anbu","description":"javascript encrypt&confusion","url":null,"keywords":"","version":"0.1.1","words":"anbu javascript encrypt&confusion =army8735","author":"=army8735","date":"2014-06-06 "},{"name":"anccnet","keywords":"","version":[],"words":"anccnet","author":"","date":"2012-11-28 "},{"name":"ancestor","description":"find the lowest common ancestor in a directed, acyclic graph","url":null,"keywords":"","version":"0.1.3","words":"ancestor find the lowest common ancestor in a directed, acyclic graph =mirkok","author":"=mirkok","date":"2013-09-08 "},{"name":"ancestor-of","description":"Test if a node is an ancestor of another node in a tree","url":null,"keywords":"ancestor query tree json preprocess","version":"1.0.0","words":"ancestor-of test if a node is an ancestor of another node in a tree =mikolalysenko ancestor query tree json preprocess","author":"=mikolalysenko","date":"2014-04-02 "},{"name":"ancestors","description":"return a list of all of a DOM nodes parents, optionally filtered","url":null,"keywords":"DOM parentNode parents traversal","version":"0.0.3","words":"ancestors return a list of all of a dom nodes parents, optionally filtered =chrisdickinson dom parentnode parents traversal","author":"=chrisdickinson","date":"2013-03-05 "},{"name":"ancho-firefox","description":"Cross-browser extension framework based on the Chrome extension API","url":null,"keywords":"","version":"0.8.1","words":"ancho-firefox cross-browser extension framework based on the chrome extension api =salsita","author":"=salsita","date":"2013-08-12 "},{"name":"anchor","description":"Recursive validation library with support for objects and lists","url":null,"keywords":"validation recursive-validator nested validator strict-types web-framework type-coercion waterline validate-parameters sails.js sails","version":"0.9.13","words":"anchor recursive validation library with support for objects and lists =balderdashy =particlebanana =sgress454 validation recursive-validator nested validator strict-types web-framework type-coercion waterline validate-parameters sails.js sails","author":"=balderdashy =particlebanana =sgress454","date":"2014-06-20 "},{"name":"anchor-markdown-header","description":"Generates an anchor for a markdown header.","url":null,"keywords":"markdown anchor link regex github readme","version":"0.3.8","words":"anchor-markdown-header generates an anchor for a markdown header. =thlorenz markdown anchor link regex github readme","author":"=thlorenz","date":"2014-04-23 "},{"name":"anchor-validator","description":"Combination of waterline validation and Mike's Recursive validation library with support for objects and lists","url":null,"keywords":"","version":"0.9.6","words":"anchor-validator combination of waterline validation and mike's recursive validation library with support for objects and lists =nyxtom","author":"=nyxtom","date":"2013-10-20 "},{"name":"anchorman","description":"reporter library","url":null,"keywords":"reporter library events","version":"0.1.1","words":"anchorman reporter library =leostera reporter library events","author":"=leostera","date":"2013-09-21 "},{"name":"anchornate","description":"converst urls to anchors","url":null,"keywords":"","version":"0.0.2","words":"anchornate converst urls to anchors =korynunn","author":"=korynunn","date":"2013-11-04 "},{"name":"anchors","description":"Extract anchor tags from HTML and parse them into objects with useful information.","url":null,"keywords":"a tag anchor href html cheerio parse extract link","version":"0.1.2","words":"anchors extract anchor tags from html and parse them into objects with useful information. =jonschlinkert a tag anchor href html cheerio parse extract link","author":"=jonschlinkert","date":"2014-03-20 "},{"name":"ancient-morse-translator","description":"Just a fun brain teaser","url":null,"keywords":"","version":"0.0.0","words":"ancient-morse-translator just a fun brain teaser =jesseditson","author":"=jesseditson","date":"2013-02-25 "},{"name":"ancient-oak","description":"Immutable data trees library","url":null,"keywords":"immutable data structures data trees functional fp","version":"0.3.4","words":"ancient-oak immutable data trees library =brainshave immutable data structures data trees functional fp","author":"=brainshave","date":"2014-07-23 "},{"name":"ancillary","description":"a library for node.js that allows you to send sockets to other processes","url":null,"keywords":"","version":"2.0.0","words":"ancillary a library for node.js that allows you to send sockets to other processes =vancoding","author":"=VanCoding","date":"2013-04-17 "},{"name":"ancillary-http","description":"A library that allows you to move incoming http request to other, unrelated processes using the module 'ancillary'","url":null,"keywords":"ancillary","version":"1.0.0","words":"ancillary-http a library that allows you to move incoming http request to other, unrelated processes using the module 'ancillary' =vancoding ancillary","author":"=VanCoding","date":"2013-11-08 "},{"name":"ancs","description":"A node.js lib to access the Apple Notification Center Service (ANCS)","url":null,"keywords":"ANCS Apple Notification Center Service Apple Notification Center Service iOS","version":"0.0.2","words":"ancs a node.js lib to access the apple notification center service (ancs) =sandeepmistry ancs apple notification center service apple notification center service ios","author":"=sandeepmistry","date":"2013-10-03 "},{"name":"and","description":"P2P Team chat & todo solution","url":null,"keywords":"p2p team chat todo distributed offline","version":"0.0.0","words":"and p2p team chat & todo solution =juliangruber p2p team chat todo distributed offline","author":"=juliangruber","date":"2013-10-13 "},{"name":"and-stream","description":"Filter multiple-streams of incoming objects, and only return objects that are present in all streams.","url":null,"keywords":"and intersect join stream streams pipe all","version":"0.0.2","words":"and-stream filter multiple-streams of incoming objects, and only return objects that are present in all streams. =eugeneware and intersect join stream streams pipe all","author":"=eugeneware","date":"2013-09-06 "},{"name":"and-then","description":"A minimal CommonJS Promises/A library with a twist.","url":null,"keywords":"async deferred promise future","version":"0.1.0","words":"and-then a minimal commonjs promises/a library with a twist. =aravindet async deferred promise future","author":"=aravindet","date":"2013-05-12 "},{"name":"and1","description":"Queues your asynchronous calls in the order they were made.","url":null,"keywords":"and1 queue promise when async","version":"0.1.0","words":"and1 queues your asynchronous calls in the order they were made. =jswartwood and1 queue promise when async","author":"=jswartwood","date":"2012-02-10 "},{"name":"andamio","description":"MPIB Andamio","url":null,"keywords":"mpib andamio","version":"0.0.8","words":"andamio mpib andamio =jblancogl mpib andamio","author":"=jblancogl","date":"2014-07-03 "},{"name":"andamio-query-pagination","description":"andamio query pagination","url":null,"keywords":"andamio query pagination","version":"0.0.1","words":"andamio-query-pagination andamio query pagination =jblancogl andamio query pagination","author":"=jblancogl","date":"2014-07-03 "},{"name":"andamio-query-sort","description":"andamio query sort","url":null,"keywords":"andamio query sort","version":"0.0.3","words":"andamio-query-sort andamio query sort =jblancogl andamio query sort","author":"=jblancogl","date":"2014-07-17 "},{"name":"andbang","description":"Client for andbang api","url":null,"keywords":"","version":"0.2.0","words":"andbang client for andbang api =henrikjoreteg =lancestout =gar =hjon =andyet","author":"=henrikjoreteg =lancestout =gar =hjon =andyet","date":"2014-08-06 "},{"name":"andbang-cli","description":"CLI and REPL for andbang","url":null,"keywords":"","version":"1.0.0","words":"andbang-cli cli and repl for andbang =lukekarrys","author":"=lukekarrys","date":"2014-08-02 "},{"name":"andbang-express-auth","description":"Dead simple And Bang auth middleware.","url":null,"keywords":"","version":"0.0.10","words":"andbang-express-auth dead simple and bang auth middleware. =henrikjoreteg =adam_baldwin =lancestout =nlf =gar","author":"=henrikjoreteg =adam_baldwin =lancestout =nlf =gar","date":"2013-09-25 "},{"name":"anders","description":"This is me","url":null,"keywords":"Anders me Anders Olsen Sandvik andersos","version":"0.0.4","words":"anders this is me =andersos anders me anders olsen sandvik andersos","author":"=andersos","date":"2014-06-08 "},{"name":"andersos","description":"This is me","url":null,"keywords":"Anders me Anders Olsen Sandvik andersos","version":"0.0.1","words":"andersos this is me =andersos anders me anders olsen sandvik andersos","author":"=andersos","date":"2014-06-08 "},{"name":"andlog","description":"Super-simple, client-side CommonJS logging thingy","url":null,"keywords":"","version":"1.0.0","words":"andlog super-simple, client-side commonjs logging thingy =henrikjoreteg","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"andrag","description":"A library to orchestrate deployments in a multi-cloud environment.","url":null,"keywords":"","version":"0.0.1","words":"andrag a library to orchestrate deployments in a multi-cloud environment. =pchico83","author":"=pchico83","date":"2014-07-23 "},{"name":"andrag-cli","description":"A CLI to orchestrate deployments in a multi-cloud environment.","url":null,"keywords":"","version":"0.0.0","words":"andrag-cli a cli to orchestrate deployments in a multi-cloud environment. =pchico83","author":"=pchico83","date":"2014-07-23 "},{"name":"andre","description":"a Node.js file-watching template compiler for ejs and underscore templates","url":null,"keywords":"node.js node ejs underscore compiler template files file-watcher watcher","version":"0.0.2","words":"andre a node.js file-watching template compiler for ejs and underscore templates =fshost node.js node ejs underscore compiler template files file-watcher watcher","author":"=fshost","date":"2013-07-26 "},{"name":"andrea-figaccione","keywords":"","version":[],"words":"andrea-figaccione","author":"","date":"2014-06-12 "},{"name":"andrewliumodule","description":"For Learning","url":null,"keywords":"","version":"0.0.1","words":"andrewliumodule for learning =andrewliu","author":"=andrewliu","date":"2013-10-23 "},{"name":"andrewstuarttctest","keywords":"","version":[],"words":"andrewstuarttctest","author":"","date":"2014-07-19 "},{"name":"andreys","description":"A","url":null,"keywords":"","version":"0.1.0","words":"andreys a =andreytsarenko","author":"=andreytsarenko","date":"2013-11-12 "},{"name":"andreyvit-gently","keywords":"","version":[],"words":"andreyvit-gently =andreyvit","author":"=andreyvit","date":"2012-04-09 "},{"name":"android","description":"various android utils & commands for node","url":null,"keywords":"android adb","version":"0.0.7","words":"android various android utils & commands for node =benmonro android adb","author":"=benmonro","date":"2014-05-01 "},{"name":"android-gcm","description":"A simple interface for Google Cloud Messaging (GCM) in Node.js","url":null,"keywords":"gcm android android gcm android client google push notification push","version":"0.1.4","words":"android-gcm a simple interface for google cloud messaging (gcm) in node.js =mreda gcm android android gcm android client google push notification push","author":"=mreda","date":"2014-09-14 "},{"name":"android-market-api","description":"NodeJS implementation of the java Android Market API","url":null,"keywords":"google market protobuf","version":"0.0.2","words":"android-market-api nodejs implementation of the java android market api =sarhugo google market protobuf","author":"=sarhugo","date":"2014-07-17 "},{"name":"android-test","description":"android app automation test on real device","url":null,"keywords":"","version":"0.0.3","words":"android-test android app automation test on real device =lukluk","author":"=lukluk","date":"2014-08-16 "},{"name":"android-udev","description":"A generator which creates udev rules of all available Android vendors.","url":null,"keywords":"angular udev generator","version":"1.0.0","words":"android-udev a generator which creates udev rules of all available android vendors. =akoenig angular udev generator","author":"=akoenig","date":"2013-10-03 "},{"name":"android_manifest_bump","description":"Small script to bump the versionName & versionCode in an AndroidManifest.xml file - especially handy when using manifest merging.","url":null,"keywords":"","version":"0.0.1","words":"android_manifest_bump small script to bump the versionname & versioncode in an androidmanifest.xml file - especially handy when using manifest merging. =arnorhs","author":"=arnorhs","date":"2014-01-12 "},{"name":"androidlib","description":"Android Utility Library","url":null,"keywords":"android","version":"0.1.7","words":"androidlib android utility library =jhaynie =appcelerator =infosia =cb1kenobi =hd android","author":"=jhaynie =appcelerator =infosia =cb1kenobi =hd","date":"2014-07-14 "},{"name":"androjs","description":"* by mary rose cook * http://maryrosecook.com * maryrosecook@maryrosecook.com","url":null,"keywords":"","version":"0.3.5","words":"androjs * by mary rose cook * http://maryrosecook.com * maryrosecook@maryrosecook.com =maryrosecook","author":"=maryrosecook","date":"2013-11-19 "},{"name":"andromeda","description":"A half-decent lisp -> javascript compiler","url":null,"keywords":"","version":"0.0.5","words":"andromeda a half-decent lisp -> javascript compiler =tyoverby","author":"=tyoverby","date":"2013-08-01 "},{"name":"andtan-node-hid","url":null,"keywords":"","version":"0.0.12","words":"andtan-node-hid =gorillatron","author":"=gorillatron","date":"2012-04-09 "},{"name":"andthen","description":"Async function composition with parameter fixing abiliy.","url":null,"keywords":"","version":"0.0.2","words":"andthen async function composition with parameter fixing abiliy. =azer","author":"=azer","date":"2013-04-04 "},{"name":"andy","description":"Andy Space","url":null,"keywords":"andy","version":"0.0.0","words":"andy andy space =happy7259 andy","author":"=happy7259","date":"2014-03-06 "},{"name":"andyet","keywords":"","version":[],"words":"andyet","author":"","date":"2014-08-27 "},{"name":"andyet-express-auth","description":"Dead simple &yet auth middleware.","url":null,"keywords":"","version":"0.4.1","words":"andyet-express-auth dead simple &yet auth middleware. =henrikjoreteg =lancestout =nlf =gar =andyet","author":"=henrikjoreteg =lancestout =nlf =gar =andyet","date":"2014-08-06 "},{"name":"andyet-prosody-auth","description":"Dead simple &yet auth for Prosody","url":null,"keywords":"","version":"0.0.1","words":"andyet-prosody-auth dead simple &yet auth for prosody =lancestout","author":"=lancestout","date":"2013-09-13 "},{"name":"andymodule","description":"andyjiang test module","url":null,"keywords":"","version":"0.0.1","words":"andymodule andyjiang test module =andyjiang","author":"=andyjiang","date":"2012-09-06 "},{"name":"andynador","keywords":"","version":[],"words":"andynador","author":"","date":"2014-07-07 "},{"name":"anecdote","keywords":"","version":[],"words":"anecdote","author":"","date":"2014-04-05 "},{"name":"anemia","keywords":"","version":[],"words":"anemia","author":"","date":"2014-04-05 "},{"name":"aneth","description":"Quick and Dirty zeroconf cluster","url":null,"keywords":"cluster zeroconf hosts","version":"0.2.0","words":"aneth quick and dirty zeroconf cluster =matehat cluster zeroconf hosts","author":"=matehat","date":"2013-02-21 "},{"name":"ang-tangle","description":"tangles source files into an angular application","url":null,"keywords":"angular","version":"0.1.5","words":"ang-tangle tangles source files into an angular application =pmuellr angular","author":"=pmuellr","date":"2014-04-13 "},{"name":"angel","description":"superdaemon for hot-deploying net.Servers","url":null,"keywords":"graceful restart cluster signal fork max_requests_per_child","version":"1.0.2","words":"angel superdaemon for hot-deploying net.servers =mash graceful restart cluster signal fork max_requests_per_child","author":"=mash","date":"2014-04-28 "},{"name":"angel.co","description":"AngelList wrapper purely written in Node.js","url":null,"keywords":"npm angellist passport startup wrapper","version":"1.1.0","words":"angel.co angellist wrapper purely written in node.js =arkeologen npm angellist passport startup wrapper","author":"=arkeologen","date":"2013-12-18 "},{"name":"angela","description":"Command-line interface tool to test Web applications from the command-line. The tool runs suites of tests written with Jasmine in some Web browser (Chrome, Firefox, Safari, PhantomJS, Android) using WebDriver.","url":null,"keywords":"test jasmine webdriver cli","version":"1.2.0","words":"angela command-line interface tool to test web applications from the command-line. the tool runs suites of tests written with jasmine in some web browser (chrome, firefox, safari, phantomjs, android) using webdriver. =tidoust test jasmine webdriver cli","author":"=tidoust","date":"2014-06-16 "},{"name":"angelabilities","description":"A collection of angel abilities.","url":null,"keywords":"","version":"0.0.3","words":"angelabilities a collection of angel abilities. =outbounder","author":"=outbounder","date":"2014-01-12 "},{"name":"angelabilities-grunt","description":"A quick 'hack' for giving organic-angel grunt abilities. It is based on grunt 0.4 and autoloads all grunt modules found in node_modules","url":null,"keywords":"","version":"0.0.3","words":"angelabilities-grunt a quick 'hack' for giving organic-angel grunt abilities. it is based on grunt 0.4 and autoloads all grunt modules found in node_modules =outbounder","author":"=outbounder","date":"2014-09-01 "},{"name":"angelabilities-prompt","url":null,"keywords":"","version":"0.0.1","words":"angelabilities-prompt =outbounder","author":"=outbounder","date":"2014-09-15 "},{"name":"angelabilities-reactions","description":"Adds support for scriptable reactions via angel dna","url":null,"keywords":"","version":"0.0.1","words":"angelabilities-reactions adds support for scriptable reactions via angel dna =outbounder","author":"=outbounder","date":"2014-05-10 "},{"name":"angellist","description":"Node module that wraps the AngelList API","url":null,"keywords":"angellist api","version":"0.1.0","words":"angellist node module that wraps the angellist api =rgerard angellist api","author":"=rgerard","date":"2013-03-28 "},{"name":"angelo","description":"A (rerunnable) Mocha test runner","url":null,"keywords":"mocha test testing automation angelo moriondo","version":"0.0.15","words":"angelo a (rerunnable) mocha test runner =hugs mocha test testing automation angelo moriondo","author":"=hugs","date":"2014-07-15 "},{"name":"angelscripts","description":"## help List all angel commands currently attached","url":null,"keywords":"","version":"0.0.5","words":"angelscripts ## help list all angel commands currently attached =outbounder","author":"=outbounder","date":"2014-01-15 "},{"name":"angelscripts-cellcmds","description":"Angel Scripts for local or remote cell process management","url":null,"keywords":"","version":"0.1.3","words":"angelscripts-cellcmds angel scripts for local or remote cell process management =outbounder","author":"=outbounder","date":"2014-08-27 "},{"name":"angelscripts-generate","description":"angel script for generation of projects using directory or repository as template","url":null,"keywords":"","version":"0.0.3","words":"angelscripts-generate angel script for generation of projects using directory or repository as template =outbounder","author":"=outbounder","date":"2014-02-23 "},{"name":"angelscripts-help","description":"List all registered angel commands","url":null,"keywords":"","version":"0.0.2","words":"angelscripts-help list all registered angel commands =outbounder","author":"=outbounder","date":"2014-07-24 "},{"name":"angelscripts-nodeapps","description":"Daemonize applications with suppot for retrieving their status and to persist their output.","url":null,"keywords":"","version":"0.0.6","words":"angelscripts-nodeapps daemonize applications with suppot for retrieving their status and to persist their output. =outbounder","author":"=outbounder","date":"2014-07-24 "},{"name":"angelscripts-reactions","description":"Adds support for scriptable reactions via angel dna","url":null,"keywords":"","version":"0.0.4","words":"angelscripts-reactions adds support for scriptable reactions via angel dna =outbounder","author":"=outbounder","date":"2014-08-21 "},{"name":"angelscripts-servicer","description":"Create nodejs apps as services using simple angel command","url":null,"keywords":"","version":"0.0.1","words":"angelscripts-servicer create nodejs apps as services using simple angel command =outbounder","author":"=outbounder","date":"2014-02-18 "},{"name":"angelscripts-stack-upgrade","description":"Angel script to copy files from source directory to cwd with deep merging of json files","url":null,"keywords":"","version":"0.0.3","words":"angelscripts-stack-upgrade angel script to copy files from source directory to cwd with deep merging of json files =outbounder","author":"=outbounder","date":"2014-08-26 "},{"name":"angils","description":"angular utilities","url":null,"keywords":"angular utils utilities","version":"0.0.7","words":"angils angular utilities =joshrtay angular utils utilities","author":"=joshrtay","date":"2014-01-22 "},{"name":"anglebars","description":"Mustache-style declarative data binding, for the sceptical developer","url":null,"keywords":"template templating binding data binding declarative","version":"0.1.5","words":"anglebars mustache-style declarative data binding, for the sceptical developer =rich_harris template templating binding data binding declarative","author":"=rich_harris","date":"2013-03-18 "},{"name":"angler","description":"angler ======","url":null,"keywords":"","version":"0.0.2","words":"angler angler ====== =lbenson","author":"=lbenson","date":"2014-09-08 "},{"name":"anglicize","description":"Anglicize the special characters in given text.","url":null,"keywords":"","version":"0.0.5","words":"anglicize anglicize the special characters in given text. =azer","author":"=azer","date":"2013-07-20 "},{"name":"angomodule","description":"a module for learning nodejs.","url":null,"keywords":"learning","version":"0.0.2","words":"angomodule a module for learning nodejs. =angowang learning","author":"=angowang","date":"2014-07-07 "},{"name":"angoose","description":"Angoose is a Remote Method Invocation module that comes with built-in mongoose/angular support. Now you can call server side module in browser just like you're in the server side!","url":null,"keywords":"mongoose angular frontend model rpc rmi","version":"0.3.21","words":"angoose angoose is a remote method invocation module that comes with built-in mongoose/angular support. now you can call server side module in browser just like you're in the server side! =tjworks mongoose angular frontend model rpc rmi","author":"=tjworks","date":"2014-07-29 "},{"name":"angoose-users","description":"User management extension for angoose","url":null,"keywords":"angoose user groups authentication authorization","version":"0.0.3","words":"angoose-users user management extension for angoose =tjworks angoose user groups authentication authorization","author":"=tjworks","date":"2014-02-25 "},{"name":"angry","keywords":"","version":[],"words":"angry","author":"","date":"2013-11-25 "},{"name":"angry-caching-proxy","description":"Angry Caching Proxy which speeds up package downloads for apt-get, npm and rubygems","url":null,"keywords":"","version":"1.1.2","words":"angry-caching-proxy angry caching proxy which speeds up package downloads for apt-get, npm and rubygems =epeli","author":"=epeli","date":"2013-11-08 "},{"name":"angular","description":"AngularJS provided as a CommonJS module. Compiled with jsdom when running in Node. Useful for client-side apps built with Browserify and for testing AngularJS code in Node without depending on a browser.","url":null,"keywords":"angular angularjs commonjs require testing","version":"1.2.23","words":"angular angularjs provided as a commonjs module. compiled with jsdom when running in node. useful for client-side apps built with browserify and for testing angularjs code in node without depending on a browser. =bclinkinbeard angular angularjs commonjs require testing","author":"=bclinkinbeard","date":"2014-08-31 "},{"name":"angular-angulartics","description":"Vendor-agnostic web analytics for AngularJS applications","url":null,"keywords":"angular analytics tracking google analytics google tag manager mixpanel kissmetrics chartbeat woopra segment.io splunk flurry piwik adobe analytics omniture page tracking event tracking scroll tracking","version":"0.16.5","words":"angular-angulartics vendor-agnostic web analytics for angularjs applications =akalinovski =ws-malysheva =pitbeast angular analytics tracking google analytics google tag manager mixpanel kissmetrics chartbeat woopra segment.io splunk flurry piwik adobe analytics omniture page tracking event tracking scroll tracking","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-09-10 "},{"name":"angular-angulartics-google","description":"Angular Angulartics Google module","url":null,"keywords":"angular angulartics","version":"0.16.5","words":"angular-angulartics-google angular angulartics google module =akalinovski =ws-malysheva =pitbeast angular angulartics","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-09-10 "},{"name":"angular-animate","description":"This repo is for distribution on `bower`. The source for this module is in the [main AngularJS repo](https://github.com/angular/angular.js/tree/master/src/ngAnimate). Please file issues and pull requests against that repo.","url":null,"keywords":"angular ng-animate","version":"1.2.23","words":"angular-animate this repo is for distribution on `bower`. the source for this module is in the [main angularjs repo](https://github.com/angular/angular.js/tree/master/src/nganimate). please file issues and pull requests against that repo. =akalinovski =ws-malysheva =pitbeast angular ng-animate","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-25 "},{"name":"angular-app","url":null,"keywords":"","version":"0.0.1-SNAPSHOT","words":"angular-app =romanz","author":"=romanz","date":"2014-04-29 "},{"name":"angular-architecture-graph","description":"Create a graph of an angular project's architecture","url":null,"keywords":"angular architecture graph","version":"0.1.0","words":"angular-architecture-graph create a graph of an angular project's architecture =lucalanca angular architecture graph","author":"=lucalanca","date":"2014-08-27 "},{"name":"angular-async-series","description":"Apply an action to a set of data serially.","url":null,"keywords":"angular async series","version":"1.0.0","words":"angular-async-series apply an action to a set of data serially. =rubenv angular async series","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-audio-context","description":"An AngularJS wrapper for Web Audio API's AudioContext","url":null,"keywords":"","version":"0.0.2","words":"angular-audio-context an angularjs wrapper for web audio api's audiocontext =chrisguttandin","author":"=chrisguttandin","date":"2014-03-05 "},{"name":"angular-avoscloud","description":"a avoscloud service module based on Angular.js and ngResource.","url":null,"keywords":"avos avoscloud","version":"0.1.2","words":"angular-avoscloud a avoscloud service module based on angular.js and ngresource. =turing avos avoscloud","author":"=turing","date":"2014-08-30 "},{"name":"angular-beacon","description":"Angular.JS directive which executes a callback when the view is fully rendered.","url":null,"keywords":"","version":"0.0.3","words":"angular-beacon angular.js directive which executes a callback when the view is fully rendered. =lvillani","author":"=lvillani","date":"2014-03-06 "},{"name":"angular-beforeunload","description":"Angular.js service for onBeforeUnload","url":null,"keywords":"","version":"0.0.2","words":"angular-beforeunload angular.js service for onbeforeunload =gdi2290","author":"=gdi2290","date":"2013-10-17 "},{"name":"angular-benchpress","description":"A macro benchmark runner for JavaScript Web apps","url":null,"keywords":"angular benchmark javascript","version":"0.1.3","words":"angular-benchpress a macro benchmark runner for javascript web apps =jeffbcross =angularcore angular benchmark javascript","author":"=jeffbcross =angularcore","date":"2014-09-03 "},{"name":"angular-bindonce","description":"Zero watchers binding directives for AngularJS","url":null,"keywords":"angularjs angular directive binding watcher bindonce","version":"0.3.1","words":"angular-bindonce zero watchers binding directives for angularjs =pasvaz angularjs angular directive binding watcher bindonce","author":"=pasvaz","date":"2014-02-12 "},{"name":"angular-blocking-click","description":"In place \"request in progress\" indicator","url":null,"keywords":"angular directive xhr ajax","version":"0.1.0","words":"angular-blocking-click in place \"request in progress\" indicator =pyetras angular directive xhr ajax","author":"=pyetras","date":"2014-01-09 "},{"name":"angular-bluebird","description":"Angular Service for Bluebird","url":null,"keywords":"bluebird angular promise angularjs promises","version":"0.0.1","words":"angular-bluebird angular service for bluebird =jp bluebird angular promise angularjs promises","author":"=jp","date":"2014-08-02 "},{"name":"angular-bootstrap","description":"Angular Wrapper for Bootstrap","url":null,"keywords":"angular bootstrap","version":"0.11.0","words":"angular-bootstrap angular wrapper for bootstrap =ws-malysheva =pitbeast angular bootstrap","author":"=ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-bootstrap-by","keywords":"","version":[],"words":"angular-bootstrap-by","author":"","date":"2014-03-31 "},{"name":"angular-bootstrap3-datepicker","description":"A simple datepicker for angular and bootstrap3","url":null,"keywords":"","version":"0.4.0","words":"angular-bootstrap3-datepicker a simple datepicker for angular and bootstrap3 =benjiiiiii","author":"=benjiiiiii","date":"2014-07-03 "},{"name":"angular-bridge","description":"Mongoose Express Angular resources bridge","url":null,"keywords":"angular js mongodb mongo REST angularjs angular-bridge link model mongoose","version":"0.3.6","words":"angular-bridge mongoose express angular resources bridge =tknew angular js mongodb mongo rest angularjs angular-bridge link model mongoose","author":"=tknew","date":"2013-06-05 "},{"name":"angular-browserify","description":"Browserified Angular.JS","url":null,"keywords":"Angular browserify","version":"0.0.1","words":"angular-browserify browserified angular.js =darvin angular browserify","author":"=darvin","date":"2013-06-01 "},{"name":"angular-browserify-event-dispatcher","description":"Event Dispatcher for AngularJS that wraps $rootScope.$emit and $rootScope.$on for event bus that can be used by Controllers and any other actor in the application that requires eventing","url":null,"keywords":"angularjs browserify events browser","version":"0.0.7","words":"angular-browserify-event-dispatcher event dispatcher for angularjs that wraps $rootscope.$emit and $rootscope.$on for event bus that can be used by controllers and any other actor in the application that requires eventing =joelhooks angularjs browserify events browser","author":"=joelhooks","date":"2014-03-03 "},{"name":"angular-bsfy","description":"An elegant angular-browserify,and will always up to date","url":null,"keywords":"Angular browserify","version":"1.2.23-1","words":"angular-bsfy an elegant angular-browserify,and will always up to date =dogeek angular browserify","author":"=dogeek","date":"2014-09-01 "},{"name":"angular-builds","description":"A build of AngularJS version 1.2.25 in a format that's friendly for 'npm install angular-builds@1.2.25'","url":null,"keywords":"","version":"1.2.25","words":"angular-builds a build of angularjs version 1.2.25 in a format that's friendly for 'npm install angular-builds@1.2.25' =davidsouther","author":"=davidsouther","date":"2014-09-18 "},{"name":"angular-busy","description":"> Show busy/loading indicators on any $http or $resource request, or on any promise.","url":null,"keywords":"busy","version":"4.1.0","words":"angular-busy > show busy/loading indicators on any $http or $resource request, or on any promise. =pitbeast busy","author":"=pitbeast","date":"2014-07-22 "},{"name":"angular-butter-scroll","description":"A plug and play angular directive for buttery smooth, high FPS scrolling.","url":null,"keywords":"scroll pointer hover disable pointer-event smooth performance fast","version":"0.0.1","words":"angular-butter-scroll a plug and play angular directive for buttery smooth, high fps scrolling. =bcherny scroll pointer hover disable pointer-event smooth performance fast","author":"=bcherny","date":"2014-05-17 "},{"name":"angular-cache","description":"angular-cache is a very useful replacement for Angular's $cacheFactory.","url":null,"keywords":"","version":"3.1.1","words":"angular-cache angular-cache is a very useful replacement for angular's $cachefactory. =jdobry","author":"=jdobry","date":"2014-08-29 "},{"name":"angular-cache-buster","description":"Cache Buster for AngularJS $http (and $resource). Especially useful with Internet Explorer (IE8, IE9)","url":null,"keywords":"angularjs $http $resource cache buster internet explorer ie8 ie9","version":"0.4.0","words":"angular-cache-buster cache buster for angularjs $http (and $resource). especially useful with internet explorer (ie8, ie9) =saintmac angularjs $http $resource cache buster internet explorer ie8 ie9","author":"=saintmac","date":"2014-05-13 "},{"name":"angular-cached-resource","description":"An AngularJS module to interact with RESTful resources, even when browser is offline","url":null,"keywords":"","version":"1.0.0","words":"angular-cached-resource an angularjs module to interact with restful resources, even when browser is offline =demands =goodeggs =adborden =sherrman =michaelkebbekus","author":"=demands =goodeggs =adborden =sherrman =michaelkebbekus","date":"2014-08-25 "},{"name":"angular-chart-donut","description":"* `bower install angular-chart-donut` * `npm install angular-chart-donut`","url":null,"keywords":"","version":"0.1.0","words":"angular-chart-donut * `bower install angular-chart-donut` * `npm install angular-chart-donut` =nervetattoo","author":"=nervetattoo","date":"2014-04-24 "},{"name":"angular-chartjs","description":"Angular bindings for the HTML5 Canvas Chart library-- Chart.js","url":null,"keywords":"angular chart-js chart.js angular-chartjs chartjs","version":"0.0.5","words":"angular-chartjs angular bindings for the html5 canvas chart library-- chart.js =petermelias angular chart-js chart.js angular-chartjs chartjs","author":"=petermelias","date":"2014-09-02 "},{"name":"angular-charts","keywords":"","version":[],"words":"angular-charts","author":"","date":"2014-05-27 "},{"name":"angular-chute","description":"Chute SDK for AngularJS","url":null,"keywords":"","version":"0.1.1","words":"angular-chute chute sdk for angularjs =petrbela","author":"=petrbela","date":"2014-05-02 "},{"name":"angular-cjs-module","description":"Concisely export Angular modules from CommonJS modules","url":null,"keywords":"angular module commonjs","version":"0.1.0","words":"angular-cjs-module concisely export angular modules from commonjs modules =bendrucker angular module commonjs","author":"=bendrucker","date":"2014-06-11 "},{"name":"angular-cl2","description":"Angular macros for ChlorineJS (a subset of Clojure)","url":null,"keywords":"chlorinejs clojure macro angular qunit atom","version":"0.4.0-SNAPSHOT","words":"angular-cl2 angular macros for chlorinejs (a subset of clojure) =myguidingstar chlorinejs clojure macro angular qunit atom","author":"=myguidingstar","date":"2014-04-10 "},{"name":"angular-client-side-auth","keywords":"","version":[],"words":"angular-client-side-auth","author":"","date":"2014-05-04 "},{"name":"angular-clock","description":"Live Angular clock directive.","url":null,"keywords":"angular angularjs clock live time","version":"0.0.1-alpha.1","words":"angular-clock live angular clock directive. =impaloo angular angularjs clock live time","author":"=impaloo","date":"2014-08-15 "},{"name":"angular-coffee-haml-app","description":"Grunt scaffold for AngularJS with Coffee and HAML","url":null,"keywords":"Grunt Scaffold","version":"0.0.0","words":"angular-coffee-haml-app grunt scaffold for angularjs with coffee and haml =thebigredgeek grunt scaffold","author":"=thebigredgeek","date":"2013-10-13 "},{"name":"angular-coffee-script","description":"Unfancy JavaScript (with AngularJS Tweaks)","url":null,"keywords":"javascript language coffeescript compiler angular","version":"1.7.1","words":"angular-coffee-script unfancy javascript (with angularjs tweaks) =janlelis javascript language coffeescript compiler angular","author":"=janlelis","date":"2014-04-27 "},{"name":"angular-component-manager","description":"simple node_module for managing components in slamborne/angular-seed structured projects","url":null,"keywords":"","version":"0.0.4","words":"angular-component-manager simple node_module for managing components in slamborne/angular-seed structured projects =slamborne","author":"=slamborne","date":"2014-07-19 "},{"name":"angular-cookies","description":"AngularJS Cookie Module","url":null,"keywords":"angularjs angular cookies","version":"1.2.19","words":"angular-cookies angularjs cookie module =petermelias angularjs angular cookies","author":"=petermelias","date":"2014-07-12 "},{"name":"angular-credit-cards","description":"Angular directives for formatting and validating credit card inputs","url":null,"keywords":"angular credit card payments validation directive form","version":"0.3.0","words":"angular-credit-cards angular directives for formatting and validating credit card inputs =bendrucker angular credit card payments validation directive form","author":"=bendrucker","date":"2014-08-25 "},{"name":"angular-crispy-paginator","description":"Paginator for AngularJS apps","url":null,"keywords":"angular paginator","version":"0.1.0","words":"angular-crispy-paginator paginator for angularjs apps =ondrowan angular paginator","author":"=ondrowan","date":"2014-08-14 "},{"name":"angular-crypto","description":"angular-crypto provides standard and secure cryptographic algorithms for Angular.js with support for: MD5, SHA-1, SHA-256, RC4, Rabbit, AES, DES, PBKDF2, HMAC, OFB, CFB, CTR, CBC, Base64","url":null,"keywords":"crypto cryptojs angular angularjs MD5 SHA-1 SHA-256 RC4 Rabbit AES DES PBKDF2 HMAC OFB CFB CTR CBC Base64","version":"0.0.3","words":"angular-crypto angular-crypto provides standard and secure cryptographic algorithms for angular.js with support for: md5, sha-1, sha-256, rc4, rabbit, aes, des, pbkdf2, hmac, ofb, cfb, ctr, cbc, base64 =gdi2290 crypto cryptojs angular angularjs md5 sha-1 sha-256 rc4 rabbit aes des pbkdf2 hmac ofb cfb ctr cbc base64","author":"=gdi2290","date":"2014-01-06 "},{"name":"angular-d3","description":"d3 for Angular.js","url":null,"keywords":"","version":"0.0.1","words":"angular-d3 d3 for angular.js =gdi2290","author":"=gdi2290","date":"2013-10-23 "},{"name":"angular-d3js","description":"d3 for Angular.js","url":null,"keywords":"","version":"0.0.1","words":"angular-d3js d3 for angular.js =gdi2290","author":"=gdi2290","date":"2013-10-23 "},{"name":"angular-dashboard","description":"Angular Dashboard directve.","url":null,"keywords":"angular ngroute wizard","version":"0.0.1","words":"angular-dashboard angular dashboard directve. =impaloo angular ngroute wizard","author":"=impaloo","date":"2014-08-24 "},{"name":"angular-data","description":"Data store for Angular.js.","url":null,"keywords":"","version":"1.0.0-rc.1","words":"angular-data data store for angular.js. =jdobry","author":"=jdobry","date":"2014-09-03 "},{"name":"angular-data-localforage","description":"localForage adapter for angular-data.","url":null,"keywords":"","version":"0.1.0","words":"angular-data-localforage localforage adapter for angular-data. =jdobry","author":"=jdobry","date":"2014-05-18 "},{"name":"angular-data-mocks","description":"A mock of angular-data for testing purposes.","url":null,"keywords":"","version":"1.0.0-rc.1","words":"angular-data-mocks a mock of angular-data for testing purposes. =jdobry","author":"=jdobry","date":"2014-09-03 "},{"name":"angular-date-range","description":"A simple directive to produce a formatted date range display.","url":null,"keywords":"angular angularjs angular.js date range angular date angularjs date","version":"0.1.0","words":"angular-date-range a simple directive to produce a formatted date range display. =devlab2425 angular angularjs angular.js date range angular date angularjs date","author":"=devlab2425","date":"2014-08-15 "},{"name":"angular-debounce","description":"Tiny debouncing function for Angular.JS.","url":null,"keywords":"angular filter","version":"1.0.0","words":"angular-debounce tiny debouncing function for angular.js. =rubenv angular filter","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-dependency","description":"retrieve angular modules through your filesystem","url":null,"keywords":"angular modules dependency tree","version":"0.1.5","words":"angular-dependency retrieve angular modules through your filesystem =ixday angular modules dependency tree","author":"=ixday","date":"2014-09-05 "},{"name":"angular-dialog-service","description":"Angular Dialog Service module","url":null,"keywords":"angular angular-dialog-service","version":"0.0.1","words":"angular-dialog-service angular dialog service module =akalinovski =ws-malysheva =pitbeast angular angular-dialog-service","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-doc","description":"JavaScript documentation generator with support for AngularJS specific element (ie. services, directives, controllers, etc...), based on YUIDoc, YUI's JavaScript Documentation engine.","url":null,"keywords":"jsdoc angular angularjs documentation docs apidocs","version":"0.2.1","words":"angular-doc javascript documentation generator with support for angularjs specific element (ie. services, directives, controllers, etc...), based on yuidoc, yui's javascript documentation engine. =ryanzec jsdoc angular angularjs documentation docs apidocs","author":"=ryanzec","date":"2014-02-25 "},{"name":"angular-draganddrop","description":"Drag and drop directives for Angular using native HTML5 API.","url":null,"keywords":"drag drop angular directive","version":"0.2.1","words":"angular-draganddrop drag and drop directives for angular using native html5 api. =neoziro drag drop angular directive","author":"=neoziro","date":"2014-09-17 "},{"name":"angular-dragdrop","description":"This directive allows you to use jQuery UI's draggable and droppable plugins with AngularJS.","url":null,"keywords":"","version":"1.0.5","words":"angular-dragdrop this directive allows you to use jquery ui's draggable and droppable plugins with angularjs. =petermelias","author":"=petermelias","date":"2014-07-11 "},{"name":"angular-duoshuo","description":"a duoshuo SDK for angular.js, pure front-end, cross-domain request supported.","url":null,"keywords":"duoshuo angular duoshuo-sdk duoshuo-api duoshuo-embed","version":"0.4.7","words":"angular-duoshuo a duoshuo sdk for angular.js, pure front-end, cross-domain request supported. =turing duoshuo angular duoshuo-sdk duoshuo-api duoshuo-embed","author":"=turing","date":"2014-08-25 "},{"name":"angular-dynamic-locale","description":"A minimal module that adds the ability to dynamically change the locale","url":null,"keywords":"","version":"0.1.17","words":"angular-dynamic-locale a minimal module that adds the ability to dynamically change the locale =lgalfaso","author":"=lgalfaso","date":"2014-06-27 "},{"name":"angular-elastic","description":"Elastic (autosize) textareas for AngularJS, without jQuery dependency.","url":null,"keywords":"angular angularjs textarea elastic autosize","version":"2.3.5","words":"angular-elastic elastic (autosize) textareas for angularjs, without jquery dependency. =monospaced angular angularjs textarea elastic autosize","author":"=monospaced","date":"2014-06-17 "},{"name":"angular-enabled","description":"bind to disabled attibute opposite ng-disable","url":null,"keywords":"angular angularjs enabled","version":"0.0.0","words":"angular-enabled bind to disabled attibute opposite ng-disable =btford angular angularjs enabled","author":"=btford","date":"2014-07-17 "},{"name":"angular-encode-uri","description":"Encode URIs through a filter.","url":null,"keywords":"angular filter","version":"1.0.0","words":"angular-encode-uri encode uris through a filter. =rubenv angular filter","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-event-emitter","description":"Event emitters for AngularJS","url":null,"keywords":"","version":"0.0.1","words":"angular-event-emitter event emitters for angularjs =gdi2290","author":"=gdi2290","date":"2013-12-27 "},{"name":"angular-express","description":"Simple wrapper to allow serving of a single Angular page and assets from a folder\"","url":null,"keywords":"angular express static files","version":"1.0.1","words":"angular-express simple wrapper to allow serving of a single angular page and assets from a folder\" =shamoons angular express static files","author":"=shamoons","date":"2014-05-07 "},{"name":"angular-expressions","description":"Angular expressions as standalone module","url":null,"keywords":"angular expression parser lexer parse eval source","version":"0.2.1","words":"angular-expressions angular expressions as standalone module =peerigon angular expression parser lexer parse eval source","author":"=peerigon","date":"2014-04-09 "},{"name":"angular-extend-promises","description":"Extend $q to make it look a lot more like bluebird","url":null,"keywords":"angular promises promise angularjs ng extend extended q $q defer deferred bluebird async util utils delay map reduce decorator","version":"1.0.0-beta.9","words":"angular-extend-promises extend $q to make it look a lot more like bluebird =ornthalas =l.systems =even angular promises promise angularjs ng extend extended q $q defer deferred bluebird async util utils delay map reduce decorator","author":"=ornthalas =l.systems =even","date":"2014-08-24 "},{"name":"angular-extended-notifications","description":"Highly customizable notifications with AngularJS","url":null,"keywords":"angular notifications notification notify notif angularjs ng extended extend alert util utils service banner template","version":"1.0.4","words":"angular-extended-notifications highly customizable notifications with angularjs =ornthalas =l.systems angular notifications notification notify notif angularjs ng extended extend alert util utils service banner template","author":"=ornthalas =l.systems","date":"2014-08-24 "},{"name":"angular-extended-resource","description":"An extended version of angular resource","url":null,"keywords":"angular cache resource localStorage","version":"1.0.2","words":"angular-extended-resource an extended version of angular resource =jderusse angular cache resource localstorage","author":"=jderusse","date":"2014-08-23 "},{"name":"angular-extender","description":"Extend AngularJS applications by injecting module dependencies at build time","url":null,"keywords":"angularjs angular extensibility plugin","version":"0.1.1","words":"angular-extender extend angularjs applications by injecting module dependencies at build time =mariocasciaro angularjs angular extensibility plugin","author":"=mariocasciaro","date":"2014-01-07 "},{"name":"angular-facebook","description":"A Facebook SDK wrapper for Angular.js","url":null,"keywords":"","version":"0.0.2","words":"angular-facebook a facebook sdk wrapper for angular.js =gdi2290","author":"=gdi2290","date":"2013-11-10 "},{"name":"angular-facebook-api","description":"A Facebook SDK wrapper service for Angular.js","url":null,"keywords":"facebook sdk angular.js javascript wrapper service","version":"0.0.20","words":"angular-facebook-api a facebook sdk wrapper service for angular.js =joonho1101 facebook sdk angular.js javascript wrapper service","author":"=joonho1101","date":"2014-03-17 "},{"name":"angular-field-splitter","description":"Angular directive to turn a single field into several fields that remain interconnected","url":null,"keywords":"angular form field split","version":"0.1.2","words":"angular-field-splitter angular directive to turn a single field into several fields that remain interconnected =deleteman angular form field split","author":"=deleteman","date":"2014-06-17 "},{"name":"angular-file-upload","description":"An AngularJS directive for file upload using HTML5 with FileAPI polyfill for unsupported browsers","url":null,"keywords":"angular angular-file-upload","version":"1.6.4","words":"angular-file-upload an angularjs directive for file upload using html5 with fileapi polyfill for unsupported browsers =ws-malysheva =pitbeast angular angular-file-upload","author":"=ws-malysheva =pitbeast","date":"2014-07-31 "},{"name":"angular-file-upload-shim","description":"An AngularJS directive for file upload using HTML5 with FileAPI polyfill for unsupported browsers","url":null,"keywords":"angular angular-file-upload-shim","version":"1.6.4","words":"angular-file-upload-shim an angularjs directive for file upload using html5 with fileapi polyfill for unsupported browsers =ws-malysheva =pitbeast angular angular-file-upload-shim","author":"=ws-malysheva =pitbeast","date":"2014-07-31 "},{"name":"angular-flot","description":"An Angular directive to wrap Flotcharts.","url":null,"keywords":"","version":"0.0.5","words":"angular-flot an angular directive to wrap flotcharts. =lvillani","author":"=lvillani","date":"2014-07-21 "},{"name":"angular-flux","description":"Flux Application Architecture for Angular.js allow AngularJS apps to have unidirectional data flow in a single direction, in a cycle","url":null,"keywords":"gdi2290 PatrickJS Flux AngularJS angular.js angular-flux","version":"0.0.0","words":"angular-flux flux application architecture for angular.js allow angularjs apps to have unidirectional data flow in a single direction, in a cycle =gdi2290 gdi2290 patrickjs flux angularjs angular.js angular-flux","author":"=gdi2290","date":"2014-09-16 "},{"name":"angular-form-for","description":"Set of Angular directives to simplify creating and validating HTML forms.","url":null,"keywords":"angular form forms crud validation","version":"1.4.2","words":"angular-form-for set of angular directives to simplify creating and validating html forms. =brianvaughn angular form forms crud validation","author":"=brianvaughn","date":"2014-09-18 "},{"name":"angular-form-state","description":"Smarter AngularJS forms for reacting to submission states","url":null,"keywords":"angular forms directive","version":"0.0.1","words":"angular-form-state smarter angularjs forms for reacting to submission states =bendrucker angular forms directive","author":"=bendrucker","date":"2014-07-01 "},{"name":"angular-formly","description":"AngularJS directive which takes JSON representing a form and renders to HTML","url":null,"keywords":"","version":"0.0.16","words":"angular-formly angularjs directive which takes json representing a form and renders to html =astrism","author":"=astrism","date":"2014-08-20 "},{"name":"angular-gettext","description":"Gettext support for Angular.js","url":null,"keywords":"angular gettext","version":"1.1.2","words":"angular-gettext gettext support for angular.js =rubenv angular gettext","author":"=rubenv","date":"2014-09-18 "},{"name":"angular-gettext-tools","description":"Tools for extracting/compiling angular-gettext strings.","url":null,"keywords":"angular gettext","version":"1.0.3","words":"angular-gettext-tools tools for extracting/compiling angular-gettext strings. =rubenv angular gettext","author":"=rubenv","date":"2014-08-20 "},{"name":"angular-gist","description":"AngularJS directive for embedding Github gists","url":null,"keywords":"angular gist github","version":"0.1.3","words":"angular-gist angularjs directive for embedding github gists =scottcorgan angular gist github","author":"=scottcorgan","date":"2014-07-07 "},{"name":"angular-glossary","description":"A directive that outputs a glossary based on a collection of terms.","url":null,"keywords":"angular angularjs angular.js glossary angular glossary angularjs glossary","version":"0.1.0","words":"angular-glossary a directive that outputs a glossary based on a collection of terms. =devlab2425 angular angularjs angular.js glossary angular glossary angularjs glossary","author":"=devlab2425","date":"2014-08-15 "},{"name":"angular-google-analytics","description":"Angular Google Analytics - Easy tracking for your AngularJS application","url":null,"keywords":"","version":"0.0.5","words":"angular-google-analytics angular google analytics - easy tracking for your angularjs application =revolunet","author":"=revolunet","date":"2014-09-03 "},{"name":"angular-google-chart","description":"Google Chart Tools Directive Module ============================ for AngularJS -------------","url":null,"keywords":"angular angularjs google chart graph","version":"0.0.11","words":"angular-google-chart google chart tools directive module ============================ for angularjs ------------- =dalen angular angularjs google chart graph","author":"=dalen","date":"2014-09-05 "},{"name":"angular-gravatar","description":"Angular.JS directive for gravatar images","url":null,"keywords":"angular angularjs gravatar","version":"0.2.1","words":"angular-gravatar angular.js directive for gravatar images =wallin angular angularjs gravatar","author":"=wallin","date":"2014-06-28 "},{"name":"angular-groupon","description":"An Angular.js wrapper for Groupon API","url":null,"keywords":"angular angularjs Groupon api","version":"0.1.6","words":"angular-groupon an angular.js wrapper for groupon api =gdi2290 angular angularjs groupon api","author":"=gdi2290","date":"2014-01-11 "},{"name":"angular-growl","description":"growl like notifications for angularJS projects, using bootstrap alert classes","url":null,"keywords":"","version":"0.1.0","words":"angular-growl growl like notifications for angularjs projects, using bootstrap alert classes =marcorinck","author":"=marcorinck","date":"2013-09-15 "},{"name":"angular-gson","description":"Encode/decode circular javascript object graphs in angularjs $http transformRequest/transformResponse","url":null,"keywords":"angularjs circular object graphs $http","version":"0.1.1","words":"angular-gson encode/decode circular javascript object graphs in angularjs $http transformrequest/transformresponse =aaaristo angularjs circular object graphs $http","author":"=aaaristo","date":"2014-05-21 "},{"name":"angular-hal","description":"Hal client for angularjs","url":null,"keywords":"","version":"0.1.5","words":"angular-hal hal client for angularjs =elmerbulthuis","author":"=elmerbulthuis","date":"2014-06-04 "},{"name":"angular-hashtagify","description":"Angular directive that enables hashtag support for your app.","url":null,"keywords":"angularjs angular directive hashtag hashtags","version":"0.0.2","words":"angular-hashtagify angular directive that enables hashtag support for your app. =rossmartin angularjs angular directive hashtag hashtags","author":"=rossmartin","date":"2014-06-08 "},{"name":"angular-hint","description":"run-time hinting for AngularJS applications","url":null,"keywords":"angular hint lint tool quality","version":"0.0.0","words":"angular-hint run-time hinting for angularjs applications =ealtenhof angular hint lint tool quality","author":"=ealtenhof","date":"2014-07-31 "},{"name":"angular-hint-controllers","description":"hint module for controllers best practices","url":null,"keywords":"","version":"0.5.4","words":"angular-hint-controllers hint module for controllers best practices =ealtenhof =btford =angularcore","author":"=ealtenhof =btford =angularcore","date":"2014-08-07 "},{"name":"angular-hint-directives","description":"An Angular Hint Module for identifying issues related to directives.","url":null,"keywords":"","version":"0.2.2","words":"angular-hint-directives an angular hint module for identifying issues related to directives. =caguillen =ealtenhof =btford =angularcore","author":"=caguillen =ealtenhof =btford =angularcore","date":"2014-08-14 "},{"name":"angular-hint-dom","description":"hints for Angular best practices of manipulating the DOM","url":null,"keywords":"","version":"0.5.10","words":"angular-hint-dom hints for angular best practices of manipulating the dom =ealtenhof =btford =angularcore","author":"=ealtenhof =btford =angularcore","date":"2014-08-12 "},{"name":"angular-hint-events","description":"An Angular Hint Module for identifying issues related to ngEventDirectives.","url":null,"keywords":"","version":"0.3.4","words":"angular-hint-events an angular hint module for identifying issues related to ngeventdirectives. =caguillen =ealtenhof =btford =angularcore","author":"=caguillen =ealtenhof =btford =angularcore","date":"2014-08-14 "},{"name":"angular-hint-interpolation","description":"An Angular Hint Module for identifying issues related to Interpolations.","url":null,"keywords":"","version":"0.3.7","words":"angular-hint-interpolation an angular hint module for identifying issues related to interpolations. =caguillen =ealtenhof =btford =angularcore","author":"=caguillen =ealtenhof =btford =angularcore","date":"2014-08-14 "},{"name":"angular-hint-log","description":"tool for logging angular-hint messages","url":null,"keywords":"","version":"0.4.1","words":"angular-hint-log tool for logging angular-hint messages =ealtenhof =btford =angularcore","author":"=ealtenhof =btford =angularcore","date":"2014-08-07 "},{"name":"angular-hint-modules","description":"An Angular Hint Module for identifying issues related to modules.","url":null,"keywords":"","version":"0.4.6","words":"angular-hint-modules an angular hint module for identifying issues related to modules. =caguillen =ealtenhof =btford =angularcore","author":"=caguillen =ealtenhof =btford =angularcore","date":"2014-08-14 "},{"name":"angular-hotkeys","description":"Automatic keyboard shortcuts for your Angular Apps","url":null,"keywords":"angular angularjs keyboard shortcut hotkeys","version":"1.4.4","words":"angular-hotkeys automatic keyboard shortcuts for your angular apps =chieffancypants angular angularjs keyboard shortcut hotkeys","author":"=chieffancypants","date":"2014-09-15 "},{"name":"angular-hovercard","description":"Angular hovercard directive.","url":null,"keywords":"angular directive javascript node.js hovercard","version":"1.0.3","words":"angular-hovercard angular hovercard directive. =yaru22 angular directive javascript node.js hovercard","author":"=yaru22","date":"2014-03-13 "},{"name":"angular-html-template","description":"A plugin to convert partials to template strings.","url":null,"keywords":"gruntplugin","version":"0.1.0","words":"angular-html-template a plugin to convert partials to template strings. =wr020200 gruntplugin","author":"=wr020200","date":"2014-06-09 "},{"name":"angular-html2js","description":"A standalone tool to stream angular templates and building the $templateCache","url":null,"keywords":"","version":"0.0.2","words":"angular-html2js a standalone tool to stream angular templates and building the $templatecache =steffen","author":"=steffen","date":"2014-08-11 "},{"name":"angular-html5","description":"Change your ng-attributes to data-ng-attributes for html5 validation","url":null,"keywords":"angular w3c validator html5 data-ng ng","version":"0.2.0","words":"angular-html5 change your ng-attributes to data-ng-attributes for html5 validation =pgilad angular w3c validator html5 data-ng ng","author":"=pgilad","date":"2014-08-05 "},{"name":"angular-http-api","description":"An AngularJS HTTP API Service for making paramerterized HTTP calls and getting back useful data structures.","url":null,"keywords":"angularjs angular http api xhr json ajax rest restful","version":"0.0.2","words":"angular-http-api an angularjs http api service for making paramerterized http calls and getting back useful data structures. =petermelias angularjs angular http api xhr json ajax rest restful","author":"=petermelias","date":"2014-07-09 "},{"name":"angular-identity-map","description":"An Identity Map implementation for push-based AngularJS applications.","url":null,"keywords":"angular angularjs identity map","version":"0.1.0","words":"angular-identity-map an identity map implementation for push-based angularjs applications. =dbaumann angular angularjs identity map","author":"=dbaumann","date":"2014-09-20 "},{"name":"angular-import-scope","description":"Import a scope from another ui-view.","url":null,"keywords":"angular ui-router","version":"1.0.0","words":"angular-import-scope import a scope from another ui-view. =rubenv angular ui-router","author":"=rubenv","date":"2014-08-22 "},{"name":"angular-indeterminate-checkbox","description":"AngularJS directive for three-state checkboxes.","url":null,"keywords":"","version":"0.1.0","words":"angular-indeterminate-checkbox angularjs directive for three-state checkboxes. =demands =goodeggs","author":"=demands =goodeggs","date":"2014-04-30 "},{"name":"angular-indexeddb","description":"","url":null,"keywords":"","version":"0.0.1","words":"angular-indexeddb =gdi2290","author":"=gdi2290","date":"2014-02-03 "},{"name":"angular-injector","description":"This module is meant to solve an annoying problem of minification and dependency injection in Angular.js.","url":null,"keywords":"angular angularjs minification di","version":"1.0.0","words":"angular-injector this module is meant to solve an annoying problem of minification and dependency injection in angular.js. =alexgorbatchev angular angularjs minification di","author":"=alexgorbatchev","date":"2014-06-23 "},{"name":"angular-intercom","description":"An Angular.js wrapper for Intercom.io","url":null,"keywords":"","version":"0.0.6","words":"angular-intercom an angular.js wrapper for intercom.io =gdi2290","author":"=gdi2290","date":"2014-05-25 "},{"name":"angular-ios-calendar","description":"Calendar similar to the one found in ios7 as an AngularJs directive","url":null,"keywords":"angularjs calendar directive ios7","version":"0.0.1","words":"angular-ios-calendar calendar similar to the one found in ios7 as an angularjs directive =bguiz angularjs calendar directive ios7","author":"=bguiz","date":"2014-08-23 "},{"name":"angular-iso8601","description":"ISO8601 date parser for Angular.JS.","url":null,"keywords":"angular date iso8601","version":"0.0.1","words":"angular-iso8601 iso8601 date parser for angular.js. =rubenv angular date iso8601","author":"=rubenv","date":"2014-06-11 "},{"name":"angular-issue-infinite-loop","description":"Test case for angular problem. Causes ininite loop on chrome.","url":null,"keywords":"OpenShift Node.js application openshift","version":"0.0.1","words":"angular-issue-infinite-loop test case for angular problem. causes ininite loop on chrome. =utterspeech openshift node.js application openshift","author":"=utterspeech","date":"2013-01-23 "},{"name":"angular-jsdoc","description":"JsDoc Plugin and Template for AngularJs","url":null,"keywords":"","version":"0.1.1","words":"angular-jsdoc jsdoc plugin and template for angularjs =allenkim","author":"=allenkim","date":"2014-06-30 "},{"name":"angular-jsdom-renderer","description":"Helps render angular pages on the server-side.","url":null,"keywords":"angular static render","version":"0.4.3","words":"angular-jsdom-renderer helps render angular pages on the server-side. =pflannery angular static render","author":"=pflannery","date":"2014-07-19 "},{"name":"angular-json-human","description":"Angular directive to convert JSON into human readable table. Inspired by https://github.com/marianoguerra/json.human.js.","url":null,"keywords":"angular directive javascript JSON human","version":"1.2.0","words":"angular-json-human angular directive to convert json into human readable table. inspired by https://github.com/marianoguerra/json.human.js. =yaru22 angular directive javascript json human","author":"=yaru22","date":"2014-07-05 "},{"name":"angular-keen.io","description":"An Angular.js wrapper for Keen.io ","url":null,"keywords":"","version":"0.0.1","words":"angular-keen.io an angular.js wrapper for keen.io =gdi2290","author":"=gdi2290","date":"2014-09-04 "},{"name":"angular-kendo","description":"angular-kendo is a directive for AngularJS that runs an element through Kendo UI declarative initialization, allowing you to take full advantage of Kendo UI within the context of an AngularJS Application.","keywords":"","version":[],"words":"angular-kendo angular-kendo is a directive for angularjs that runs an element through kendo ui declarative initialization, allowing you to take full advantage of kendo ui within the context of an angularjs application. =serchsercheo87","author":"=serchsercheo87","date":"2013-12-10 "},{"name":"angular-kickoff","description":"AngularJS application boilerplate for Ng-Classify lovers","url":null,"keywords":"angular angularjs","version":"0.1.1","words":"angular-kickoff angularjs application boilerplate for ng-classify lovers =marcelinhov2 angular angularjs","author":"=marcelinhov2","date":"2014-07-28 "},{"name":"angular-leaflet-directive","description":"angular-leaflet-directive - An AngularJS directive to easily interact with Leaflet maps","url":null,"keywords":"angularjs leaflet cli","version":"0.7.6","words":"angular-leaflet-directive angular-leaflet-directive - an angularjs directive to easily interact with leaflet maps =tombatossals angularjs leaflet cli","author":"=tombatossals","date":"2014-03-20 "},{"name":"angular-linked-field","description":"Angular directive to link two fields based on their content","url":null,"keywords":"angular form field link binding event","version":"0.1.0","words":"angular-linked-field angular directive to link two fields based on their content =deleteman angular form field link binding event","author":"=deleteman","date":"2014-02-20 "},{"name":"angular-linkify","description":"Angular filter to linkify urls, \"@\" usernames, and hashtags.","url":null,"keywords":"angularjs angular filter linkify twitter","version":"1.0.0","words":"angular-linkify angular filter to linkify urls, \"@\" usernames, and hashtags. =scottcorgan angularjs angular filter linkify twitter","author":"=scottcorgan","date":"2014-09-16 "},{"name":"angular-lint","description":"Set of ESLint rules to lint source code that uses the angular framework.","url":null,"keywords":"angular-lint","version":"0.0.2","words":"angular-lint set of eslint rules to lint source code that uses the angular framework. =nate-wilkins angular-lint","author":"=nate-wilkins","date":"2014-05-01 "},{"name":"angular-list-x","description":"Extended List widget for AngularJS & Bootstrap","url":null,"keywords":"angular angularjs module directive list listview extended component widget","version":"1.2.0","words":"angular-list-x extended list widget for angularjs & bootstrap =edumanskiy angular angularjs module directive list listview extended component widget","author":"=edumanskiy","date":"2014-09-08 "},{"name":"angular-load","description":"angular-load ============","url":null,"keywords":"","version":"0.2.0","words":"angular-load angular-load ============ =urish","author":"=urish","date":"2014-08-27 "},{"name":"angular-loading-bar","description":"An automatic loading bar for AngularJS","url":null,"keywords":"angular angularjs loading loadingbar progress progressbar","version":"0.6.0","words":"angular-loading-bar an automatic loading bar for angularjs =chieffancypants angular angularjs loading loadingbar progress progressbar","author":"=chieffancypants","date":"2014-09-18 "},{"name":"angular-local-storage","description":"Angular Local Storage module","url":null,"keywords":"angular angular-local-storage","version":"0.0.1","words":"angular-local-storage angular local storage module =akalinovski =ws-malysheva =grevory =pitbeast angular angular-local-storage","author":"=akalinovski =ws-malysheva =grevory =pitbeast","date":"2014-08-04 "},{"name":"angular-localforage","description":"Angular service & directive for https://github.com/mozilla/localForage (Offline storage, improved.)","url":null,"keywords":"localstorage local-storage localForage indexDB webSQL storage module angular angularJS","version":"0.2.10","words":"angular-localforage angular service & directive for https://github.com/mozilla/localforage (offline storage, improved.) =ocombe localstorage local-storage localforage indexdb websql storage module angular angularjs","author":"=ocombe","date":"2014-09-08 "},{"name":"angular-localize","description":"A localization module for AngularJS.","url":null,"keywords":"angular AngularJS translation localization localisation internationalization internationalisation i18n L10n","version":"2.0.0","words":"angular-localize a localization module for angularjs. =blueimp angular angularjs translation localization localisation internationalization internationalisation i18n l10n","author":"=blueimp","date":"2014-04-01 "},{"name":"angular-lock-column-widths","description":"lock and unlock table column widths, to prevent resizing","url":null,"keywords":"angular column header table th td tr lock fix fixed width resize prevent stuck","version":"0.0.1","words":"angular-lock-column-widths lock and unlock table column widths, to prevent resizing =bcherny angular column header table th td tr lock fix fixed width resize prevent stuck","author":"=bcherny","date":"2014-05-30 "},{"name":"angular-locker","description":"A simple & configurable abstraction for local/session storage in angular projects","url":null,"keywords":"","version":"0.6.0","words":"angular-locker a simple & configurable abstraction for local/session storage in angular projects =tymondesigns","author":"=tymondesigns","date":"2014-09-02 "},{"name":"angular-loggly","description":"Integration of Loggly into AngularJS as a Service","url":null,"keywords":"","version":"1.0.0","words":"angular-loggly integration of loggly into angularjs as a service =omouse","author":"=omouse","date":"2014-04-30 "},{"name":"angular-markdown-directive","description":"simple AngularJS markdown directive with showdown","url":null,"keywords":"angular angularjs markdown directive","version":"0.3.0","words":"angular-markdown-directive simple angularjs markdown directive with showdown =btford angular angularjs markdown directive","author":"=btford","date":"2014-04-21 "},{"name":"angular-match","description":"Validate if two inputs match the same value.","url":null,"keywords":"","version":"1.0.1","words":"angular-match validate if two inputs match the same value. =neoziro","author":"=neoziro","date":"2014-08-29 "},{"name":"angular-md","description":"Angular directive to render Markdown text. It's built on blazingly fast markdown parser 'marked'.","url":null,"keywords":"angular directive javascript markdown marked","version":"1.0.0","words":"angular-md angular directive to render markdown text. it's built on blazingly fast markdown parser 'marked'. =yaru22 angular directive javascript markdown marked","author":"=yaru22","date":"2014-03-12 "},{"name":"angular-md5","description":"A md5 crypto component for Angular.js","url":null,"keywords":"PatrickJS gdi2290 angular.js angularjs angular crypto md5","version":"0.1.7","words":"angular-md5 a md5 crypto component for angular.js =gdi2290 patrickjs gdi2290 angular.js angularjs angular crypto md5","author":"=gdi2290","date":"2014-01-20 "},{"name":"angular-mediaflow","description":"angular-mediaflow =================","url":null,"keywords":"","version":"0.0.2","words":"angular-mediaflow angular-mediaflow ================= =nervetattoo","author":"=nervetattoo","date":"2014-08-28 "},{"name":"angular-message-socket","description":"A WebSocket wrapper for Angular with Akka-style semantics.","url":null,"keywords":"angular angularjs websocket akka mocks testing fluent interface","version":"0.1.0","words":"angular-message-socket a websocket wrapper for angular with akka-style semantics. =dbaumann angular angularjs websocket akka mocks testing fluent interface","author":"=dbaumann","date":"2014-09-20 "},{"name":"angular-mocks","description":"Npm package for angular-mocks.js","url":null,"keywords":"angular mocks angularjs testing","version":"1.2.22","words":"angular-mocks npm package for angular-mocks.js =zizzamia angular mocks angularjs testing","author":"=zizzamia","date":"2014-08-14 "},{"name":"angular-modal","description":"easily add a modal to your angular app","url":null,"keywords":"angular angularjs modal","version":"0.4.0","words":"angular-modal easily add a modal to your angular app =btford angular angularjs modal","author":"=btford","date":"2014-06-20 "},{"name":"angular-module-animate","description":"Animate AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-animate animate angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-cookies","description":"Cookies AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-cookies cookies angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-core","description":"Core AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-core core angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-loader","description":"Loader AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-loader loader angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-mocks","description":"Mocks AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-mocks mocks angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-resource","description":"Resource AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-resource resource angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-route","description":"Route AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-route route angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-sanitize","description":"Sanitize AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-sanitize sanitize angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-module-touch","description":"Touch AngularJS module suitable for bundling with Browserify or Webpack","url":null,"keywords":"angular browserify webpack","version":"1.2.19","words":"angular-module-touch touch angularjs module suitable for bundling with browserify or webpack =elzair angular browserify webpack","author":"=elzair","date":"2014-07-05 "},{"name":"angular-modules-graph","description":"Create a graph of angular module definitions","url":null,"keywords":"angular modules graph","version":"0.1.0","words":"angular-modules-graph create a graph of angular module definitions =carlo-colombo angular modules graph","author":"=carlo-colombo","date":"2014-05-30 "},{"name":"angular-moment","description":"angular-moment\r ==============","url":null,"keywords":"","version":"0.8.2","words":"angular-moment angular-moment\r ============== =urish","author":"=urish","date":"2014-09-07 "},{"name":"angular-momentjs","description":"Moment.js for Angular.js","url":null,"keywords":"gdi2290 PatrickJS angular angularjs angular.js moment momentjs moment.js time ago timeago api","version":"0.1.8","words":"angular-momentjs moment.js for angular.js =gdi2290 gdi2290 patrickjs angular angularjs angular.js moment momentjs moment.js time ago timeago api","author":"=gdi2290","date":"2014-04-17 "},{"name":"angular-mousewheel","description":"Angular Mousewheel ==================","url":null,"keywords":"","version":"1.0.4","words":"angular-mousewheel angular mousewheel ================== =ws-malysheva","author":"=ws-malysheva","date":"2014-06-19 "},{"name":"angular-multi-avatar","description":"AngularJS Multi-Avatar Directive supporting facebook, twitter, github and gravatar","url":null,"keywords":"angular angularjs directive social avatar facebook twitter gravatar github","version":"0.2.1","words":"angular-multi-avatar angularjs multi-avatar directive supporting facebook, twitter, github and gravatar =angleman angular angularjs directive social avatar facebook twitter gravatar github","author":"=angleman","date":"2014-01-24 "},{"name":"angular-multi-avatar-directive","description":"AngularJS Multi-Avatar Directive supporting facebook, twitter, github and gravatar","url":null,"keywords":"angular angularjs directive social avatar facebook twitter gravatar github","version":"0.2.0","words":"angular-multi-avatar-directive angularjs multi-avatar directive supporting facebook, twitter, github and gravatar =angleman angular angularjs directive social avatar facebook twitter gravatar github","author":"=angleman","date":"2014-01-24 "},{"name":"angular-names","description":"Simple utilities for working with names in AngularJS","url":null,"keywords":"angular names validation directive filter","version":"0.0.1","words":"angular-names simple utilities for working with names in angularjs =bendrucker angular names validation directive filter","author":"=bendrucker","date":"2014-06-20 "},{"name":"angular-nl2br","description":"An angular filter that turns new lines into line breaks","url":null,"keywords":"","version":"1.0.2","words":"angular-nl2br an angular filter that turns new lines into line breaks =demands","author":"=demands","date":"2014-08-07 "},{"name":"angular-no-vnc","description":"noVNC port for angular.js","url":null,"keywords":"angular angular.js noVNC vnc RDP","version":"0.0.2","words":"angular-no-vnc novnc port for angular.js =rootstar angular angular.js novnc vnc rdp","author":"=rootstar","date":"2014-09-16 "},{"name":"angular-odometer-js","description":"Angular.JS wrapper for Hubspot Odometer","url":null,"keywords":"","version":"0.1.1","words":"angular-odometer-js angular.js wrapper for hubspot odometer =wallin","author":"=wallin","date":"2014-07-04 "},{"name":"angular-off","description":"Providing the method $off for $rootScope in Angular.js","url":null,"keywords":"","version":"0.0.1","words":"angular-off providing the method $off for $rootscope in angular.js =gdi2290","author":"=gdi2290","date":"2013-10-17 "},{"name":"angular-onbeforeunload","description":"angular directive to handle window.onbeforeunload event in angularJS forms","url":null,"keywords":"","version":"0.1.0","words":"angular-onbeforeunload angular directive to handle window.onbeforeunload event in angularjs forms =marcorinck","author":"=marcorinck","date":"2013-09-15 "},{"name":"angular-once","description":"angular-once\r =====================","url":null,"keywords":"","version":"0.1.8","words":"angular-once angular-once\r ===================== =tadeuszwojcik","author":"=tadeuszwojcik","date":"2014-06-02 "},{"name":"angular-optimistic-cache","description":"Optimistically use cached data before a request finishes.","url":null,"keywords":"angular filter","version":"1.0.3","words":"angular-optimistic-cache optimistically use cached data before a request finishes. =rubenv angular filter","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-optimistic-model","description":"Optimistically cached models for Angular.JS.","url":null,"keywords":"angular model","version":"1.2.11","words":"angular-optimistic-model optimistically cached models for angular.js. =rubenv angular model","author":"=rubenv","date":"2014-09-08 "},{"name":"angular-parentmessager","description":"An AngularJs service that provides a convenience wrapper around sending and receiving messages from parent frame","url":null,"keywords":"angularjs iframe crossdomain","version":"0.0.1","words":"angular-parentmessager an angularjs service that provides a convenience wrapper around sending and receiving messages from parent frame =bguiz angularjs iframe crossdomain","author":"=bguiz","date":"2014-08-24 "},{"name":"angular-partials-brunch","description":"Manage AngularJS partials with Brunch","url":null,"keywords":"brunch angular template partials","version":"0.0.2","words":"angular-partials-brunch manage angularjs partials with brunch =ghoullier brunch angular template partials","author":"=ghoullier","date":"2014-07-05 "},{"name":"angular-password","description":"The most performant AngularJS directive for matching two password input fields ","url":null,"keywords":"","version":"0.0.1","words":"angular-password the most performant angularjs directive for matching two password input fields =gdi2290","author":"=gdi2290","date":"2014-08-20 "},{"name":"angular-peer","description":"Peer.js wrapper for Angular.js","url":null,"keywords":"","version":"1.0.0","words":"angular-peer peer.js wrapper for angular.js =gdi2290","author":"=gdi2290","date":"2013-11-17 "},{"name":"angular-performance","description":"AngularJS directive to measure perceived page load time","url":null,"keywords":"angular angularjs perfmon performance beacon perceived load","version":"0.1.1","words":"angular-performance angularjs directive to measure perceived page load time =mendhak angular angularjs perfmon performance beacon perceived load","author":"=mendhak","date":"2013-09-15 "},{"name":"angular-pickadate.js","description":"Angular directives for pickadate.js","url":null,"keywords":"PatrickJS gdi2290 angular.js angularjs angular pickadate.js pickadate pickatime pickatime.js datepicker timepicker datetimes","version":"0.0.0","words":"angular-pickadate.js angular directives for pickadate.js =gdi2290 patrickjs gdi2290 angular.js angularjs angular pickadate.js pickadate pickatime pickatime.js datepicker timepicker datetimes","author":"=gdi2290","date":"2014-08-04 "},{"name":"angular-placeholder","description":"Placeholder shim for IE8/IE9 and styling simplification.","url":null,"keywords":"angularjs ie8 ie9 placeholder","version":"1.0.1","words":"angular-placeholder placeholder shim for ie8/ie9 and styling simplification. =fidian angularjs ie8 ie9 placeholder","author":"=fidian","date":"2014-06-23 "},{"name":"angular-point-xml-parser","description":"Grunt task to stringify offline XML files that can then be mocked with $httpBackend.","url":null,"keywords":"angular-point","version":"0.0.9","words":"angular-point-xml-parser grunt task to stringify offline xml files that can then be mocked with $httpbackend. =scatcher angular-point","author":"=scatcher","date":"2014-09-20 "},{"name":"angular-pokemon","description":"Pokemon directive for angular","url":null,"keywords":"","version":"0.0.2","words":"angular-pokemon pokemon directive for angular =gdi2290","author":"=gdi2290","date":"2013-10-17 "},{"name":"angular-presst","description":"RESTful resources with embedding capabilities for AngularJS","url":null,"keywords":"angular rest restful resources","version":"0.2.0","words":"angular-presst restful resources with embedding capabilities for angularjs =lyschoening angular rest restful resources","author":"=lyschoening","date":"2014-08-14 "},{"name":"angular-primus","description":"AngularJS service for Primus in Node.js","url":null,"keywords":"primus angular plugin model sync controller router CRUD push","version":"0.0.1","words":"angular-primus angularjs service for primus in node.js =pocesar primus angular plugin model sync controller router crud push","author":"=pocesar","date":"2013-08-23 "},{"name":"angular-project","description":"Creates a basic Angular JS Project setup with coffee script and sass with Twitter Bootstrap.","url":null,"keywords":"angularjs angular js project","version":"0.0.7","words":"angular-project creates a basic angular js project setup with coffee script and sass with twitter bootstrap. =lelandcope angularjs angular js project","author":"=lelandcope","date":"2013-10-29 "},{"name":"angular-promise","description":"An Angular.js wrapper around Bluebird's API as $promise","url":null,"keywords":"","version":"0.0.0","words":"angular-promise an angular.js wrapper around bluebird's api as $promise =gdi2290","author":"=gdi2290","date":"2014-09-03 "},{"name":"angular-promise-cache","description":"AngularJS service that provides a generic way to cache promises and ensure all cached promises are resolved correctly.","url":null,"keywords":"angularjs promises cache","version":"0.0.2","words":"angular-promise-cache angularjs service that provides a generic way to cache promises and ensure all cached promises are resolved correctly. =chrisronline angularjs promises cache","author":"=chrisronline","date":"2013-10-17 "},{"name":"angular-promise-tracker","description":"angular-promise-tracker =======================","url":null,"keywords":"","version":"2.0.1","words":"angular-promise-tracker angular-promise-tracker ======================= =andytjoslin","author":"=andytjoslin","date":"2014-06-29 "},{"name":"angular-promises-toolkit","description":"angular-promises-toolkit\r ==============","url":null,"keywords":"","version":"0.0.1","words":"angular-promises-toolkit angular-promises-toolkit\r ============== =urish","author":"=urish","date":"2014-04-24 "},{"name":"angular-pubnub","description":"A PubNub component for Angular.js","url":null,"keywords":"","version":"0.0.8","words":"angular-pubnub a pubnub component for angular.js =gdi2290","author":"=gdi2290","date":"2013-09-23 "},{"name":"angular-pubsub","description":"A publisher/subscriber service for AngularJS","url":null,"keywords":"angular publisher subscriber","version":"0.2.0","words":"angular-pubsub a publisher/subscriber service for angularjs =tjlav5 angular publisher subscriber","author":"=tjlav5","date":"2014-07-30 "},{"name":"angular-pusher","description":">","url":null,"keywords":"","version":"0.0.7","words":"angular-pusher > =doowb","author":"=doowb","date":"2014-02-26 "},{"name":"angular-raf","description":"requestAnimationFrame() service for Angular.JS applications.","url":null,"keywords":"","version":"0.0.3","words":"angular-raf requestanimationframe() service for angular.js applications. =lvillani","author":"=lvillani","date":"2014-05-12 "},{"name":"angular-raven","description":"A Raven.js / Sentry wrapper for Angular.js","url":null,"keywords":"","version":"0.5.6","words":"angular-raven a raven.js / sentry wrapper for angular.js =gdi2290","author":"=gdi2290","date":"2013-11-18 "},{"name":"angular-re-captcha","description":"> Integrate [reCAPTCHA](http://www.google.com/recaptcha) into angularjs with form validation support.","url":null,"keywords":"","version":"0.0.3","words":"angular-re-captcha > integrate [recaptcha](http://www.google.com/recaptcha) into angularjs with form validation support. =pitbeast","author":"=pitbeast","date":"2014-06-18 "},{"name":"angular-react-to","description":"Wrapper for react to","url":null,"keywords":"angular $watch util","version":"1.0.0","words":"angular-react-to wrapper for react to =mr-mig angular $watch util","author":"=mr-mig","date":"2014-07-11 "},{"name":"angular-reactable","description":"These directives allows you to add the reactable/computable ability to your elements of a document.","url":null,"keywords":"","version":"0.0.1","words":"angular-reactable these directives allows you to add the reactable/computable ability to your elements of a document. =riceball","author":"=riceball","date":"2013-08-31 "},{"name":"angular-recaptcha","description":"An AngularJS module to ease usage of reCaptcha inside a form","url":null,"keywords":"","version":"1.0.1","words":"angular-recaptcha an angularjs module to ease usage of recaptcha inside a form =ws-malysheva =pitbeast","author":"=ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-resource","description":"AngularJS $resource bindings for express.","url":null,"keywords":"angularjs express $resource","version":"0.1.1","words":"angular-resource angularjs $resource bindings for express. =roylines angularjs express $resource","author":"=roylines","date":"2013-05-11 "},{"name":"angular-restful-resource","description":"Simple AngularJS Restful Resource extension for ngResource.","url":null,"keywords":"angular restful resource","version":"0.0.2","words":"angular-restful-resource simple angularjs restful resource extension for ngresource. =icereval angular restful resource","author":"=icereval","date":"2014-03-11 "},{"name":"angular-retina","description":"Replace AngularJS directive 'ng-src' by a version which supports Retina displays","url":null,"keywords":"angularjs ngSrc Retina high resolution image","version":"0.3.1","words":"angular-retina replace angularjs directive 'ng-src' by a version which supports retina displays =jrief angularjs ngsrc retina high resolution image","author":"=jrief","date":"2014-02-17 "},{"name":"angular-route","description":"This is a port of the bower-angular-route package for all the npm fans :)","url":null,"keywords":"angular angular-route route","version":"1.2.17-build.163.1","words":"angular-route this is a port of the bower-angular-route package for all the npm fans :) =mljsimone angular angular-route route","author":"=mljsimone","date":"2014-05-12 "},{"name":"angular-route-wizard","description":"Angular module that makes it easier to work with ngRoute.","url":null,"keywords":"angular ngroute wizard","version":"0.0.2","words":"angular-route-wizard angular module that makes it easier to work with ngroute. =impaloo angular ngroute wizard","author":"=impaloo","date":"2014-08-15 "},{"name":"angular-router","description":"Express router for angular","url":null,"keywords":"","version":"0.0.2","words":"angular-router express router for angular =camshaft","author":"=camshaft","date":"2013-02-13 "},{"name":"angular-router-browserify","description":"Angular's router module for use with Browserify","url":null,"keywords":"","version":"0.0.2","words":"angular-router-browserify angular's router module for use with browserify =jackfranklin","author":"=jackfranklin","date":"2014-09-08 "},{"name":"angular-rt-popup","description":"A better version of the Bootstrap popover, for Angular.JS","url":null,"keywords":"angular filter","version":"0.0.6","words":"angular-rt-popup a better version of the bootstrap popover, for angular.js =rubenv angular filter","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-sanitize","description":"Angular Sanitize module","url":null,"keywords":"angular angular-sanitize","version":"0.0.1","words":"angular-sanitize angular sanitize module =akalinovski =ws-malysheva =pitbeast angular angular-sanitize","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-scroll","description":"Scrollspy, animated scrollTo and scroll events","url":null,"keywords":"angular smooth-scroll scrollspy scrollTo scrolling","version":"0.6.2","words":"angular-scroll scrollspy, animated scrollto and scroll events =oblador angular smooth-scroll scrollspy scrollto scrolling","author":"=oblador","date":"2014-09-10 "},{"name":"angular-scrollto","description":"Angular directive to scroll to element by selector","url":null,"keywords":"angular scroll directive","version":"0.1.4","words":"angular-scrollto angular directive to scroll to element by selector =scottcorgan angular scroll directive","author":"=scottcorgan","date":"2014-03-12 "},{"name":"angular-seed","description":"A starter project for AngularJS","url":null,"keywords":"","version":"0.0.0","words":"angular-seed a starter project for angularjs =tm022471","author":"=tm022471","date":"2014-05-29 "},{"name":"angular-select2","description":"Select2 directive for Angular.js","url":null,"keywords":"angular select2","version":"1.3.1","words":"angular-select2 select2 directive for angular.js =rubenv angular select2","author":"=rubenv","date":"2014-09-12 "},{"name":"angular-selection","description":"AngularJS directives for working with text selections within input fields","url":null,"keywords":"angular angularjs range text select selection input fields","version":"0.1.0","words":"angular-selection angularjs directives for working with text selections within input fields =boneskull angular angularjs range text select selection input fields","author":"=boneskull","date":"2014-09-16 "},{"name":"angular-selectize","description":"ng-directive for the selectize jQuery plugin.","url":null,"keywords":"angular selectize","version":"0.0.1","words":"angular-selectize ng-directive for the selectize jquery plugin. =paolodm angular selectize","author":"=paolodm","date":"2014-01-27 "},{"name":"angular-server","description":"Express WebServer for Angular applications","url":null,"keywords":"angular node.js express","version":"0.0.2","words":"angular-server express webserver for angular applications =leandrob angular node.js express","author":"=leandrob","date":"2014-03-02 "},{"name":"angular-shims-placeholder","description":"Add Angular directive to emulate attribute ´placeholder´ in input fields of type text and password for old browsers, such as IE8 and below","url":null,"keywords":"angularjs placeholders polyfill","version":"0.2.0","words":"angular-shims-placeholder add angular directive to emulate attribute ´placeholder´ in input fields of type text and password for old browsers, such as ie8 and below =tbranyen angularjs placeholders polyfill","author":"=tbranyen","date":"2014-08-05 "},{"name":"angular-shrub","description":"

Hi! ^_^

","url":null,"keywords":"","version":"0.0.1","words":"angular-shrub

hi! ^_^

=cha0s","author":"=cha0s","date":"2013-03-27 "},{"name":"angular-simple-slider","description":"version: 0.1.0","url":null,"keywords":"","version":"0.1.0","words":"angular-simple-slider version: 0.1.0 =ruyadorno","author":"=ruyadorno","date":"2014-03-14 "},{"name":"angular-simple-slideshow","description":"A simple set of directives that creates a customizable slideshow.","url":null,"keywords":"angular angularjs angular.js slideshow slide show angular slideshow angular slide show","version":"0.0.3","words":"angular-simple-slideshow a simple set of directives that creates a customizable slideshow. =devlab2425 angular angularjs angular.js slideshow slide show angular slideshow angular slide show","author":"=devlab2425","date":"2014-08-12 "},{"name":"angular-slide-menu","description":"A simple, mobile-ready sliding menu directive for AngularJS","url":null,"keywords":"angular angularjs angular-directive slide-menu push-menu browserify webpack","version":"0.5.0","words":"angular-slide-menu a simple, mobile-ready sliding menu directive for angularjs =elzair angular angularjs angular-directive slide-menu push-menu browserify webpack","author":"=elzair","date":"2014-05-16 "},{"name":"angular-slider","description":"Slider directive implementation for AngularJS, without jQuery dependencies.","url":null,"keywords":"angular slider","version":"0.2.3","words":"angular-slider slider directive implementation for angularjs, without jquery dependencies. =that70schris angular slider","author":"=that70schris","date":"2014-08-07 "},{"name":"angular-smart-scroll","description":"Smart infinite scroll directive for Angular.js that is customizable to support nested, horizontal, vertical, and/or bidirectional scrolls","url":null,"keywords":"smart infinite scroll nested horizontal vertical bidirectional angular.js directive","version":"0.0.5","words":"angular-smart-scroll smart infinite scroll directive for angular.js that is customizable to support nested, horizontal, vertical, and/or bidirectional scrolls =joonho1101 smart infinite scroll nested horizontal vertical bidirectional angular.js directive","author":"=joonho1101","date":"2014-07-22 "},{"name":"angular-social-links","description":"Flexible and easy social sharing directives for Twitter, Google plus and Facebook","url":null,"keywords":"","version":"0.0.1","words":"angular-social-links flexible and easy social sharing directives for twitter, google plus and facebook =sdbondi","author":"=sdbondi","date":"2014-06-16 "},{"name":"angular-socket-io","description":"Bower Component for using AngularJS with [Socket.IO](http://socket.io/), based on [this](http://briantford.com/blog/angular-socket-io.html).","url":null,"keywords":"","version":"0.6.0","words":"angular-socket-io bower component for using angularjs with [socket.io](http://socket.io/), based on [this](http://briantford.com/blog/angular-socket-io.html). =btford","author":"=btford","date":"2014-04-23 "},{"name":"angular-sockjs","description":"[SockJS](https://github.com/sockjs/sockjs-client) provider for AngularJS.","url":null,"keywords":"angular WebSockets SockJS realtime","version":"0.1.0","words":"angular-sockjs [sockjs](https://github.com/sockjs/sockjs-client) provider for angularjs. =bendrucker angular websockets sockjs realtime","author":"=bendrucker","date":"2014-08-01 "},{"name":"angular-spec","description":"Angular testing wrappers for providers, factories, services, directives, controllers, and templates","url":null,"keywords":"","version":"0.0.2","words":"angular-spec angular testing wrappers for providers, factories, services, directives, controllers, and templates =nate-wilkins","author":"=nate-wilkins","date":"2014-07-23 "},{"name":"angular-spinner","description":"Angular directive to show an animated spinner (using [spin.js](http://fgnass.github.io/spin.js/))","url":null,"keywords":"","version":"0.5.1","words":"angular-spinner angular directive to show an animated spinner (using [spin.js](http://fgnass.github.io/spin.js/)) =urish","author":"=urish","date":"2014-08-09 "},{"name":"angular-stackables","description":"angular-stackables ==================","url":null,"keywords":"","version":"0.0.27","words":"angular-stackables angular-stackables ================== =dlongley","author":"=dlongley","date":"2014-09-08 "},{"name":"angular-starts-with-filter","description":"A simple filter that will return strings that start with a given character.","url":null,"keywords":"angular angularjs angular.js filter starts with angular filter angularjs filter","version":"0.0.1","words":"angular-starts-with-filter a simple filter that will return strings that start with a given character. =devlab2425 angular angularjs angular.js filter starts with angular filter angularjs filter","author":"=devlab2425","date":"2014-08-15 "},{"name":"angular-stellar","keywords":"","version":[],"words":"angular-stellar","author":"","date":"2014-02-11 "},{"name":"angular-sticky-table-header","description":"Sticky headers for tables","url":null,"keywords":"sticky header angular fixed position stuck","version":"0.2.9","words":"angular-sticky-table-header sticky headers for tables =bcherny sticky header angular fixed position stuck","author":"=bcherny","date":"2014-06-29 "},{"name":"angular-string-transform","description":"Angular service encapsulating a variety of string transformations","url":null,"keywords":"","version":"0.0.1","words":"angular-string-transform angular service encapsulating a variety of string transformations =tdg5","author":"=tdg5","date":"2014-04-17 "},{"name":"angular-stripe","description":"Angular service provider for interacting with Stripe","url":null,"keywords":"angular stripe promise wrapper","version":"2.0.2","words":"angular-stripe angular service provider for interacting with stripe =bendrucker angular stripe promise wrapper","author":"=bendrucker","date":"2014-08-01 "},{"name":"angular-subapp","description":"A module that allows angular apps run inside another angular app","url":null,"keywords":"","version":"0.1.1","words":"angular-subapp a module that allows angular apps run inside another angular app =lgalfaso","author":"=lgalfaso","date":"2014-06-15 "},{"name":"angular-tags-input","description":"Angular Tags Input module","url":null,"keywords":"angular angular-tags-input","version":"0.0.2","words":"angular-tags-input angular tags input module =akalinovski =ws-malysheva =pitbeast angular angular-tags-input","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-template-brunch","description":"concentrate all html to a javascript template","url":null,"keywords":"","version":"0.0.1","words":"angular-template-brunch concentrate all html to a javascript template =wgjtyu","author":"=wgjtyu","date":"2013-09-11 "},{"name":"angular-template-inline-js","description":"angular-template-inline-js ==========================","url":null,"keywords":"","version":"0.1.5","words":"angular-template-inline-js angular-template-inline-js ========================== =scriby","author":"=scriby","date":"2014-08-21 "},{"name":"angular-templates-brunch","description":"Wrap templates in an AngularJS module for Brunch.IO","url":null,"keywords":"","version":"0.0.6","words":"angular-templates-brunch wrap templates in an angularjs module for brunch.io =kenhkan","author":"=kenhkan","date":"2014-02-11 "},{"name":"angular-test-patterns","description":"High Quality Guide for Testing AngularJS","url":null,"keywords":"angularjs unit test patterns","version":"0.0.2","words":"angular-test-patterns high quality guide for testing angularjs =daniellmb angularjs unit test patterns","author":"=daniellmb","date":"2014-03-06 "},{"name":"angular-timeago","description":"Angular directive/filter/service for formatting date so that it displays how long ago the given time was compared to now.","url":null,"keywords":"angular directive filter service timeago moment","version":"0.1.2","words":"angular-timeago angular directive/filter/service for formatting date so that it displays how long ago the given time was compared to now. =yaru22 angular directive filter service timeago moment","author":"=yaru22","date":"2014-04-16 "},{"name":"angular-tiny-eventemitter","description":"Tiny event emitter for Angular.JS.","url":null,"keywords":"angular events","version":"0.1.0","words":"angular-tiny-eventemitter tiny event emitter for angular.js. =rubenv angular events","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-translate","description":"A translation module for AngularJS","url":null,"keywords":"","version":"2.2.1","words":"angular-translate a translation module for angularjs =knalli","author":"=knalli","date":"2014-09-04 "},{"name":"angular-translate-extractor","description":"An extractor for all the translation keys for angular-translate project","url":null,"keywords":"AngularJS angular-translate gulp plugin javascript js translate i18n extractor","version":"0.0.3","words":"angular-translate-extractor an extractor for all the translation keys for angular-translate project =joonho1101 angularjs angular-translate gulp plugin javascript js translate i18n extractor","author":"=joonho1101","date":"2014-03-21 "},{"name":"angular-translate-test-publish","description":"A translation module for AngularJS","url":null,"keywords":"","version":"2.2.2","words":"angular-translate-test-publish a translation module for angularjs =nick.heiner","author":"=nick.heiner","date":"2014-09-04 "},{"name":"angular-types","description":"AngularJS introspection utilities","url":null,"keywords":"angular angularjs type types checking clone copy","version":"0.1.0","words":"angular-types angularjs introspection utilities =boneskull angular angularjs type types checking clone copy","author":"=boneskull","date":"2014-09-05 "},{"name":"angular-ua-parser","description":"Lightweight Angular.js wrapper for User-Agent String Parser","url":null,"keywords":"","version":"0.0.2","words":"angular-ua-parser lightweight angular.js wrapper for user-agent string parser =gdi2290","author":"=gdi2290","date":"2013-11-10 "},{"name":"angular-ui-bootstrap","keywords":"","version":[],"words":"angular-ui-bootstrap","author":"","date":"2014-07-12 "},{"name":"angular-ui-form-validation","description":"A plugin for performing validation in angularjs without writing lots of boilerplate code or duplicating logic.","url":null,"keywords":"angular angular-validation angular-ui-form-validation angular-validator validation angularjs directive javascript nelson omuto angular validation directive angularjs validation directive validation directive angular validation angularjs validation javascript input validation multiple input validation order of priority validation","version":"1.2.4","words":"angular-ui-form-validation a plugin for performing validation in angularjs without writing lots of boilerplate code or duplicating logic. =nelsonomuto angular angular-validation angular-ui-form-validation angular-validator validation angularjs directive javascript nelson omuto angular validation directive angularjs validation directive validation directive angular validation angularjs validation javascript input validation multiple input validation order of priority validation","author":"=nelsonomuto","date":"2014-09-19 "},{"name":"angular-ui-publisher","description":"Helper component for building and publishing your angular modules as bower components","url":null,"keywords":"angular-ui component publisher travis bower","version":"1.2.6","words":"angular-ui-publisher helper component for building and publishing your angular modules as bower components =douglasduteil angular-ui component publisher travis bower","author":"=douglasduteil","date":"2014-04-27 "},{"name":"angular-ui-router","description":"State-based routing for AngularJS","url":null,"keywords":"","version":"0.2.10","words":"angular-ui-router state-based routing for angularjs =demands =sevein =goodeggs =nateabele","author":"=demands =sevein =goodeggs =nateabele","date":"2014-03-19 "},{"name":"angular-ui-select2","description":"AngularUI - The companion suite for AngularJS","url":null,"keywords":"angular angularui select2","version":"0.0.5","words":"angular-ui-select2 angularui - the companion suite for angularjs =anotherchrisberry angular angularui select2","author":"=anotherchrisberry","date":"2014-09-10 "},{"name":"angular-ui-sortable","description":"This directive allows you to jQueryUI Sortable.","url":null,"keywords":"","version":"0.12.5","words":"angular-ui-sortable this directive allows you to jqueryui sortable. =ws-anashkin","author":"=ws-anashkin","date":"2014-04-28 "},{"name":"angular-ui-tinymce","description":"This directive allows you to add a tinymce to your form elements.","url":null,"keywords":"","version":"0.0.5","words":"angular-ui-tinymce this directive allows you to add a tinymce to your form elements. =tbranyen","author":"=tbranyen","date":"2014-08-05 "},{"name":"angular-ui-utils","description":"Swiss-Army-Knife of AngularJS tools (with no external dependencies!)","url":null,"keywords":"","version":"0.1.1","words":"angular-ui-utils swiss-army-knife of angularjs tools (with no external dependencies!) =tbranyen","author":"=tbranyen","date":"2014-08-05 "},{"name":"angular-uid","description":"Creating unique IDs in angular way","url":null,"keywords":"guid uuid uid angularjs angular uid","version":"0.1.1","words":"angular-uid creating unique ids in angular way =huei90 guid uuid uid angularjs angular uid","author":"=huei90","date":"2014-05-18 "},{"name":"angular-ujs","description":"Unobtrusive scripting for AngularJS ( without jQuery dependency )","url":null,"keywords":"Ruby on Rails RoR AngularJS jQuery Unobtrusive scripting directive","version":"0.4.8","words":"angular-ujs unobtrusive scripting for angularjs ( without jquery dependency ) =tomchentw ruby on rails ror angularjs jquery unobtrusive scripting directive","author":"=tomchentw","date":"2014-02-11 "},{"name":"angular-user-select","description":"Disable user selection dynamically.","url":null,"keywords":"angular selection","version":"1.0.0","words":"angular-user-select disable user selection dynamically. =rubenv angular selection","author":"=rubenv","date":"2014-07-25 "},{"name":"angular-validation","description":"Client-side Validation for AngularJS","url":null,"keywords":"angular angularjs validation angular validation validator client-side","version":"1.2.5","words":"angular-validation client-side validation for angularjs =huei90 angular angularjs validation angular validation validator client-side","author":"=huei90","date":"2014-08-23 "},{"name":"angular-vertxbus","description":"Seed for reusable Angular components.","url":null,"keywords":"","version":"0.7.1","words":"angular-vertxbus seed for reusable angular components. =knalli","author":"=knalli","date":"2014-09-19 "},{"name":"angular-vibrator","description":"Angular wrapper for the vibration API.","url":null,"keywords":"angular angularjs angular-vibrator vibration api vibration vibrator","version":"0.2.0","words":"angular-vibrator angular wrapper for the vibration api. =cyrilf angular angularjs angular-vibrator vibration api vibration vibrator","author":"=cyrilf","date":"2014-03-12 "},{"name":"angular-vs-repeat","description":"Virtual Scroll for AngularJS ngRepeat directive","url":null,"keywords":"","version":"1.0.0-rc4","words":"angular-vs-repeat virtual scroll for angularjs ngrepeat directive =kamilkp","author":"=kamilkp","date":"2014-07-15 "},{"name":"angular-webpack-plugin","description":"Makes webpack aware of AngularJS modules.","url":null,"keywords":"","version":"0.0.2","words":"angular-webpack-plugin makes webpack aware of angularjs modules. =stackfull","author":"=stackfull","date":"2014-07-27 "},{"name":"angular-websocket","description":"WebSocket service for Angular.js","url":null,"keywords":"","version":"0.0.5","words":"angular-websocket websocket service for angular.js =gdi2290","author":"=gdi2290","date":"2013-12-10 "},{"name":"angular-websocket-service","description":"Event-less JSON WebSocket service for AngularJS","url":null,"keywords":"","version":"0.2.0","words":"angular-websocket-service event-less json websocket service for angularjs =wking","author":"=wking","date":"2014-09-06 "},{"name":"angular-winjs","description":"Project to smooth the AngularJS/WinJS interaction, this code is a shim layer which facilitates usage of WinJS UI controls in an Angular Windows application.","url":null,"keywords":"AngularJS WinJS angular windows8","version":"1.0.0","words":"angular-winjs project to smooth the angularjs/winjs interaction, this code is a shim layer which facilitates usage of winjs ui controls in an angular windows application. =spankyj angularjs winjs angular windows8","author":"=spankyj","date":"2014-06-13 "},{"name":"angular-wizard","description":"Easy to use Wizard library for AngularJS","url":null,"keywords":"angular client browser wizard form steps","version":"0.4.0","words":"angular-wizard easy to use wizard library for angularjs =mgonto angular client browser wizard form steps","author":"=mgonto","date":"2014-04-25 "},{"name":"angular-ws","description":"WebSocket service for Angular.js.","url":null,"keywords":"","version":"1.1.0","words":"angular-ws websocket service for angular.js. =neoziro","author":"=neoziro","date":"2014-09-11 "},{"name":"angular-ws-mock","description":"Mock for AngularJS WebSocket service.","url":null,"keywords":"","version":"1.1.1","words":"angular-ws-mock mock for angularjs websocket service. =neoziro","author":"=neoziro","date":"2014-09-11 "},{"name":"angular-xeditable","description":"Angular XEditable module","url":null,"keywords":"angular angular-xeditable","version":"0.0.1","words":"angular-xeditable angular xeditable module =akalinovski =ws-malysheva =pitbeast angular angular-xeditable","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angular-xml","description":"XML module for AngularJS.","url":null,"keywords":"angular xml","version":"0.2.0","words":"angular-xml xml module for angularjs. =johngeorgewright angular xml","author":"=johngeorgewright","date":"2013-10-22 "},{"name":"angular-zenpen","description":"Angular zenpen module","url":null,"keywords":"angular zenpen angular-zenpen ng-zenpen","version":"0.4.0","words":"angular-zenpen angular zenpen module =qu1ze angular zenpen angular-zenpen ng-zenpen","author":"=qu1ze","date":"2014-04-29 "},{"name":"angularcontext","description":"Use AngularJS in Node applications","url":null,"keywords":"angularjs","version":"0.0.17","words":"angularcontext use angularjs in node applications =apparentlymart angularjs","author":"=apparentlymart","date":"2014-07-03 "},{"name":"angularfire-browserify","description":"Using Firebase's AngularFire with Browserify","url":null,"keywords":"","version":"0.0.1","words":"angularfire-browserify using firebase's angularfire with browserify =jackfranklin","author":"=jackfranklin","date":"2014-04-13 "},{"name":"angularify","description":"Load angular dependencies in a browserify friendly manner with simple version selection.","url":null,"keywords":"ng angular browserify loader","version":"0.0.1","words":"angularify load angular dependencies in a browserify friendly manner with simple version selection. =evanshortiss ng angular browserify loader","author":"=evanshortiss","date":"2014-06-07 "},{"name":"angularjs","description":"Browerify angularjs shim","url":null,"keywords":"angularjs browserify angular angular-js shim bower debowerify","version":"0.0.1","words":"angularjs browerify angularjs shim =eugeneware angularjs browserify angular angular-js shim bower debowerify","author":"=eugeneware","date":"2014-06-16 "},{"name":"angularjs-batarang","description":"chrome extension for inspecting angular apps","url":null,"keywords":"angular angularjs chrome extension","version":"0.5.0","words":"angularjs-batarang chrome extension for inspecting angular apps =ealtenhof angular angularjs chrome extension","author":"=ealtenhof","date":"2014-08-13 "},{"name":"angularjs-bootstrap-jquery","description":"Will contain latest AngularJS, Bootstrap and Jquery distribution for npm","url":null,"keywords":"AngularJS Bootstrap Jquery","version":"1215.311.210","words":"angularjs-bootstrap-jquery will contain latest angularjs, bootstrap and jquery distribution for npm =arnabdas angularjs bootstrap jquery","author":"=arnabdas","date":"2014-03-26 "},{"name":"angularjs-eslint","description":"ESLint rules for AngularJS projects","url":null,"keywords":"","version":"0.0.2","words":"angularjs-eslint eslint rules for angularjs projects =emmanueldemey","author":"=emmanueldemey","date":"2014-08-17 "},{"name":"angularjs-lively","description":"Use lively object-syncing with angularjs","url":null,"keywords":"lively sock socksjs websocket socket.io angularjs angular sockets leveldb levelup firebase firedup","version":"0.0.1","words":"angularjs-lively use lively object-syncing with angularjs =eugeneware lively sock socksjs websocket socket.io angularjs angular sockets leveldb levelup firebase firedup","author":"=eugeneware","date":"2014-01-05 "},{"name":"angularjs-rzslider","description":"AngularJS slider directive with no external dependencies. Mobile friendly!.","url":null,"keywords":"angular slider","version":"0.1.4","words":"angularjs-rzslider angularjs slider directive with no external dependencies. mobile friendly!. =ws-malysheva =pitbeast angular slider","author":"=ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"angularjs-scope.safeapply","description":"A Scope Wrapper for AngularJS","url":null,"keywords":"AngularJS apply scope nodejs js javascript","version":"0.0.1","words":"angularjs-scope.safeapply a scope wrapper for angularjs =matsko angularjs apply scope nodejs js javascript","author":"=matsko","date":"2013-01-30 "},{"name":"angularjs-seed","description":"A starter project for angular js","url":null,"keywords":"","version":"1.2.0","words":"angularjs-seed a starter project for angular js =jfarid27","author":"=jfarid27","date":"2013-10-31 "},{"name":"angularjs-server","description":"A specialized server for AngularJS applications","url":null,"keywords":"angularjs","version":"0.0.22","words":"angularjs-server a specialized server for angularjs applications =apparentlymart =thrashr888 =kshay angularjs","author":"=apparentlymart =thrashr888 =kshay","date":"2014-09-02 "},{"name":"angularjs-shoe","description":"Use shoe with angularjs","url":null,"keywords":"shoe sock socksjs websocket socket.io angularjs angular sockets","version":"0.0.1","words":"angularjs-shoe use shoe with angularjs =eugeneware shoe sock socksjs websocket socket.io angularjs angular sockets","author":"=eugeneware","date":"2013-06-20 "},{"name":"angularjs-slider","keywords":"","version":[],"words":"angularjs-slider","author":"","date":"2014-04-02 "},{"name":"angularjs-templates-brunch","description":"Places templates in an AngularJS module via a Brunch.io plugin","url":null,"keywords":"","version":"0.0.3","words":"angularjs-templates-brunch places templates in an angularjs module via a brunch.io plugin =dmoscrop","author":"=dmoscrop","date":"2014-03-22 "},{"name":"angularjs-websocket-transport","description":"A demonstration that replaces the AngularJS $http service with a WebSocket transport layer.","url":null,"keywords":"AngularJS $http WebSocket","version":"0.0.4","words":"angularjs-websocket-transport a demonstration that replaces the angularjs $http service with a websocket transport layer. =exratione angularjs $http websocket","author":"=exratione","date":"2013-11-17 "},{"name":"angularparse","description":"Services for using Parse query and objects saving inside angular lifecycle","url":null,"keywords":"","version":"0.1.0","words":"angularparse services for using parse query and objects saving inside angular lifecycle =felipesabino","author":"=felipesabino","date":"2014-04-15 "},{"name":"angulartics","description":"Vendor-agnostic web analytics for AngularJS applications","url":null,"keywords":"angular analytics tracking google analytics google tag manager mixpanel kissmetrics chartbeat woopra segment.io splunk flurry piwik adobe analytics omniture page tracking event tracking scroll tracking","version":"0.16.5","words":"angulartics vendor-agnostic web analytics for angularjs applications =luisfarzati =timelf123 angular analytics tracking google analytics google tag manager mixpanel kissmetrics chartbeat woopra segment.io splunk flurry piwik adobe analytics omniture page tracking event tracking scroll tracking","author":"=luisfarzati =timelf123","date":"2014-08-28 "},{"name":"angulary","description":"angulary ===========","url":null,"keywords":"","version":"0.2.4","words":"angulary angulary =========== =stevermeister","author":"=stevermeister","date":"2014-03-09 "},{"name":"angularytics","description":"The solution to tracking page views and events in a SPA with AngularJS","url":null,"keywords":"angular analytics page view events track tracking spa","version":"0.3.0","words":"angularytics the solution to tracking page views and events in a spa with angularjs =mgonto angular analytics page view events track tracking spa","author":"=mgonto","date":"2014-06-07 "},{"name":"angus","description":"Declarative build tool for the web.","url":null,"keywords":"angular angularjs yeoman-generator yeoman web app front-end bootstrap firebase h5bp modernizr jquery grunt","version":"0.8.1","words":"angus declarative build tool for the web. =nickjanssen angular angularjs yeoman-generator yeoman web app front-end bootstrap firebase h5bp modernizr jquery grunt","author":"=nickjanssen","date":"2014-09-11 "},{"name":"angus_package","description":"Angus","url":null,"keywords":"","version":"0.0.1","words":"angus_package angus =yangenxiong","author":"=yangenxiong","date":"2014-01-27 "},{"name":"ani-up","description":"Wrapper for MyAnimeList and Hummingbird APIs in Node.js","url":null,"keywords":"myanimelist hummingbird anime node api parse","version":"0.0.1","words":"ani-up wrapper for myanimelist and hummingbird apis in node.js =richard1 myanimelist hummingbird anime node api parse","author":"=richard1","date":"2014-08-15 "},{"name":"anidb","description":"Basic AniDB requester. Supply your own clientid.","url":null,"keywords":"anidb","version":"0.0.3","words":"anidb basic anidb requester. supply your own clientid. =paulavery anidb","author":"=paulavery","date":"2014-07-09 "},{"name":"anila2.0-test-grunt-plugin","description":"a test for creating anila.2.0 grunt plugin.","url":null,"keywords":"gruntplugin","version":"0.0.1","words":"anila2.0-test-grunt-plugin a test for creating anila.2.0 grunt plugin. =bravocado gruntplugin","author":"=bravocado","date":"2013-12-25 "},{"name":"anima","description":"``` _ _ _ /_\\ _ __ (_)_ __ ___ __ _ (_)___ //_\\\\| '_ \\| | '_ ` _ \\ / _` | | / __| / _ \\ | | | | | | | | | (_| |_ | \\__ \\ \\_/ \\_/_| |_|_|_| |_| |_|\\__,_(_)/ |___/ |__/ ```","url":null,"keywords":"","version":"0.3.7","words":"anima ``` _ _ _ /_\\ _ __ (_)_ __ ___ __ _ (_)___ //_\\\\| '_ \\| | '_ ` _ \\ / _` | | / __| / _ \\ | | | | | | | | | (_| |_ | \\__ \\ \\_/ \\_/_| |_|_|_| |_| |_|\\__,_(_)/ |___/ |__/ ``` =lvivski","author":"=lvivski","date":"2014-07-29 "},{"name":"anima-template","description":"Anima template","url":null,"keywords":"","version":"1.0.7","words":"anima-template anima template =yuanfei.gyf","author":"=yuanfei.gyf","date":"2014-09-19 "},{"name":"animal-id","description":"an generator for easily recognizable ids","url":null,"keywords":"id name generator","version":"0.0.1","words":"animal-id an generator for easily recognizable ids =tangmi id name generator","author":"=tangmi","date":"2013-07-08 "},{"name":"animalcule","keywords":"","version":[],"words":"animalcule","author":"","date":"2014-04-05 "},{"name":"animalonymous","description":"Makes [,] pairs/strings from input hash, or by random","url":null,"keywords":"","version":"0.2.0","words":"animalonymous makes [,] pairs/strings from input hash, or by random =jjt","author":"=jjt","date":"2013-10-02 "},{"name":"animals","description":"Get animals","url":null,"keywords":"cli bin animals list array random rand","version":"0.0.3","words":"animals get animals =hoodiebot =boennemann cli bin animals list array random rand","author":"=hoodiebot =boennemann","date":"2014-07-28 "},{"name":"animas-diasend-data","description":"Fetch and parse spreadsheets containing Animas pump data from Diasend.","url":null,"keywords":"animas parse diabetes tidepool diasend","version":"0.0.1","words":"animas-diasend-data fetch and parse spreadsheets containing animas pump data from diasend. =cheddar =tidepool-robot animas parse diabetes tidepool diasend","author":"=cheddar =tidepool-robot","date":"2014-02-27 "},{"name":"animate","description":"A small wrapper around requestAnimationFrame that adds a frame rate constraint.","url":null,"keywords":"animation fps requestAnimationFrame raf","version":"0.0.5","words":"animate a small wrapper around requestanimationframe that adds a frame rate constraint. =michaelrhodes animation fps requestanimationframe raf","author":"=michaelrhodes","date":"2014-04-19 "},{"name":"animate.css","description":"*Just-add-water CSS animation*","url":null,"keywords":"","version":"3.1.1","words":"animate.css *just-add-water css animation* =dte","author":"=dte","date":"2014-06-03 "},{"name":"animate.scss","description":"[Animate.css](https://github.com/daneden/animate.css) for the Rails asset pipeline.","url":null,"keywords":"","version":"0.0.6","words":"animate.scss [animate.css](https://github.com/daneden/animate.css) for the rails asset pipeline. =ejholmes","author":"=ejholmes","date":"2013-11-25 "},{"name":"animated-gif-detector","description":"Detect animated GIFs from JavaScript buffers.","url":null,"keywords":"email marketing mailcharts animated gif","version":"0.3.0","words":"animated-gif-detector detect animated gifs from javascript buffers. =tbuchok email marketing mailcharts animated gif","author":"=tbuchok","date":"2014-07-21 "},{"name":"animated-qubits","description":"Library to support the animation of quantum computation.","url":null,"keywords":"","version":"0.0.8","words":"animated-qubits library to support the animation of quantum computation. =davidbkemp","author":"=davidbkemp","date":"2014-02-01 "},{"name":"animated-scrollto","description":"Animated scrolling without any dependency on libraries","url":null,"keywords":"","version":"1.1.0","words":"animated-scrollto animated scrolling without any dependency on libraries =marekhrabe","author":"=marekhrabe","date":"2014-08-14 "},{"name":"animated_gif","description":"Javascript library for creating animated GIFs","url":null,"keywords":"animated gif","version":"0.0.3","words":"animated_gif javascript library for creating animated gifs =sole animated gif","author":"=sole","date":"2014-08-06 "},{"name":"animation","description":"animation timing & handling","url":null,"keywords":"request animation frame interval node browser","version":"0.1.3","words":"animation animation timing & handling =dodo request animation frame interval node browser","author":"=dodo","date":"2012-07-15 "},{"name":"animation-frame","description":"An even better requestAnimationFrame","url":null,"keywords":"animationFrame RAF requestAnimationFrame cancelAnimationFrame","version":"0.1.7","words":"animation-frame an even better requestanimationframe =kof animationframe raf requestanimationframe cancelanimationframe","author":"=kof","date":"2014-04-22 "},{"name":"animation-loops","description":"Managed animationFrame looping for games, animations and web audio functions.","url":null,"keywords":"requestAnimationFrame game loop animation manager time manager tick events games animation web audio delta time callbacks handles pause browser","version":"2.0.4","words":"animation-loops managed animationframe looping for games, animations and web audio functions. =charlottegore requestanimationframe game loop animation manager time manager tick events games animation web audio delta time callbacks handles pause browser","author":"=charlottegore","date":"2014-09-17 "},{"name":"animation-timer","description":"Low level, lightweight and precise animation utility. Your tick handlers get a duration between 0-1. That's it.","url":null,"keywords":"low level requestAnimationFrame play reverse loop bounce loopReverse stop pause resume duration percent elapsed browser","version":"1.0.10","words":"animation-timer low level, lightweight and precise animation utility. your tick handlers get a duration between 0-1. that's it. =charlottegore low level requestanimationframe play reverse loop bounce loopreverse stop pause resume duration percent elapsed browser","author":"=charlottegore","date":"2014-09-17 "},{"name":"animationframe","description":"(request|cancel)AnimationFrame analog for the desktop","url":null,"keywords":"animation desktop backbuffer swap","version":"0.3.0","words":"animationframe (request|cancel)animationframe analog for the desktop =tmpvar animation desktop backbuffer swap","author":"=tmpvar","date":"2013-07-28 "},{"name":"animator","description":"Hook into request animation frame or setInterval if rAF not available","url":null,"keywords":"requestanimationframe animation","version":"0.2.2","words":"animator hook into request animation frame or setinterval if raf not available =damonoehlman requestanimationframe animation","author":"=damonoehlman","date":"2013-11-20 "},{"name":"anime","description":"Add/Remove/Update anime to myanimelist.net","url":null,"keywords":"anime","version":"0.1.2","words":"anime add/remove/update anime to myanimelist.net =sunderimehta anime","author":"=sunderimehta","date":"2014-03-12 "},{"name":"anime-subscriber","description":"add your subscribed anime to xunlei-cloud automatically","url":null,"keywords":"anime xunlei lixian auto","version":"0.0.3","words":"anime-subscriber add your subscribed anime to xunlei-cloud automatically =hyspace anime xunlei lixian auto","author":"=hyspace","date":"2014-02-19 "},{"name":"animframe","description":"animframe\r =========","url":null,"keywords":"","version":"1.1.4","words":"animframe animframe\r ========= =stoney","author":"=stoney","date":"2013-11-17 "},{"name":"animitter","description":"Animitter is an animation loop + EventEmitter for browser, node or amd.","url":null,"keywords":"","version":"0.5.0","words":"animitter animitter is an animation loop + eventemitter for browser, node or amd. =hapticdata","author":"=hapticdata","date":"2014-08-07 "},{"name":"anis","url":null,"keywords":"","version":"0.0.0","words":"anis =anisdjer","author":"=anisdjer","date":"2014-09-05 "},{"name":"anis-upload","url":null,"keywords":"","version":"0.0.0","words":"anis-upload =anisdjer","author":"=anisdjer","date":"2014-09-17 "},{"name":"anison","description":"The best project ever.","url":null,"keywords":"","version":"0.1.3","words":"anison the best project ever. =hdemon","author":"=hdemon","date":"2014-07-15 "},{"name":"anjita","description":"this is try","url":null,"keywords":"at","version":"1.0.0","words":"anjita this is try =anji-tha at","author":"=anji-tha","date":"2014-09-19 "},{"name":"ankh","description":"Dependency Injection for JS","url":null,"keywords":"","version":"0.1.4","words":"ankh dependency injection for js =mnichols","author":"=mnichols","date":"2014-08-25 "},{"name":"ankur","description":"Test","url":null,"keywords":"","version":"0.0.1","words":"ankur test =ankur","author":"=ankur","date":"2012-08-02 "},{"name":"ann","description":"IRC bot made to announce and for convenience.","url":null,"keywords":"irc bot","version":"0.1.3","words":"ann irc bot made to announce and for convenience. =fent irc bot","author":"=fent","date":"2012-09-28 "},{"name":"anna","description":"Website engine (general purpose, blog & e-commerce) based on Node.JS","url":null,"keywords":"web app engine site website blog ecommerce","version":"0.0.1","words":"anna website engine (general purpose, blog & e-commerce) based on node.js =sitnin web app engine site website blog ecommerce","author":"=sitnin","date":"2012-10-06 "},{"name":"anna-core","description":"Anna Core","url":null,"keywords":"","version":"1.0.2","words":"anna-core anna core =sitnin","author":"=sitnin","date":"2012-10-06 "},{"name":"anna-theme-default","description":"Default theme for the Anna","url":null,"keywords":"","version":"1.0.0","words":"anna-theme-default default theme for the anna =sitnin","author":"=sitnin","date":"2012-10-06 "},{"name":"annalisa","description":"Annalisa simple analyzer of strings using defined rules","url":null,"keywords":"reactive javascript datasource","version":"0.0.6","words":"annalisa annalisa simple analyzer of strings using defined rules =ajlopez reactive javascript datasource","author":"=ajlopez","date":"2014-03-12 "},{"name":"annex","description":"DOM insertion module","url":null,"keywords":"dom insertion nodes ender","version":"0.1.6","words":"annex dom insertion module =ryanve dom insertion nodes ender","author":"=ryanve","date":"2013-11-26 "},{"name":"annie","description":"A super tiny library for authoring cross-browser animations","url":null,"keywords":"animation css effects requestanimationframe animationframe performance vendor prefix transform 3d","version":"0.1.3","words":"annie a super tiny library for authoring cross-browser animations =bcherny animation css effects requestanimationframe animationframe performance vendor prefix transform 3d","author":"=bcherny","date":"2013-09-15 "},{"name":"annjs","description":"annjs\r =====","url":null,"keywords":"","version":"0.0.1","words":"annjs annjs\r ===== =trasantos","author":"=trasantos","date":"2014-04-08 "},{"name":"annodoc","description":"Documentation generator for annotated modules","url":null,"keywords":"annotate documentation utilities","version":"0.2.0","words":"annodoc documentation generator for annotated modules =bebraw annotate documentation utilities","author":"=bebraw","date":"2014-01-10 "},{"name":"annofp","description":"Annotated functional programming utilities for JavaScript","url":null,"keywords":"functional utilities","version":"0.2.2","words":"annofp annotated functional programming utilities for javascript =bebraw functional utilities","author":"=bebraw","date":"2014-04-10 "},{"name":"annofuzz","description":"Fuzzer for JavaScript","url":null,"keywords":"testing utilities fuzzing","version":"0.4.6","words":"annofuzz fuzzer for javascript =bebraw testing utilities fuzzing","author":"=bebraw","date":"2014-01-02 "},{"name":"annogenerate","description":"Data generators","url":null,"keywords":"generator generators","version":"0.7.2","words":"annogenerate data generators =bebraw generator generators","author":"=bebraw","date":"2014-01-02 "},{"name":"annoinject","description":"Injects dependencies to JavaScript modules and packages","url":null,"keywords":"di","version":"0.2.0","words":"annoinject injects dependencies to javascript modules and packages =bebraw di","author":"=bebraw","date":"2014-01-13 "},{"name":"annoint","keywords":"","version":[],"words":"annoint","author":"","date":"2014-05-20 "},{"name":"annois","description":"Generative type checkers for JavaScript","url":null,"keywords":"testing utilities","version":"0.3.0","words":"annois generative type checkers for javascript =bebraw testing utilities","author":"=bebraw","date":"2013-06-29 "},{"name":"annomath","description":"Annotated math utilities for JavaScript","url":null,"keywords":"math utilities","version":"0.3.2","words":"annomath annotated math utilities for javascript =bebraw math utilities","author":"=bebraw","date":"2014-01-02 "},{"name":"annoops","description":"Annotated operands for JavaScript","url":null,"keywords":"operand utilities","version":"0.2.0","words":"annoops annotated operands for javascript =bebraw operand utilities","author":"=bebraw","date":"2013-12-21 "},{"name":"annostring","description":"Annotated string utilities for JavaScript","url":null,"keywords":"string utilities","version":"0.2.2","words":"annostring annotated string utilities for javascript =bebraw string utilities","author":"=bebraw","date":"2013-12-08 "},{"name":"annotate","description":"Asserts your function invariants","url":null,"keywords":"testing utilities","version":"0.9.1","words":"annotate asserts your function invariants =bebraw testing utilities","author":"=bebraw","date":"2014-04-28 "},{"name":"annotate.js","description":"Asserts your function invariants","url":null,"keywords":"testing utilities","version":"0.6.1","words":"annotate.js asserts your function invariants =bebraw testing utilities","author":"=bebraw","date":"2013-02-09 "},{"name":"annotation","description":"Annotation parser for JavaScript","url":null,"keywords":"annotation parser","version":"0.1.0","words":"annotation annotation parser for javascript =gquental annotation parser","author":"=gquental","date":"2014-03-27 "},{"name":"annotations","description":"Docblock-embedded annotations for node.js","url":null,"keywords":"annotations","version":"0.1.337","words":"annotations docblock-embedded annotations for node.js =backhand annotations","author":"=backhand","date":"2012-11-28 "},{"name":"annotator","description":"Inline annotation for the web. Select text, images, or (nearly) anything else, and add your notes.","url":null,"keywords":"","version":"1.2.2","words":"annotator inline annotation for the web. select text, images, or (nearly) anything else, and add your notes. =nickstenning =tilgovi","author":"=nickstenning =tilgovi","date":"2014-04-11 "},{"name":"annotator-xpath","keywords":"","version":[],"words":"annotator-xpath","author":"","date":"2014-06-18 "},{"name":"annotext","description":"A attribution engine for NodeJS","url":null,"keywords":"","version":"0.17.0","words":"annotext a attribution engine for nodejs =toddpi314","author":"=toddpi314","date":"2014-01-07 "},{"name":"announce","description":"A visual display of an API","url":null,"keywords":"api rest","version":"0.0.2","words":"announce a visual display of an api =r.brian.amesbury api rest","author":"=r.brian.amesbury","date":"2012-12-11 "},{"name":"announce.js","description":"Add real-time push notifications to your existing web application","url":null,"keywords":"server websocket realtime http socket.io","version":"0.2.31","words":"announce.js add real-time push notifications to your existing web application =ozkatz server websocket realtime http socket.io","author":"=ozkatz","date":"2012-06-06 "},{"name":"annoying-timer","url":null,"keywords":"","version":"0.0.4","words":"annoying-timer =sabinmarcu","author":"=sabinmarcu","date":"2012-10-20 "},{"name":"annozip","description":"Zips data into structure","url":null,"keywords":"zip data structure","version":"0.2.4","words":"annozip zips data into structure =bebraw zip data structure","author":"=bebraw","date":"2014-06-18 "},{"name":"annuity","keywords":"","version":[],"words":"annuity","author":"","date":"2014-04-05 "},{"name":"annyang","description":"A JavaScript library for keyword based initiation of callback function.","url":null,"keywords":"annyang annyang.js","version":"1.0.1","words":"annyang a javascript library for keyword based initiation of callback function. =alanjames1987 annyang annyang.js","author":"=alanjames1987","date":"2014-03-25 "},{"name":"anode","description":"Humus inspired actor framework for Node.js","url":null,"keywords":"actor actors scala erlang message passing","version":"0.2.0","words":"anode humus inspired actor framework for node.js =tristanls actor actors scala erlang message passing","author":"=tristanls","date":"2011-12-18 "},{"name":"anode-ez-connector","keywords":"","version":[],"words":"anode-ez-connector","author":"","date":"2014-07-09 "},{"name":"anoint","description":"bless your dependencies, git them life","url":null,"keywords":"","version":"0.0.0","words":"anoint bless your dependencies, git them life =thealphanerd","author":"=thealphanerd","date":"2014-05-20 "},{"name":"anomaly-detector","description":"Data anomaly detector for NodeJS","url":null,"keywords":"anomaly detector mongo","version":"0.1.4","words":"anomaly-detector data anomaly detector for nodejs =lukaszkrawczyk anomaly detector mongo","author":"=lukaszkrawczyk","date":"2013-11-26 "},{"name":"anon","description":"Tweet anonymous edits to Wikipedia from IP ranges.","url":null,"keywords":"","version":"0.0.3","words":"anon tweet anonymous edits to wikipedia from ip ranges. =edsu","author":"=edsu","date":"2014-07-13 "},{"name":"anore","description":"Models. Or at least part of them.","url":null,"keywords":"model collection primitive collection string number observe event","version":"0.0.5","words":"anore models. or at least part of them. =deoxxa model collection primitive collection string number observe event","author":"=deoxxa","date":"2013-09-05 "},{"name":"another","description":"build tool for seajs.","url":null,"keywords":"","version":"0.0.1","words":"another build tool for seajs. =popomore","author":"=popomore","date":"2014-01-10 "},{"name":"another-circuit-breaker","description":"An implementation of the Circuit Breaker pattern in Node.js, now with plugin support!","url":null,"keywords":"","version":"0.3.3","words":"another-circuit-breaker an implementation of the circuit breaker pattern in node.js, now with plugin support! =dmuth","author":"=dmuth","date":"2014-04-08 "},{"name":"another-fizzbuzz","description":"Basic fizzbuzz function","url":null,"keywords":"fizzbuzz","version":"0.0.1","words":"another-fizzbuzz basic fizzbuzz function =usirin fizzbuzz","author":"=usirin","date":"2014-03-28 "},{"name":"another-livereload","description":"Another LiveReload Server in Node.js Version","url":null,"keywords":"livereload","version":"0.0.6","words":"another-livereload another livereload server in node.js version =poying livereload","author":"=poying","date":"2013-08-19 "},{"name":"another-module","keywords":"","version":[],"words":"another-module","author":"","date":"2014-03-07 "},{"name":"another-progress-bar","description":"a terminal/ansi progress bar, with updateable label","url":null,"keywords":"","version":"0.1.2","words":"another-progress-bar a terminal/ansi progress bar, with updateable label =dominictarr","author":"=dominictarr","date":"2013-12-03 "},{"name":"another-v8-profiler","description":"node bindings for the v8 profiler, minus the retain/dominator bits removed from V8","url":null,"keywords":"profiler inspector","version":"3.7.2","words":"another-v8-profiler node bindings for the v8 profiler, minus the retain/dominator bits removed from v8 =pflannery profiler inspector","author":"=pflannery","date":"2013-11-12 "},{"name":"another_npm_package_example","description":"just another simple npm package example","url":null,"keywords":"","version":"0.0.1","words":"another_npm_package_example just another simple npm package example =shawjia","author":"=shawjia","date":"2012-05-25 "},{"name":"anotherpackage","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"1.1.1","words":"anotherpackage error: no readme.md file found! =andy1219111","author":"=andy1219111","date":"2013-02-26 "},{"name":"anpm","keywords":"","version":[],"words":"anpm","author":"","date":"2014-02-25 "},{"name":"anrim-dynamodb","description":"DynamoDB data access object","url":null,"keywords":"dynamodb dao","version":"0.0.3","words":"anrim-dynamodb dynamodb data access object =anrim dynamodb dao","author":"=anrim","date":"2013-04-29 "},{"name":"anrim-model","description":"Model framework","url":null,"keywords":"model","version":"0.0.2","words":"anrim-model model framework =anrim model","author":"=anrim","date":"2013-05-14 "},{"name":"anrim-observable","description":"Observer pattern. Allows a subject to publish updates to a group of observers.","url":null,"keywords":"","version":"0.0.1","words":"anrim-observable observer pattern. allows a subject to publish updates to a group of observers. =anrim","author":"=anrim","date":"2013-04-29 "},{"name":"anrim-validator","description":"Validator","url":null,"keywords":"","version":"0.0.2","words":"anrim-validator validator =anrim","author":"=anrim","date":"2013-04-29 "},{"name":"ans","description":"Application Name Service - Bind domain name with IP and Port","url":null,"keywords":"http proxy","version":"0.0.21","words":"ans application name service - bind domain name with ip and port =cattail http proxy","author":"=cattail","date":"2014-09-17 "},{"name":"ansi","description":"Advanced ANSI formatting tool for Node.js","url":null,"keywords":"ansi formatting cursor color terminal rgb 256 stream","version":"0.3.0","words":"ansi advanced ansi formatting tool for node.js =tootallnate =tootallnate ansi formatting cursor color terminal rgb 256 stream","author":"=TooTallNate =tootallnate","date":"2014-05-09 "},{"name":"ansi-256-colors","description":"256 xterm color codes","url":null,"keywords":"color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","version":"1.0.2","words":"ansi-256-colors 256 xterm color codes =jbnicolai color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","author":"=jbnicolai","date":"2014-08-30 "},{"name":"ansi-8-bit","description":"8-bit xterm color codes","url":null,"keywords":"color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","version":"1.0.1","words":"ansi-8-bit 8-bit xterm color codes =jbnicolai =sindresorhus color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","author":"=jbnicolai =sindresorhus","date":"2014-07-15 "},{"name":"ansi-canvas","description":"Render a node to your terminal","url":null,"keywords":"ansi canavs terminal","version":"0.0.2","words":"ansi-canvas render a node to your terminal =tootallnate ansi canavs terminal","author":"=tootallnate","date":"2013-06-12 "},{"name":"ansi-codes","description":"just an object that returns ANSI styling codes","url":null,"keywords":"ansi styling","version":"0.0.2","words":"ansi-codes just an object that returns ansi styling codes =azer ansi styling","author":"=azer","date":"2014-07-03 "},{"name":"ansi-color","description":"This module provides basic ANSI color code support, to allow you to format your console output with foreground and background colors as well as providing bold, italic and underline support.","url":null,"keywords":"ansi color console","version":"0.2.1","words":"ansi-color this module provides basic ansi color code support, to allow you to format your console output with foreground and background colors as well as providing bold, italic and underline support. =loopj ansi color console","author":"=loopj","date":"prehistoric"},{"name":"ansi-color-stream","description":"colorize a stream with ansi colors","url":null,"keywords":"ansi color stream chunk colorize","version":"1.0.0","words":"ansi-color-stream colorize a stream with ansi colors =substack ansi color stream chunk colorize","author":"=substack","date":"2014-07-13 "},{"name":"ansi-color-table","description":"Borderless tables for console with ansi colors and formatting support","url":null,"keywords":"","version":"1.0.0","words":"ansi-color-table borderless tables for console with ansi colors and formatting support =quim.calpe","author":"=quim.calpe","date":"2014-01-04 "},{"name":"ansi-colorizer","description":"Colorize/brighten text for terminals with ANSI escape sequences","url":null,"keywords":"","version":"1.0.0","words":"ansi-colorizer colorize/brighten text for terminals with ansi escape sequences =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2013-09-27 "},{"name":"ansi-escape-codes","description":"a simple ansi esc code module","url":null,"keywords":"ansi esc escape codes","version":"0.1.0","words":"ansi-escape-codes a simple ansi esc code module =arnoldb0620 ansi esc escape codes","author":"=arnoldb0620","date":"2012-09-19 "},{"name":"ansi-escape-sequences","description":"A library of all known ansi escape sequences","url":null,"keywords":"","version":"0.1.1","words":"ansi-escape-sequences a library of all known ansi escape sequences =75lb","author":"=75lb","date":"2014-06-29 "},{"name":"ansi-font","description":"ANSI font styling utils","url":null,"keywords":"ANSI font style colors","version":"0.0.2","words":"ansi-font ansi font styling utils =gozala ansi font style colors","author":"=gozala","date":"2011-11-14 "},{"name":"ansi-graphics","description":"An ANSI graphics parser.","url":null,"keywords":"ansi graphics ascii bbs art textmode","version":"1.2.0","words":"ansi-graphics an ansi graphics parser. =echicken ansi graphics ascii bbs art textmode","author":"=echicken","date":"2014-07-17 "},{"name":"ansi-grid","description":"Print grids and matrices in the terminal using ANSI escape sequences","url":null,"keywords":"","version":"0.5.0","words":"ansi-grid print grids and matrices in the terminal using ansi escape sequences =cjohansen","author":"=cjohansen","date":"2012-11-26 "},{"name":"ansi-highlight","description":"js syntax-highlighting for the terminal","url":null,"keywords":"","version":"1.0.2","words":"ansi-highlight js syntax-highlighting for the terminal =dominictarr","author":"=dominictarr","date":"2013-10-23 "},{"name":"ansi-html-stream","description":"Stream ANSI terminal output to an HTML format.","url":null,"keywords":"ansi html stream console","version":"0.0.3","words":"ansi-html-stream stream ansi terminal output to an html format. =hughsk ansi html stream console","author":"=hughsk","date":"2014-01-29 "},{"name":"ansi-keycode","description":"map browser keycodes to ansi characters and escape sequences","url":null,"keywords":"ansi keycode event ev.which ev.keycode browser","version":"0.0.0","words":"ansi-keycode map browser keycodes to ansi characters and escape sequences =substack ansi keycode event ev.which ev.keycode browser","author":"=substack","date":"2013-10-18 "},{"name":"ansi-layer","description":"basically, photoshop, but for the terminal.","url":null,"keywords":"","version":"0.1.1","words":"ansi-layer basically, photoshop, but for the terminal. =dominictarr","author":"=dominictarr","date":"2014-06-06 "},{"name":"ansi-logger","description":"Console logger with support for colors and log levels, it complies to the default console.log interface, with methods like log,error,warn,debug and extended with some extra levels for nice formatting purposes.","url":null,"keywords":"log logger ansi colors","version":"1.2.0","words":"ansi-logger console logger with support for colors and log levels, it complies to the default console.log interface, with methods like log,error,warn,debug and extended with some extra levels for nice formatting purposes. =secoya log logger ansi colors","author":"=secoya","date":"2014-05-28 "},{"name":"ansi-logview","description":"View ANSI encoded output in browser for multiple log files","url":null,"keywords":"","version":"0.0.1","words":"ansi-logview view ansi encoded output in browser for multiple log files =jdubie","author":"=jdubie","date":"2013-09-16 "},{"name":"ansi-moedict","description":"draw moedict-style ansi-art in your terminal","url":null,"keywords":"moedict ansi-canvas ansi-art ansi terminal canvas","version":"0.0.3","words":"ansi-moedict draw moedict-style ansi-art in your terminal =yhsiang moedict ansi-canvas ansi-art ansi terminal canvas","author":"=yhsiang","date":"2013-12-12 "},{"name":"ansi-pansi","description":"Basic ansi formatting, foreground and background colours for use with CLIs.","url":null,"keywords":"ansi color colour cli console","version":"0.0.7","words":"ansi-pansi basic ansi formatting, foreground and background colours for use with clis. =constantology ansi color colour cli console","author":"=constantology","date":"2012-04-01 "},{"name":"ansi-rainbow","description":"One of the most advanced ansi string rainbow stylizer tool","url":null,"keywords":"chalk rainbow ansi colors","version":"0.0.8","words":"ansi-rainbow one of the most advanced ansi string rainbow stylizer tool =soyuka chalk rainbow ansi colors","author":"=soyuka","date":"2014-06-17 "},{"name":"ansi-recover","description":"recover from a terminal app, back to terminal you had before it.","url":null,"keywords":"","version":"1.1.0","words":"ansi-recover recover from a terminal app, back to terminal you had before it. =dominictarr","author":"=dominictarr","date":"2013-12-11 "},{"name":"ansi-regex","description":"Regular expression for matching ANSI escape codes","url":null,"keywords":"ansi styles color colour colors terminal console cli string tty escape formatting rgb 256 shell xterm command-line text regex regexp re match test find pattern","version":"1.1.0","words":"ansi-regex regular expression for matching ansi escape codes =sindresorhus =jbnicolai ansi styles color colour colors terminal console cli string tty escape formatting rgb 256 shell xterm command-line text regex regexp re match test find pattern","author":"=sindresorhus =jbnicolai","date":"2014-08-30 "},{"name":"ansi-remover","description":"A Transform stream to remove ansi escape codes","url":null,"keywords":"","version":"0.0.2","words":"ansi-remover a transform stream to remove ansi escape codes =shlevy","author":"=shlevy","date":"2013-05-28 "},{"name":"ansi-stripper","description":"Strip ansi color codes from a string","url":null,"keywords":"ansi terminal colors","version":"0.0.1","words":"ansi-stripper strip ansi color codes from a string =koopa ansi terminal colors","author":"=koopa","date":"2012-10-17 "},{"name":"ansi-styles","description":"ANSI escape codes for styling strings in the terminal","url":null,"keywords":"ansi styles color colour colors terminal console cli string tty escape formatting rgb 256 shell xterm log logging command-line text","version":"1.1.0","words":"ansi-styles ansi escape codes for styling strings in the terminal =sindresorhus =jbnicolai ansi styles color colour colors terminal console cli string tty escape formatting rgb 256 shell xterm log logging command-line text","author":"=sindresorhus =jbnicolai","date":"2014-07-12 "},{"name":"ansi-table","description":"Draw and redraw a table in the terminal using ANSI escape sequences","url":null,"keywords":"","version":"0.2.0","words":"ansi-table draw and redraw a table in the terminal using ansi escape sequences =cjohansen","author":"=cjohansen","date":"2012-11-04 "},{"name":"ansi-to-html","description":"Convert ansi escaped text streams to html.","url":null,"keywords":"ansi html","version":"0.2.0","words":"ansi-to-html convert ansi escaped text streams to html. =rburns ansi html","author":"=rburns","date":"2014-05-24 "},{"name":"ansi-vnc","description":"terminal vnc client","url":null,"keywords":"ansi vnc rfb terminal","version":"0.0.2","words":"ansi-vnc terminal vnc client =sidorares ansi vnc rfb terminal","author":"=sidorares","date":"2013-06-15 "},{"name":"ansi-webkit","description":"Print ANSI escaped colors in a browser console","url":null,"keywords":"ansi colors console log browser webkit","version":"1.0.1","words":"ansi-webkit print ansi escaped colors in a browser console =simov ansi colors console log browser webkit","author":"=simov","date":"2014-09-18 "},{"name":"ansi2html","description":"Convert text with ANSI escape sequences to HTML markup","url":null,"keywords":"","version":"0.0.1","words":"ansi2html convert text with ansi escape sequences to html markup =agnoster","author":"=agnoster","date":"2013-09-05 "},{"name":"ansi_up","description":"Convert ansi sequences in strings to colorful HTML","url":null,"keywords":"ansi html","version":"1.1.2","words":"ansi_up convert ansi sequences in strings to colorful html =drudru ansi html","author":"=drudru","date":"2014-09-16 "},{"name":"ansible-ec2-inventory","description":"Ansible dynamic inventory that uses EC2 tags to keep track of names and groups","url":null,"keywords":"ansible dynamic inventory ec2","version":"0.0.4","words":"ansible-ec2-inventory ansible dynamic inventory that uses ec2 tags to keep track of names and groups =suprememoocow ansible dynamic inventory ec2","author":"=suprememoocow","date":"2014-08-19 "},{"name":"ansible-ovirt-inventory","description":"Ovirt External Inventory Script for Ansible","url":null,"keywords":"","version":"0.0.6","words":"ansible-ovirt-inventory ovirt external inventory script for ansible =dmachivbi","author":"=dmachivbi","date":"2014-08-05 "},{"name":"ansible-web-playbooks","description":"Playbook roles for the web, modern server orchestration powered by Ansible","url":null,"keywords":"ansible playbook server web ubuntu bootstrap","version":"0.3.1","words":"ansible-web-playbooks playbook roles for the web, modern server orchestration powered by ansible =mgcrea ansible playbook server web ubuntu bootstrap","author":"=mgcrea","date":"2014-09-04 "},{"name":"ansicolors","description":"Functions that surround a string with ansicolor codes so it prints in color.","url":null,"keywords":"ansi colors highlight string","version":"0.3.2","words":"ansicolors functions that surround a string with ansicolor codes so it prints in color. =thlorenz ansi colors highlight string","author":"=thlorenz","date":"2013-12-03 "},{"name":"ansidiff","description":"ANSI colored text diffs","url":null,"keywords":"diff ansi color colour console","version":"1.0.0","words":"ansidiff ansi colored text diffs =trentm diff ansi color colour console","author":"=trentm","date":"2012-03-13 "},{"name":"ANSIdom","description":"a quick and dirty DOM implementation in ANSI escape codes","url":null,"keywords":"","version":"0.0.1","words":"ansidom a quick and dirty dom implementation in ansi escape codes =marak","author":"=marak","date":"2011-10-27 "},{"name":"ansidown","description":"Transform Markdown in to terminal styled (ansi) output","url":null,"keywords":"ansi markdown terminal colour","version":"0.0.1","words":"ansidown transform markdown in to terminal styled (ansi) output =v1 ansi markdown terminal colour","author":"=V1","date":"2013-11-17 "},{"name":"ansimator","description":"Throw down some ANSI animations!","url":null,"keywords":"","version":"0.0.0","words":"ansimator throw down some ansi animations! =jesusabdullah","author":"=jesusabdullah","date":"2011-10-28 "},{"name":"ansimd","description":"Markdown to ANSI for your terminal","url":null,"keywords":"","version":"0.0.1","words":"ansimd markdown to ansi for your terminal =stephenmathieson","author":"=stephenmathieson","date":"2014-08-14 "},{"name":"ansinception","description":"Colorful exception handler for Node.js with CoffeeScript support and improved nodemon/supervisor compatibility","url":null,"keywords":"exception handler node nodemon supervisor coffeescript","version":"0.1.2","words":"ansinception colorful exception handler for node.js with coffeescript support and improved nodemon/supervisor compatibility =denniskehrig exception handler node nodemon supervisor coffeescript","author":"=denniskehrig","date":"2012-09-30 "},{"name":"ansiparse","description":"Parse ANSI color codes","url":null,"keywords":"","version":"0.0.5-1","words":"ansiparse parse ansi color codes =mmalecki","author":"=mmalecki","date":"2013-01-26 "},{"name":"ansispan","description":"Change your ANSI color codes into HTML ``s","url":null,"keywords":"","version":"0.0.4","words":"ansispan change your ansi color codes into html ``s =mmalecki","author":"=mmalecki","date":"2013-01-09 "},{"name":"ansistyles","description":"Functions that surround a string with ansistyle codes so it prints in style.","url":null,"keywords":"ansi style terminal console","version":"0.1.3","words":"ansistyles functions that surround a string with ansistyle codes so it prints in style. =thlorenz ansi style terminal console","author":"=thlorenz","date":"2013-12-03 "},{"name":"ansiterm","description":"Terminal Handling Utility Library","url":null,"keywords":"terminal cli curses tty ncurses color colour console ansi xterm","version":"0.0.1","words":"ansiterm terminal handling utility library =jclulow terminal cli curses tty ncurses color colour console ansi xterm","author":"=jclulow","date":"2013-12-19 "},{"name":"answer","description":"Express-like server response helpers","url":null,"keywords":"express response reply connect","version":"0.0.1","words":"answer express-like server response helpers =scottcorgan express response reply connect","author":"=scottcorgan","date":"2014-06-18 "},{"name":"answer-question-mapper","description":"A simple question and answer mapper","url":null,"keywords":"","version":"0.0.1","words":"answer-question-mapper a simple question and answer mapper =johannesboyne","author":"=johannesboyne","date":"2013-12-09 "},{"name":"answerver","description":"incremental server port listener function","url":null,"keywords":"johnny","version":"0.5.0","words":"answerver incremental server port listener function =johnnyscript johnny","author":"=johnnyscript","date":"2014-08-13 "},{"name":"ant","description":"Apache Ant Adapter, execute Ant tasks from node","url":null,"keywords":"ant build java","version":"0.2.0","words":"ant apache ant adapter, execute ant tasks from node =millermedeiros ant build java","author":"=millermedeiros","date":"2012-08-03 "},{"name":"ant-demux","description":"A demultiplexor API + Express Middleware connector","url":null,"keywords":"express middleware api","version":"1.0.2","words":"ant-demux a demultiplexor api + express middleware connector =scukerman express middleware api","author":"=scukerman","date":"2014-09-19 "},{"name":"ant.js","description":"数据驱动 HTML 模板","url":null,"keywords":"template data-binding MVW MDV","version":"0.2.2","words":"ant.js 数据驱动 html 模板 =justan template data-binding mvw mdv","author":"=justan","date":"2013-12-27 "},{"name":"antediluvian","keywords":"","version":[],"words":"antediluvian","author":"","date":"2014-04-05 "},{"name":"antenna","description":"Ubiquitous message bus for Node.js.","url":null,"keywords":"bus pubsub","version":"0.1.0","words":"antenna ubiquitous message bus for node.js. =jaredhanson bus pubsub","author":"=jaredhanson","date":"2014-04-02 "},{"name":"antenna-amqp","description":"AMQP adapter for Antenna.","url":null,"keywords":"amqp","version":"0.1.3","words":"antenna-amqp amqp adapter for antenna. =jaredhanson amqp","author":"=jaredhanson","date":"2014-07-11 "},{"name":"antg-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.1","words":"antg-github-example get a list of github user repos =antg-example","author":"=antg-example","date":"2014-01-07 "},{"name":"anthill","description":"IPC-based publish / subscribe server architecture","url":null,"keywords":"","version":"0.0.3","words":"anthill ipc-based publish / subscribe server architecture =petrjanda","author":"=petrjanda","date":"2011-12-04 "},{"name":"anthill-tracker-client","description":"Tracking system - Client side Library.","url":null,"keywords":"","version":"0.0.1","words":"anthill-tracker-client tracking system - client side library. =agustin.moyano","author":"=agustin.moyano","date":"2013-02-25 "},{"name":"anthill-tracker-server","description":"Tracking system - Server side Library.","url":null,"keywords":"","version":"0.0.1","words":"anthill-tracker-server tracking system - server side library. =agustin.moyano","author":"=agustin.moyano","date":"2013-02-25 "},{"name":"anthology","description":"Module information and stats for any @npmjs user","url":null,"keywords":"","version":"0.0.6","words":"anthology module information and stats for any @npmjs user =dylang","author":"=dylang","date":"2014-06-19 "},{"name":"anthony-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"1.0.0","words":"anthony-github-example get a list of github user repos =anthonychao","author":"=anthonychao","date":"2014-09-16 "},{"name":"anthonyshort-attributes","description":"Get the attributes of a DOM node as an object","url":null,"keywords":"DOM attributes","version":"0.0.1","words":"anthonyshort-attributes get the attributes of a dom node as an object =anthonyshort dom attributes","author":"=anthonyshort","date":"2014-04-16 "},{"name":"anthonyshort-dom-walk","description":"Walk down a DOM tree","url":null,"keywords":"DOM walk iterate","version":"0.1.0","words":"anthonyshort-dom-walk walk down a dom tree =anthonyshort dom walk iterate","author":"=anthonyshort","date":"2014-04-16 "},{"name":"anthonyshort-offset","description":"Get the x/y offset of an element","url":null,"keywords":"browser DOM","version":"0.0.1","words":"anthonyshort-offset get the x/y offset of an element =anthonyshort browser dom","author":"=anthonyshort","date":"2013-04-06 "},{"name":"anthpack","description":"anthpack","url":null,"keywords":"","version":"3.1.10","words":"anthpack anthpack =ijse =azazle =bitdewy","author":"=ijse =azazle =bitdewy","date":"2014-09-18 "},{"name":"anthtrigger","description":"Trigger events via http service","url":null,"keywords":"","version":"0.1.14","words":"anthtrigger trigger events via http service =ijse","author":"=ijse","date":"2014-09-12 "},{"name":"anti-db","description":"Plain old JS object that saves itself to disk","url":null,"keywords":"util nodejs","version":"1.0.0","words":"anti-db plain old js object that saves itself to disk =dpweb util nodejs","author":"=dpweb","date":"2013-11-24 "},{"name":"anti-matter","description":"flexible command line documentation","url":null,"keywords":"","version":"0.0.1","words":"anti-matter flexible command line documentation =jenius","author":"=jenius","date":"2014-03-06 "},{"name":"anti-raygun","description":"Deprivatizes CommonJS modules","url":null,"keywords":"testing private unit testing","version":"0.0.1","words":"anti-raygun deprivatizes commonjs modules =snrobot testing private unit testing","author":"=snrobot","date":"2014-08-14 "},{"name":"antic","description":"antics","url":null,"keywords":"jokes antics one-liner","version":"1.5.0","words":"antic antics =antic jokes antics one-liner","author":"=antic","date":"2014-09-09 "},{"name":"anticipate","description":"retries asynchronous functions until they succeed","url":null,"keywords":"","version":"0.0.2","words":"anticipate retries asynchronous functions until they succeed =joshski","author":"=joshski","date":"2012-12-16 "},{"name":"antifreeze","description":"Client-side MVP framework.","url":null,"keywords":"mvp model-view-presenter client framework ui","version":"0.4.0-dev.4","words":"antifreeze client-side mvp framework. =kennethjor mvp model-view-presenter client framework ui","author":"=kennethjor","date":"2013-08-29 "},{"name":"antigate","description":"Client for antigate.com API","url":null,"keywords":"","version":"0.0.1","words":"antigate client for antigate.com api =ssbb","author":"=ssbb","date":"2013-10-29 "},{"name":"antigod","url":null,"keywords":"","version":"0.0.4","words":"antigod =blueneptune","author":"=blueneptune","date":"2014-07-06 "},{"name":"antigravity","description":"placeholder for the haters","url":null,"keywords":"","version":"0.0.0","words":"antigravity placeholder for the haters =imlucas","author":"=imlucas","date":"2013-11-27 "},{"name":"antimatter","description":"Annihilate YAML front matter.","url":null,"keywords":"yfm yaml front matter front matter remove strip","version":"0.1.0","words":"antimatter annihilate yaml front matter. =jonschlinkert yfm yaml front matter front matter remove strip","author":"=jonschlinkert","date":"2014-01-26 "},{"name":"antipathize","keywords":"","version":[],"words":"antipathize","author":"","date":"2014-04-05 "},{"name":"antiphon","keywords":"","version":[],"words":"antiphon","author":"","date":"2014-04-05 "},{"name":"antiseptic","keywords":"","version":[],"words":"antiseptic","author":"","date":"2014-04-05 "},{"name":"antisocial","description":"encrypted private messaging","url":null,"keywords":"leveldb public key encryption chat messaging","version":"4.1.2","words":"antisocial encrypted private messaging =ednapiranha leveldb public key encryption chat messaging","author":"=ednapiranha","date":"2014-06-30 "},{"name":"antlr3","description":"ANTLR3 JavaScript Runtime Library","url":null,"keywords":"antlr antlr3 runtime","version":"0.0.3","words":"antlr3 antlr3 javascript runtime library =herry13 antlr antlr3 runtime","author":"=herry13","date":"2012-06-12 "},{"name":"antmonitor","description":"firstpackage","url":null,"keywords":"","version":"0.0.1","words":"antmonitor firstpackage =xyantelope","author":"=xyantelope","date":"2013-12-19 "},{"name":"anton","description":"aaa","url":null,"keywords":"asd","version":"0.0.1","words":"anton aaa =anton2 asd","author":"=anton2","date":"2012-10-01 "},{"name":"antr","description":"Asynchronous Node Test Runner","url":null,"keywords":"test runner unit test","version":"0.1.4","words":"antr asynchronous node test runner =joezo =jackcannon test runner unit test","author":"=joezo =jackcannon","date":"2013-10-14 "},{"name":"ants","description":"An exploration into flow based programming.","url":null,"keywords":"Flow Based Programming","version":"0.0.3-alpha","words":"ants an exploration into flow based programming. =pjbss flow based programming","author":"=pjbss","date":"2013-09-18 "},{"name":"antsy","description":"draw full-color (xterm-256) ansi graphics into a buffer","url":null,"keywords":"ansi xterm-256","version":"1.0.0","words":"antsy draw full-color (xterm-256) ansi graphics into a buffer =robey ansi xterm-256","author":"=robey","date":"2013-09-08 "},{"name":"antycs","description":"Organize and simplify your analytics event trapping related code.","keywords":"","version":[],"words":"antycs organize and simplify your analytics event trapping related code. =brandonaaron","author":"=brandonaaron","date":"2013-08-08 "},{"name":"anusblaster","description":"Test package of PK Analbag.","url":null,"keywords":"","version":"1.0.0","words":"anusblaster test package of pk analbag. =prashit-kumar-analbag","author":"=prashit-kumar-analbag","date":"2014-08-28 "},{"name":"anvil","description":"Benchmark suite for hammertime.","url":null,"keywords":"","version":"0.1.0","words":"anvil benchmark suite for hammertime. =tlivings","author":"=tlivings","date":"2014-02-26 "},{"name":"anvil-cli","description":"Anvil client for node","url":null,"keywords":"anvil heroku","version":"0.1.2","words":"anvil-cli anvil client for node =camshaft anvil heroku","author":"=camshaft","date":"2014-06-03 "},{"name":"anvil-connect","description":"OpenID Connect Provider","url":null,"keywords":"","version":"0.1.23","words":"anvil-connect openid connect provider =christiansmith","author":"=christiansmith","date":"2014-08-04 "},{"name":"anvil-connect-jwt","description":"JWT modeling library used by Anvil Connect","url":null,"keywords":"JWT JWS JWE OpenID OpenID Connect OAuth OAuth 2.0","version":"0.1.0","words":"anvil-connect-jwt jwt modeling library used by anvil connect =christiansmith jwt jws jwe openid openid connect oauth oauth 2.0","author":"=christiansmith","date":"2014-08-14 "},{"name":"anvil-connect-sdk","description":"Nodejs SDK for Anvil Connect","url":null,"keywords":"OpenID OpenID Connect OAuth OAuth 2.0 Anvil Anvil Connect Authentication Authorization","version":"0.1.5","words":"anvil-connect-sdk nodejs sdk for anvil connect =christiansmith openid openid connect oauth oauth 2.0 anvil anvil connect authentication authorization","author":"=christiansmith","date":"2014-08-08 "},{"name":"anvil-stylus","description":"Stylus extension for anvil.js","url":null,"keywords":"anvil stylus","version":"0.1.0","words":"anvil-stylus stylus extension for anvil.js =a_robson anvil stylus","author":"=a_robson","date":"2013-01-13 "},{"name":"anvil.backbonejs","description":"Provides scaffolding for backbone.js apps.","url":null,"keywords":"anvil backbone plugin scaffold","version":"0.0.1","words":"anvil.backbonejs provides scaffolding for backbone.js apps. =jcreamer anvil backbone plugin scaffold","author":"=jcreamer","date":"2013-01-03 "},{"name":"anvil.bower","description":"Bower support for anvil","url":null,"keywords":"anvil bower","version":"0.0.4","words":"anvil.bower bower support for anvil =a_robson anvil bower","author":"=a_robson","date":"2013-01-13 "},{"name":"anvil.buildr","description":"Parses through script tags, pulls out the references and replaces them with concating files.","url":null,"keywords":"anvil build script","version":"0.0.1","words":"anvil.buildr parses through script tags, pulls out the references and replaces them with concating files. =jcreamer anvil build script","author":"=jcreamer","date":"2012-11-09 "},{"name":"anvil.cdnjs","description":"Install packages from cdnjs.","url":null,"keywords":"anvil cdnjs plugin","version":"0.1.0","words":"anvil.cdnjs install packages from cdnjs. =jcreamer anvil cdnjs plugin","author":"=jcreamer","date":"2013-01-04 "},{"name":"anvil.ckeditor","description":"Scaffold for CKEditor plugins","url":null,"keywords":"anvil ckeditor scaffold","version":"0.0.9","words":"anvil.ckeditor scaffold for ckeditor plugins =tysoncadenhead anvil ckeditor scaffold","author":"=tysoncadenhead","date":"2013-03-07 "},{"name":"anvil.coffee","description":"CoffeeScript compiler extension for anvil.js","url":null,"keywords":"anvil coffee-script coffee","version":"0.1.1","words":"anvil.coffee coffeescript compiler extension for anvil.js =a_robson anvil coffee-script coffee","author":"=a_robson","date":"2013-01-13 "},{"name":"anvil.combiner","description":"An anvil core extension that combines files via import statements","url":null,"keywords":"anvil core","version":"0.1.0","words":"anvil.combiner an anvil core extension that combines files via import statements =a_robson anvil core","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.compass","description":"Compass plugin for anvil.js","url":null,"keywords":"","version":"0.1.1","words":"anvil.compass compass plugin for anvil.js =brian_edgerton =a_robson","author":"=brian_edgerton =a_robson","date":"2013-02-05 "},{"name":"anvil.component","description":"Adds component support to anvil","url":null,"keywords":"anvil component bower","version":"0.0.1","words":"anvil.component adds component support to anvil =a_robson anvil component bower","author":"=a_robson","date":"2013-01-13 "},{"name":"anvil.concat","description":"An anvil core extension that provides file concatenation support","url":null,"keywords":"anvil core","version":"0.1.0","words":"anvil.concat an anvil core extension that provides file concatenation support =a_robson anvil core","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.csslint","description":"CSSLint plugin for anvil.js","url":null,"keywords":"anvil csslint css lint","version":"0.0.1","words":"anvil.csslint csslint plugin for anvil.js =elijahmanor anvil csslint css lint","author":"=elijahmanor","date":"2012-09-27 "},{"name":"anvil.cssmin","description":"Cssmin extension for anvil.js","url":null,"keywords":"anvil cssmin","version":"0.1.0","words":"anvil.cssmin cssmin extension for anvil.js =a_robson anvil cssmin","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.demo.scaffolds","description":"scaffolds for the quick start","url":null,"keywords":"anvil scaffold demo","version":"0.1.0","words":"anvil.demo.scaffolds scaffolds for the quick start =a_robson anvil scaffold demo","author":"=a_robson","date":"2013-02-01 "},{"name":"anvil.docco","description":"Docco plugin for anvil.js","url":null,"keywords":"","version":"0.0.4","words":"anvil.docco docco plugin for anvil.js =jcreamer","author":"=jcreamer","date":"2012-11-19 "},{"name":"anvil.ejs","description":"EJS plugin for anvil.js","url":null,"keywords":"","version":"0.0.1","words":"anvil.ejs ejs plugin for anvil.js =tysoncadenhead","author":"=tysoncadenhead","date":"2013-01-08 "},{"name":"anvil.extension","description":"A core anvil component that provides command-line extension support","url":null,"keywords":"anvil core","version":"0.1.1","words":"anvil.extension a core anvil component that provides command-line extension support =a_robson anvil core","author":"=a_robson","date":"2013-01-13 "},{"name":"anvil.haml","description":"HAML plugin for anvil.js","url":null,"keywords":"","version":"0.0.2","words":"anvil.haml haml plugin for anvil.js =brian_edgerton","author":"=brian_edgerton","date":"2012-09-20 "},{"name":"anvil.headers","description":"A core anvil component that writes headers to output files","url":null,"keywords":"anvil core","version":"0.1.2","words":"anvil.headers a core anvil component that writes headers to output files =a_robson anvil core","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.helloworld","description":"An example plugin for anvil","url":null,"keywords":"","version":"0.0.1","words":"anvil.helloworld an example plugin for anvil =tysoncadenhead","author":"=tysoncadenhead","date":"2013-02-20 "},{"name":"anvil.http","description":"*OBSOLETE* Http host for anvil.js","url":null,"keywords":"anvil http express socket.io","version":"0.1.1","words":"anvil.http *obsolete* http host for anvil.js =a_robson anvil http express socket.io","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.identify","description":"A core anvil extension that identifies files for the build","url":null,"keywords":"anvil core","version":"0.1.5","words":"anvil.identify a core anvil extension that identifies files for the build =a_robson anvil core","author":"=a_robson","date":"2013-07-06 "},{"name":"anvil.jade","description":"Jade compiler extension for anvil.js","url":null,"keywords":"anvil jade","version":"0.1.3","words":"anvil.jade jade compiler extension for anvil.js =a_robson anvil jade","author":"=a_robson","date":"2013-01-25 "},{"name":"anvil.jasmine","description":"A jasmine test runner for anvil.js","url":null,"keywords":"anvil jasmine tests javascript unit tests jasmine test","version":"0.0.2","words":"anvil.jasmine a jasmine test runner for anvil.js =jcreamer anvil jasmine tests javascript unit tests jasmine test","author":"=jcreamer","date":"2012-10-02 "},{"name":"anvil.js","description":"an extensible build system","url":null,"keywords":"build compile static ci","version":"0.9.5","words":"anvil.js an extensible build system =a_robson =dougneiner build compile static ci","author":"=a_robson =dougneiner","date":"2013-07-06 "},{"name":"anvil.jshint","description":"JSHint plugin for anvil.js","url":null,"keywords":"anvil jshint","version":"0.0.7","words":"anvil.jshint jshint plugin for anvil.js =elijahmanor anvil jshint","author":"=elijahmanor","date":"2013-01-14 "},{"name":"anvil.jslint","description":"JSLint plugin for anvil.js","url":null,"keywords":"anvil jslint","version":"0.0.2","words":"anvil.jslint jslint plugin for anvil.js =elijahmanor anvil jslint","author":"=elijahmanor","date":"2012-09-26 "},{"name":"anvil.less","description":"LESS plugin for anvil.js","url":null,"keywords":"","version":"0.0.2","words":"anvil.less less plugin for anvil.js =brian_edgerton","author":"=brian_edgerton","date":"2012-09-19 "},{"name":"anvil.markdown","description":"Markdown compiler plugin for anvil.js","url":null,"keywords":"","version":"0.0.4","words":"anvil.markdown markdown compiler plugin for anvil.js =mikehostetler","author":"=mikehostetler","date":"2012-09-15 "},{"name":"anvil.mocha","description":"Mocha test runner for anvil.js","url":null,"keywords":"anvil mocha","version":"0.1.0","words":"anvil.mocha mocha test runner for anvil.js =a_robson anvil mocha","author":"=a_robson","date":"2013-03-04 "},{"name":"anvil.mustache","description":"Mustache plugin for anvil.js","url":null,"keywords":"","version":"0.0.3","words":"anvil.mustache mustache plugin for anvil.js =tysoncadenhead","author":"=tysoncadenhead","date":"2013-02-06 "},{"name":"anvil.output","description":"A core anvil extension that pushes complete files to output","url":null,"keywords":"anvil core","version":"0.1.2","words":"anvil.output a core anvil extension that pushes complete files to output =a_robson anvil core","author":"=a_robson","date":"2013-01-14 "},{"name":"anvil.phantom","description":"PhantomJS runner for anvil.js","url":null,"keywords":"anvil phantomjs","version":"0.0.1","words":"anvil.phantom phantomjs runner for anvil.js =a_robson anvil phantomjs","author":"=a_robson","date":"2012-10-05 "},{"name":"anvil.plato","description":"Plato analysis tool for anvil","url":null,"keywords":"anvil plato code analysis","version":"0.1.0","words":"anvil.plato plato analysis tool for anvil =a_robson anvil plato code analysis","author":"=a_robson","date":"2013-01-24 "},{"name":"anvil.plugin","description":"An anvil core plugin that provides command-line plugin support","url":null,"keywords":"anvil core","version":"0.0.3","words":"anvil.plugin an anvil core plugin that provides command-line plugin support =a_robson anvil core","author":"=a_robson","date":"2012-10-04 "},{"name":"anvil.rjs","description":"A plugin for integrating rjs dependency compliation into anvil builds","url":null,"keywords":"anvil.js require.js r.js anvil require rjs","version":"0.1.0","words":"anvil.rjs a plugin for integrating rjs dependency compliation into anvil builds =appendto =dougneiner anvil.js require.js r.js anvil require rjs","author":"=appendto =dougneiner","date":"2012-12-21 "},{"name":"anvil.sass","description":"SASS/SCSS compiler plugin for anvil.js","url":null,"keywords":"","version":"0.0.1","words":"anvil.sass sass/scss compiler plugin for anvil.js =mikehostetler","author":"=mikehostetler","date":"2012-09-19 "},{"name":"anvil.scaffold.aloha","description":"Scaffold for Aloha Editor plugins","url":null,"keywords":"anvil aloha scaffold","version":"0.1.3","words":"anvil.scaffold.aloha scaffold for aloha editor plugins =tysoncadenhead anvil aloha scaffold","author":"=tysoncadenhead","date":"2013-01-18 "},{"name":"anvil.scaffold.backboneonexpress","description":"Scaffold for Backbone-On-Express plugins","url":null,"keywords":"anvil backboneonexpress backbone express scaffold","version":"0.2.2","words":"anvil.scaffold.backboneonexpress scaffold for backbone-on-express plugins =tysoncadenhead anvil backboneonexpress backbone express scaffold","author":"=tysoncadenhead","date":"2013-02-17 "},{"name":"anvil.scaffold.ckeditor","description":"Scaffold for CKEditor plugins","url":null,"keywords":"anvil ckeditor scaffold","version":"0.1.2","words":"anvil.scaffold.ckeditor scaffold for ckeditor plugins =tysoncadenhead anvil ckeditor scaffold","author":"=tysoncadenhead","date":"2013-03-19 "},{"name":"anvil.scaffold.cli","description":"A core anvil extension that exposes scaffolds to the command line","url":null,"keywords":"anvil core scaffold","version":"0.1.4","words":"anvil.scaffold.cli a core anvil extension that exposes scaffolds to the command line =a_robson anvil core scaffold","author":"=a_robson","date":"2013-03-22 "},{"name":"anvil.scaffolding","description":"A set of scaffolds for extending anvil","url":null,"keywords":"anvil core tasks","version":"0.1.3","words":"anvil.scaffolding a set of scaffolds for extending anvil =a_robson anvil core tasks","author":"=a_robson","date":"2013-01-14 "},{"name":"anvil.start","description":"Creates the basic anvil.js folder structure.","url":null,"keywords":"anvil start scaffold","version":"0.0.1","words":"anvil.start creates the basic anvil.js folder structure. =jcreamer anvil start scaffold","author":"=jcreamer","date":"2012-10-21 "},{"name":"anvil.task.cli","description":"An anvil core extension that exposes tasks to the command line","url":null,"keywords":"anvil core tasks","version":"0.1.3","words":"anvil.task.cli an anvil core extension that exposes tasks to the command line =a_robson anvil core tasks","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.template","description":"HTML template rendering for anvil","url":null,"keywords":"anvil html template render","version":"0.1.4","words":"anvil.template html template rendering for anvil =a_robson anvil html template render","author":"=a_robson","date":"2013-02-08 "},{"name":"anvil.testem","description":"Testem runner integration for anvil.js","url":null,"keywords":"anvil test testem","version":"0.1.3","words":"anvil.testem testem runner integration for anvil.js =a_robson anvil test testem","author":"=a_robson","date":"2013-01-14 "},{"name":"anvil.token","description":"A core anvil extension that provides token replacement in source files","url":null,"keywords":"anvil core","version":"0.1.0","words":"anvil.token a core anvil extension that provides token replacement in source files =a_robson anvil core","author":"=a_robson","date":"2012-12-20 "},{"name":"anvil.transform","description":"A core anvil extension that supports 'transpilers'","url":null,"keywords":"anvil core","version":"0.1.1","words":"anvil.transform a core anvil extension that supports 'transpilers' =a_robson anvil core","author":"=a_robson","date":"2013-01-14 "},{"name":"anvil.uglify","description":"Uglify extension for anvil.js","url":null,"keywords":"anvil uglify","version":"0.1.2","words":"anvil.uglify uglify extension for anvil.js =a_robson anvil uglify","author":"=a_robson","date":"2013-04-09 "},{"name":"anvil.workset","description":"A core anvil extension that manages the working set of files in a build","url":null,"keywords":"anvil core","version":"0.1.1","words":"anvil.workset a core anvil extension that manages the working set of files in a build =a_robson anvil core","author":"=a_robson","date":"2013-01-14 "},{"name":"anvil.zip","description":"Plugin to package your anvil.js project into a ZIP file on build","url":null,"keywords":"","version":"0.0.1","words":"anvil.zip plugin to package your anvil.js project into a zip file on build =mikehostetler","author":"=mikehostetler","date":"2012-11-08 "},{"name":"anviz-backup-reader","description":"Reads Anviz's Fingerprint Reader BAK.KQ backup files.","url":null,"keywords":"anviz BAK.KQ EP300 fingerprint","version":"0.0.1","words":"anviz-backup-reader reads anviz's fingerprint reader bak.kq backup files. =ivantodorovich anviz bak.kq ep300 fingerprint","author":"=ivantodorovich","date":"2014-05-21 "},{"name":"anviz-backup2xls","description":"Converts Anviz's Fingerprint Reader BAK.KQ backup files to XLS.","url":null,"keywords":"anviz BAK.KQ EP300 fingerprint","version":"0.0.4","words":"anviz-backup2xls converts anviz's fingerprint reader bak.kq backup files to xls. =ivantodorovich anviz bak.kq ep300 fingerprint","author":"=ivantodorovich","date":"2014-05-29 "},{"name":"anwj","description":"test","url":null,"keywords":"awj","version":"0.0.2","words":"anwj test =anwj awj","author":"=anwj","date":"2014-02-10 "},{"name":"anx","description":"anxpro.com API client for node.js","url":null,"keywords":"btc bitcoin mtgox anx anxpro.com anxbtc.com","version":"0.1.0","words":"anx anxpro.com api client for node.js =btcdude btc bitcoin mtgox anx anxpro.com anxbtc.com","author":"=btcdude","date":"2014-09-18 "},{"name":"anxhk","description":"anx.hk client for node.js","url":null,"keywords":"anxhk API Bitcoin Litecoin Dogecoin BTC LTC DOGE market","version":"0.0.2","words":"anxhk anx.hk client for node.js =zalazdi anxhk api bitcoin litecoin dogecoin btc ltc doge market","author":"=zalazdi","date":"2014-03-12 "},{"name":"any","keywords":"","version":[],"words":"any","author":"","date":"2013-11-02 "},{"name":"any-db","description":"Database-agnostic connection pooling, querying, and result sets","url":null,"keywords":"mysql postgres pg sqlite sqlite3","version":"2.1.0","words":"any-db database-agnostic connection pooling, querying, and result sets =grncdr mysql postgres pg sqlite sqlite3","author":"=grncdr","date":"2013-12-26 "},{"name":"any-db-adapter-spec","description":"Specification and test suite for any-db adapters","url":null,"keywords":"","version":"2.1.2","words":"any-db-adapter-spec specification and test suite for any-db adapters =grncdr","author":"=grncdr","date":"2014-07-13 "},{"name":"any-db-fake","description":"Fake adapter factory for testing any-db related libraries","url":null,"keywords":"any-db mock fake","version":"0.0.3","words":"any-db-fake fake adapter factory for testing any-db related libraries =grncdr any-db mock fake","author":"=grncdr","date":"2013-12-25 "},{"name":"any-db-migrate","description":"Manage database migrations with node-any-db.","url":null,"keywords":"database db migrate migration","version":"0.1.0","words":"any-db-migrate manage database migrations with node-any-db. =spritecloud database db migrate migration","author":"=spritecloud","date":"2014-04-30 "},{"name":"any-db-mssql","description":"The MSSQL adapter for any-db","url":null,"keywords":"any-db anydb mssql adapter","version":"0.1.0","words":"any-db-mssql the mssql adapter for any-db =hypermediaisobar any-db anydb mssql adapter","author":"=hypermediaisobar","date":"2014-09-15 "},{"name":"any-db-mysql","description":"The MySQL adapter for any-db","url":null,"keywords":"any-db anydb mysql adapter","version":"2.1.2","words":"any-db-mysql the mysql adapter for any-db =grncdr any-db anydb mysql adapter","author":"=grncdr","date":"2014-07-13 "},{"name":"any-db-pool","description":"Any-DB connection pool","url":null,"keywords":"","version":"2.1.0","words":"any-db-pool any-db connection pool =grncdr","author":"=grncdr","date":"2014-05-20 "},{"name":"any-db-postgres","description":"The postgres adapter for any-db","url":null,"keywords":"any-db anydb postgres pg adapter","version":"2.1.3","words":"any-db-postgres the postgres adapter for any-db =grncdr any-db anydb postgres pg adapter","author":"=grncdr","date":"2014-07-13 "},{"name":"any-db-promise","description":"any-db with promises","url":null,"keywords":"","version":"0.1.0","words":"any-db-promise any-db with promises =rschaosid","author":"=rschaosid","date":"2014-08-01 "},{"name":"any-db-sqlite3","description":"The SQLite3 adapter for any-db","url":null,"keywords":"any-db anydb sqlite3 sqlite adapter","version":"2.1.2","words":"any-db-sqlite3 the sqlite3 adapter for any-db =grncdr any-db anydb sqlite3 sqlite adapter","author":"=grncdr","date":"2014-07-13 "},{"name":"any-db-transaction","description":"Transaction object for Any-DB adapters","url":null,"keywords":"any-db transaction sql","version":"2.2.1","words":"any-db-transaction transaction object for any-db adapters =grncdr any-db transaction sql","author":"=grncdr","date":"2014-05-21 "},{"name":"any-form","description":"Stores form on disk and notifies by email","url":null,"keywords":"form email","version":"0.3.0","words":"any-form stores form on disk and notifies by email =sel form email","author":"=sel","date":"2014-05-06 "},{"name":"any-shell-escape","description":"Escape and stringify an array of arguments to be executed on the shell","url":null,"keywords":"","version":"0.1.1","words":"any-shell-escape escape and stringify an array of arguments to be executed on the shell =boazy","author":"=boazy","date":"2014-02-27 "},{"name":"anybase","description":"convert from and to numeric bases from base 2 to base 62","url":null,"keywords":"any numeric number base convert int integer decimal bin binary hex hexa hexadecimal oct octa octal","version":"0.2.2","words":"anybase convert from and to numeric bases from base 2 to base 62 =gvarsanyi any numeric number base convert int integer decimal bin binary hex hexa hexadecimal oct octa octal","author":"=gvarsanyi","date":"2014-02-16 "},{"name":"anychat","description":"微信公共平台Node库(支持代理)","url":null,"keywords":"weixin wechat","version":"0.9.0","words":"anychat 微信公共平台node库(支持代理) =xiaoxu weixin wechat","author":"=xiaoxu","date":"2014-08-06 "},{"name":"anydb-sql","description":"Minimal ORM for mysql, postgresql and sqlite with complete arbitrary SQL query support (based on brianc's query builder sql)","url":null,"keywords":"any db sql orm postgres pg postgresql mysql sqlite","version":"0.6.16","words":"anydb-sql minimal orm for mysql, postgresql and sqlite with complete arbitrary sql query support (based on brianc's query builder sql) =spion =goldsmith =gatekeeper88 any db sql orm postgres pg postgresql mysql sqlite","author":"=spion =goldsmith =gatekeeper88","date":"2014-05-20 "},{"name":"anyela","description":"Anyela es lo que tú terminal necesita\n Anyela fue creada con el fin de ser una alternativa a Betty, Siri o Google Now en la alternativa, la misma es desarrollada con node.js, Anyela puede resolver tus problemas con la terminal en linux Proximamente en otr","url":null,"keywords":"Siri betty anyela asistente terminal facilidad","version":"0.1.1","words":"anyela anyela es lo que tú terminal necesita\n anyela fue creada con el fin de ser una alternativa a betty, siri o google now en la alternativa, la misma es desarrollada con node.js, anyela puede resolver tus problemas con la terminal en linux proximamente en otr =goalkeeper112 siri betty anyela asistente terminal facilidad","author":"=goalkeeper112","date":"2014-06-22 "},{"name":"anyfetch","description":"AnyFetch API wrapper for Node.js","url":null,"keywords":"papiel anyFetch","version":"2.0.5","words":"anyfetch anyfetch api wrapper for node.js =matthieu.bacconnier =amoki =merlin_nd papiel anyfetch","author":"=matthieu.bacconnier =amoki =merlin_nd","date":"2014-09-05 "},{"name":"anyfetch-file-hydrater","description":"Create file hydrater for AnyFetch.","url":null,"keywords":"anyfetch hydrater","version":"0.2.19","words":"anyfetch-file-hydrater create file hydrater for anyfetch. =matthieu.bacconnier =amoki anyfetch hydrater","author":"=matthieu.bacconnier =amoki","date":"2014-06-30 "},{"name":"anyfetch-file-watcher","description":"Watch for file changes, and send them to anyFetch.","url":null,"keywords":"anyfetch file-watcher","version":"1.0.2","words":"anyfetch-file-watcher watch for file changes, and send them to anyfetch. =amoki =matthieu.bacconnier anyfetch file-watcher","author":"=amoki =matthieu.bacconnier","date":"2014-08-08 "},{"name":"anyfetch-filecleaner-hydrater","keywords":"","version":[],"words":"anyfetch-filecleaner-hydrater","author":"","date":"2014-07-30 "},{"name":"anyfetch-hydrater","description":"Create hydrater for AnyFetch.","url":null,"keywords":"anyfetch hydrater","version":"1.0.5","words":"anyfetch-hydrater create hydrater for anyfetch. =matthieu.bacconnier =amoki anyfetch hydrater","author":"=matthieu.bacconnier =amoki","date":"2014-09-15 "},{"name":"anyfetch-provider","description":"Create providers for Anyfetch.","url":null,"keywords":"anyfetch provider","version":"1.0.45","words":"anyfetch-provider create providers for anyfetch. =matthieu.bacconnier =amoki =quentin01 anyfetch provider","author":"=matthieu.bacconnier =amoki =quentin01","date":"2014-09-18 "},{"name":"anygrid","description":"Fluid CSS grid generator","url":null,"keywords":"grid css layout","version":"0.0.2","words":"anygrid fluid css grid generator =outring grid css layout","author":"=outring","date":"2014-06-02 "},{"name":"anymatch","description":"Matches strings against configurable strings, globs, regular expressions, and/or functions","url":null,"keywords":"match any string file fs list glob regex regexp regular expression function","version":"0.2.0","words":"anymatch matches strings against configurable strings, globs, regular expressions, and/or functions =es128 match any string file fs list glob regex regexp regular expression function","author":"=es128","date":"2014-02-19 "},{"name":"anymesh","description":"A multi-platform, decentralized, auto-discover and auto-connect mesh networking and messaging API","url":null,"keywords":"mesh network decentralized messaging","version":"0.3.0","words":"anymesh a multi-platform, decentralized, auto-discover and auto-connect mesh networking and messaging api =davepaul0 mesh network decentralized messaging","author":"=davepaul0","date":"2014-07-14 "},{"name":"anymock","url":null,"keywords":"","version":"0.0.0","words":"anymock =alexyan","author":"=alexyan","date":"2014-07-18 "},{"name":"anyorm","description":"Object Relational Mapper for node.js","url":null,"keywords":"DataMapper ORM","version":"0.1.0","words":"anyorm object relational mapper for node.js =yeaha datamapper orm","author":"=yeaha","date":"2013-11-21 "},{"name":"anyproxy","description":"A fully configurable proxy in NodeJS, which can handle HTTPS requests perfectly.","url":null,"keywords":"","version":"2.4.3","words":"anyproxy a fully configurable proxy in nodejs, which can handle https requests perfectly. =ottomao =alexyan","author":"=ottomao =alexyan","date":"2014-09-18 "},{"name":"anysort","description":"Sorting and matching utility using configurable string, glob, regular expression, and/or function matchers","url":null,"keywords":"sort array match any string file fs list glob regex regexp regular expression function","version":"0.2.0","words":"anysort sorting and matching utility using configurable string, glob, regular expression, and/or function matchers =es128 sort array match any string file fs list glob regex regexp regular expression function","author":"=es128","date":"2014-06-12 "},{"name":"anyway","description":"WIP - Proof of concept - Development Framework","url":null,"keywords":"anyway","version":"0.0.6","words":"anyway wip - proof of concept - development framework =kommander anyway","author":"=kommander","date":"2013-06-07 "},{"name":"anywhere","description":"Run static file server anywhere","url":null,"keywords":"Static file server Assets","version":"1.0.0","words":"anywhere run static file server anywhere =jacksontian static file server assets","author":"=jacksontian","date":"2014-09-16 "},{"name":"ao","description":"Minimal mobile device detection.","url":null,"keywords":"","version":"0.1.0","words":"ao minimal mobile device detection. =jwalsh","author":"=jwalsh","date":"2013-03-05 "},{"name":"ao-mesher","description":"Voxel ambient occlusion mesher","url":null,"keywords":"voxel ambient occlusion mesher ndarray","version":"0.2.10","words":"ao-mesher voxel ambient occlusion mesher =mikolalysenko voxel ambient occlusion mesher ndarray","author":"=mikolalysenko","date":"2014-04-05 "},{"name":"ao-shader","description":"Ambient occlusion capable shader for ao-mesher","url":null,"keywords":"voxel ambient occlusion shader webgl ndarray","version":"0.3.0","words":"ao-shader ambient occlusion capable shader for ao-mesher =mikolalysenko voxel ambient occlusion shader webgl ndarray","author":"=mikolalysenko","date":"2014-04-13 "},{"name":"aoc","description":"Angular Optimized Components","url":null,"keywords":"Angularjs bootstrap jquery andrei oprea","version":"0.0.5","words":"aoc angular optimized components =andreio angularjs bootstrap jquery andrei oprea","author":"=andreio","date":"2014-05-05 "},{"name":"aok","description":"Extensible test suite API.","url":null,"keywords":"testing test suite performance javascript ender browser server","version":"1.9.0","words":"aok extensible test suite api. =ryanve testing test suite performance javascript ender browser server","author":"=ryanve","date":"2014-09-20 "},{"name":"aol-cachelink-service","keywords":"","version":[],"words":"aol-cachelink-service","author":"","date":"2014-07-30 "},{"name":"aolists","keywords":"","version":[],"words":"aolists","author":"","date":"2014-07-01 "},{"name":"aolists-db","description":"Advanced REST Node.js interface for MongoDB with subscriptions and attachments","url":null,"keywords":"mongodb mongo db web rest restful node.js aoLists eCandidus subscriptions attachments synch ssl authentication","version":"0.7.13","words":"aolists-db advanced rest node.js interface for mongodb with subscriptions and attachments =ecandidus mongodb mongo db web rest restful node.js aolists ecandidus subscriptions attachments synch ssl authentication","author":"=ecandidus","date":"2014-08-10 "},{"name":"aolists-webtop","description":"Web interface for aoLists","url":null,"keywords":"web node.js aoLists eCandidus subscriptions attachments","version":"0.2.0","words":"aolists-webtop web interface for aolists =ecandidus web node.js aolists ecandidus subscriptions attachments","author":"=ecandidus","date":"2014-09-07 "},{"name":"aone","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"aone ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"aonx","description":"very opinionated application framework","url":null,"keywords":"express api framework server cluster","version":"0.5.2","words":"aonx very opinionated application framework =truepattern =openmason express api framework server cluster","author":"=truepattern =openmason","date":"2013-05-21 "},{"name":"aonyx","description":"A small, light-weight, dependency injector for node.","url":null,"keywords":"di ioc dependency dependency injection dependency injector injection injector","version":"0.2.0","words":"aonyx a small, light-weight, dependency injector for node. =jaylach di ioc dependency dependency injection dependency injector injection injector","author":"=jaylach","date":"2013-09-09 "},{"name":"aop","description":"Simple AOP realization for async applications","url":null,"keywords":"aop","version":"0.1.3","words":"aop simple aop realization for async applications =baryshev aop","author":"=baryshev","date":"2012-02-04 "},{"name":"aop-for-js","description":"A library enforcing Aspect Oriented Programming in JavaScript","url":null,"keywords":"","version":"0.0.2","words":"aop-for-js a library enforcing aspect oriented programming in javascript =nourdine","author":"=nourdine","date":"2014-06-12 "},{"name":"aop-js","description":"Aspect oriented program by javascript","url":null,"keywords":"AOP Aspect js","version":"0.0.0","words":"aop-js aspect oriented program by javascript =kezhang aop aspect js","author":"=kezhang","date":"2014-05-28 "},{"name":"aop-part","description":"A simple AOP library using part.js","url":null,"keywords":"aop aspect oriented before after around","version":"0.1.0","words":"aop-part a simple aop library using part.js =autosponge aop aspect oriented before after around","author":"=autosponge","date":"2014-01-17 "},{"name":"aopjs","description":"AOP of Nodejs","url":null,"keywords":"aop nodejs javascript","version":"0.1.3","words":"aopjs aop of nodejs =aleechou aop nodejs javascript","author":"=aleechou","date":"2013-12-05 "},{"name":"aot-beagle","description":"A library for allofthings.com Beaglebone","url":null,"keywords":"IoT Beaglebone Device","version":"0.0.3","words":"aot-beagle a library for allofthings.com beaglebone =bmtjpark iot beaglebone device","author":"=bmtjpark","date":"2014-08-28 "},{"name":"aot-rpi","description":"A library for allofthings.com raspberry pi","url":null,"keywords":"IoT Raspberry Pi Device","version":"0.0.8","words":"aot-rpi a library for allofthings.com raspberry pi =bmtjpark iot raspberry pi device","author":"=bmtjpark","date":"2014-08-28 "},{"name":"ap","description":"Currying in javascript. Like .bind() without also setting `this`.","url":null,"keywords":"curry apply ap bind function functional","version":"0.2.0","words":"ap currying in javascript. like .bind() without also setting `this`. =substack curry apply ap bind function functional","author":"=substack","date":"2012-11-26 "},{"name":"ap-component","description":"Apply function, otherwise return value","url":null,"keywords":"","version":"1.0.1","words":"ap-component apply function, otherwise return value =jb55","author":"=jb55","date":"2014-03-27 "},{"name":"ap3","description":"Atlassian Plugins 3 library for Express","url":null,"keywords":"atlassian plugins add-ons jira confluence express web","version":"0.3.1","words":"ap3 atlassian plugins 3 library for express =rmanalan =rbergman atlassian plugins add-ons jira confluence express web","author":"=rmanalan =rbergman","date":"2013-05-15 "},{"name":"ap3-cli","description":"A CLI for Atlassian Plugins 3","url":null,"keywords":"atlassian plugins add-ons jira confluence express web","version":"0.2.5","words":"ap3-cli a cli for atlassian plugins 3 =rmanalan atlassian plugins add-ons jira confluence express web","author":"=rmanalan","date":"2013-05-15 "},{"name":"apa","description":"A client libraray for the Amazon Product Advertising API.","url":null,"keywords":"","version":"0.0.0","words":"apa a client libraray for the amazon product advertising api. =mappum","author":"=mappum","date":"2012-08-08 "},{"name":"apa-client","description":"An Amazon Product Advertising API client.","url":null,"keywords":"amazon product advertising client","version":"0.1.2","words":"apa-client an amazon product advertising api client. =lbdremy amazon product advertising client","author":"=lbdremy","date":"2012-09-25 "},{"name":"apac","description":"Amazon Product Advertising API Client for Node","url":null,"keywords":"Amazon Product Advertising API AWS","version":"0.0.14","words":"apac amazon product advertising api client for node =dmcquay =wesleyyue amazon product advertising api aws","author":"=dmcquay =wesleyyue","date":"2014-04-23 "},{"name":"apac-czbaker","description":"Amazon Product Advertising API Client for Node, temporarily packaged by czbaker (1.0.0 testing)","url":null,"keywords":"Amazon Product Advertising API AWS","version":"1.0.0","words":"apac-czbaker amazon product advertising api client for node, temporarily packaged by czbaker (1.0.0 testing) =czbaker amazon product advertising api aws","author":"=czbaker","date":"2014-08-29 "},{"name":"apac-g","description":"Amazon Product Advertising API Client for Node","url":null,"keywords":"Amazon Product Advertising API AWS","version":"0.0.12","words":"apac-g amazon product advertising api client for node =gulian amazon product advertising api aws","author":"=gulian","date":"2013-06-30 "},{"name":"apache-browser","description":"Parse Apache's HTTP Directory Listings","url":null,"keywords":"apache browser parse directory file list ls","version":"0.1.0","words":"apache-browser parse apache's http directory listings =bencevans apache browser parse directory file list ls","author":"=bencevans","date":"2013-10-18 "},{"name":"apache-crypt","description":"Node.js module for Apache style password encryption using crypt(3).","url":null,"keywords":"node apache crypt password htpasswd","version":"1.0.6","words":"apache-crypt node.js module for apache style password encryption using crypt(3). =gevorg node apache crypt password htpasswd","author":"=gevorg","date":"2014-06-06 "},{"name":"apache-git-commit-hooks","description":"a scraper for apache git web frontend to enable git commit hooks. git commit hooks would do the job too but eh, cant do that at apache.","url":null,"keywords":"apache git commit hook","version":"0.0.7","words":"apache-git-commit-hooks a scraper for apache git web frontend to enable git commit hooks. git commit hooks would do the job too but eh, cant do that at apache. =filmaj apache git commit hook","author":"=filmaj","date":"2012-11-22 "},{"name":"apache-like-accesslog","description":"A apache-like access log as middleware for express and restify.","url":null,"keywords":"log access apache NCSA Common Log Format CLF express restify","version":"0.0.4","words":"apache-like-accesslog a apache-like access log as middleware for express and restify. =petershaw log access apache ncsa common log format clf express restify","author":"=petershaw","date":"2014-08-26 "},{"name":"apache-log","description":"Apache/CLF access logging middleware for Nodejs. Adds NodeJs requests to your existing apache or CLF analytics.","url":null,"keywords":"apache analytics analytic NCSA CLF awstats log access webalizer apache2 access.log logging","version":"0.0.11","words":"apache-log apache/clf access logging middleware for nodejs. adds nodejs requests to your existing apache or clf analytics. =surgemcgee apache analytics analytic ncsa clf awstats log access webalizer apache2 access.log logging","author":"=surgemcgee","date":"2014-01-27 "},{"name":"apache-md5","description":"Node.js module for Apache style password encryption using md5.","url":null,"keywords":"node apache md5 password htpasswd","version":"1.0.0","words":"apache-md5 node.js module for apache style password encryption using md5. =gevorg node apache md5 password htpasswd","author":"=gevorg","date":"2013-12-28 "},{"name":"apache-server-configs","description":"Boilerplate configurations for the Apache HTTP Server","url":null,"keywords":"apache configs configurations h5bp server","version":"2.8.0","words":"apache-server-configs boilerplate configurations for the apache http server =alrra apache configs configurations h5bp server","author":"=alrra","date":"2014-09-13 "},{"name":"apache_ai","description":"Summarizes Apache error logs by removing unnecessary uniquely identifying information","url":null,"keywords":"apache","version":"0.0.0","words":"apache_ai summarizes apache error logs by removing unnecessary uniquely identifying information =mixu apache","author":"=mixu","date":"2013-04-23 "},{"name":"apacheconf","description":"Apacheconf is an apache config file parser","url":null,"keywords":"apache parser config httpd","version":"0.0.5","words":"apacheconf apacheconf is an apache config file parser =tellnes apache parser config httpd","author":"=tellnes","date":"2013-11-29 "},{"name":"apachelog-stream","description":"This takes a apache log, parses it and returns it as buffer","url":null,"keywords":"apache-log apache stream log","version":"0.0.7","words":"apachelog-stream this takes a apache log, parses it and returns it as buffer =apriendeau =nisaacson apache-log apache stream log","author":"=apriendeau =nisaacson","date":"2014-05-05 "},{"name":"apacroot","description":"List of top level BrowseNode of Amazon Product Advertising API","url":null,"keywords":"","version":"0.0.7","words":"apacroot list of top level browsenode of amazon product advertising api =tomohisa.ota","author":"=tomohisa.ota","date":"2012-11-06 "},{"name":"aparser","description":"An async ARGV parser","url":null,"keywords":"","version":"0.0.2","words":"aparser an async argv parser =thyphon","author":"=thyphon","date":"2011-09-10 "},{"name":"apathy","description":"Path ancestry","url":null,"keywords":"","version":"0.1.0","words":"apathy path ancestry =dtao","author":"=dtao","date":"2014-02-11 "},{"name":"apb","description":"AMD Package Builder for seajs","url":null,"keywords":"cloudcome javascript seajs AMD AMDJS Package builder","version":"0.0.10","words":"apb amd package builder for seajs =cloudcome cloudcome javascript seajs amd amdjs package builder","author":"=cloudcome","date":"2014-09-11 "},{"name":"apbd-dki","description":"APBD DKI Jakarta","url":null,"keywords":"jakarta apbd dki","version":"0.0.2","words":"apbd-dki apbd dki jakarta =diorahman jakarta apbd dki","author":"=diorahman","date":"2014-04-20 "},{"name":"apc-pdu-snmp","description":"APC PDU module utilizing SNMP","url":null,"keywords":"apc pdu snmp","version":"0.0.1","words":"apc-pdu-snmp apc pdu module utilizing snmp =phillipsnick apc pdu snmp","author":"=phillipsnick","date":"2014-09-08 "},{"name":"apc-ups-snmp","description":"Library for reading values of APC UPS battery via the network","url":null,"keywords":"apc ups snmp battery","version":"0.2.4","words":"apc-ups-snmp library for reading values of apc ups battery via the network =phillipsnick apc ups snmp battery","author":"=phillipsnick","date":"2014-09-08 "},{"name":"ape","description":"API documentation generator with github-flavored-markdown output","url":null,"keywords":"","version":"0.3.8","words":"ape api documentation generator with github-flavored-markdown output =nlf","author":"=nlf","date":"2013-09-25 "},{"name":"ape-algorithm","description":"Algorithm for APE API","url":null,"keywords":"quicksort bucketsort sort ape algorithm","version":"0.0.8","words":"ape-algorithm algorithm for ape api =bsspirit quicksort bucketsort sort ape algorithm","author":"=bsspirit","date":"2014-08-13 "},{"name":"ape-auth-check","description":"Authenticate check.","url":null,"keywords":"login logout authenticate ape","version":"0.0.4","words":"ape-auth-check authenticate check. =bsspirit login logout authenticate ape","author":"=bsspirit","date":"2014-02-19 "},{"name":"ape-utils","description":"utils for APE API","url":null,"keywords":"utils ape job","version":"0.0.4","words":"ape-utils utils for ape api =bsspirit utils ape job","author":"=bsspirit","date":"2014-02-17 "},{"name":"ape-web","description":"web API","url":null,"keywords":"utils ape web","version":"0.0.4","words":"ape-web web api =bsspirit utils ape web","author":"=bsspirit","date":"2014-08-24 "},{"name":"ape-web-dev-server","url":null,"keywords":"","version":"0.0.4","words":"ape-web-dev-server =perfectworks","author":"=perfectworks","date":"2013-12-03 "},{"name":"apeman","description":"Meta web application frame work.","url":null,"keywords":"web","version":"2.1.2","words":"apeman meta web application frame work. =okunishinishi web","author":"=okunishinishi","date":"2014-07-24 "},{"name":"apeman-front","description":"Apeman front end module.","url":null,"keywords":"","version":"0.0.9","words":"apeman-front apeman front end module. =okunishinishi","author":"=okunishinishi","date":"2014-09-20 "},{"name":"apeman-storage","description":"Storage modules for apeman","url":null,"keywords":"","version":"0.0.1","words":"apeman-storage storage modules for apeman =okunishinishi","author":"=okunishinishi","date":"2014-07-23 "},{"name":"apeman-tasks","description":"Automation tasks for apeman","url":null,"keywords":"","version":"0.0.15","words":"apeman-tasks automation tasks for apeman =okunishinishi","author":"=okunishinishi","date":"2014-09-17 "},{"name":"apeman-util","description":"Utilitiy modules for apeman.","url":null,"keywords":"","version":"0.0.21","words":"apeman-util utilitiy modules for apeman. =okunishinishi","author":"=okunishinishi","date":"2014-09-19 "},{"name":"apeman-web","description":"Web moduels for apeman.","url":null,"keywords":"","version":"0.0.8","words":"apeman-web web moduels for apeman. =okunishinishi","author":"=okunishinishi","date":"2014-09-15 "},{"name":"aperture","description":"Local dependencies helper","url":null,"keywords":"npm link require development dev install dependency","version":"1.1.1","words":"aperture local dependencies helper =hughsk =timoxley npm link require development dev install dependency","author":"=hughsk =timoxley","date":"2014-06-15 "},{"name":"apex","description":"Work In Progress","url":null,"keywords":"","version":"0.0.1-beta","words":"apex work in progress =dillonkrug","author":"=dillonkrug","date":"2014-08-22 "},{"name":"apg-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.1","words":"apg-github-example get a list of github user repos =apg-github-example-user","author":"=apg-github-example-user","date":"2013-10-15 "},{"name":"api","description":"A server framework for easy routing","url":null,"keywords":"","version":"0.3.1","words":"api a server framework for easy routing =pvorb","author":"=pvorb","date":"2012-08-07 "},{"name":"api-auth","description":"Use couch-profiles to perform basic auth in express apps","url":null,"keywords":"docparse","version":"1.0.4","words":"api-auth use couch-profiles to perform basic auth in express apps =clewfirst docparse","author":"=clewfirst","date":"2013-03-17 "},{"name":"api-benchmark","description":"A simple nodejs tool to measure and compare performances of api services","url":null,"keywords":"benchmark api performance test load balancer deployment continuous delivery","version":"0.1.42","words":"api-benchmark a simple nodejs tool to measure and compare performances of api services =matteofigus benchmark api performance test load balancer deployment continuous delivery","author":"=matteofigus","date":"2014-09-14 "},{"name":"api-blueprint-http-formatter","description":"Format pair of HTTP Request and Response to API Blueprint format","url":null,"keywords":"api blueprint http","version":"0.0.1","words":"api-blueprint-http-formatter format pair of http request and response to api blueprint format =netmilk =almad =tu1ly api blueprint http","author":"=netmilk =almad =tu1ly","date":"2013-11-04 "},{"name":"api-blueprint-validator","description":"API Blueprint Validator","url":null,"keywords":"","version":"0.1.2","words":"api-blueprint-validator api blueprint validator =jakub-onderka","author":"=jakub-onderka","date":"2014-04-30 "},{"name":"api-builder","description":"Build JSON API's in Node","url":null,"keywords":"api build create json node nodejs","version":"0.2.4","words":"api-builder build json api's in node =mark_selby api build create json node nodejs","author":"=mark_selby","date":"2014-01-24 "},{"name":"api-cache-proxy","description":"A proxy for the APIs that will cache their results the best it can to avoid rate limits","url":null,"keywords":"","version":"0.1.0","words":"api-cache-proxy a proxy for the apis that will cache their results the best it can to avoid rate limits =balupton","author":"=balupton","date":"2013-10-02 "},{"name":"api-chain","description":"A light and easy to use interface for creating fluent, chainable javascript APIs in Node.js or PhantomJs","url":null,"keywords":"javascript api chain chainable promises deferreds Node.js PhantomJs","version":"0.0.6","words":"api-chain a light and easy to use interface for creating fluent, chainable javascript apis in node.js or phantomjs =fshost javascript api chain chainable promises deferreds node.js phantomjs","author":"=fshost","date":"2013-11-25 "},{"name":"api-cli","description":"Framework to build CLI-based applications and helper scripts","url":null,"keywords":"cli api","version":"0.1.0","words":"api-cli framework to build cli-based applications and helper scripts =dapepe cli api","author":"=dapepe","date":"2014-03-24 "},{"name":"api-client","description":"Object Oriented library for HTTP Web API clients","url":null,"keywords":"request rest web service api client","version":"1.1.3","words":"api-client object oriented library for http web api clients =doug request rest web service api client","author":"=doug","date":"2014-08-07 "},{"name":"api-client-limiter","description":"Simple function wrapper queuing and limiting the number of calls to a function. Ideal for Rest API call limiting compliance.","url":null,"keywords":"api rate limiter client queue","version":"0.1.0","words":"api-client-limiter simple function wrapper queuing and limiting the number of calls to a function. ideal for rest api call limiting compliance. =jgrenon api rate limiter client queue","author":"=jgrenon","date":"2014-01-28 "},{"name":"api-closure-compiler","description":"A Grunt task for Closure Compiler.","url":null,"keywords":"Closure Compiler Minification Performance gruntplugin","version":"1.0.5","words":"api-closure-compiler a grunt task for closure compiler. =shouyue01 closure compiler minification performance gruntplugin","author":"=shouyue01","date":"2014-01-14 "},{"name":"api-copilot","description":"> Write testing or data population scenarios for your APIs.","url":null,"keywords":"","version":"0.5.0","words":"api-copilot > write testing or data population scenarios for your apis. =alphahydrae","author":"=alphahydrae","date":"2014-05-02 "},{"name":"api-copilot-cli","description":"> Command line interface for [API Copilot](https://github.com/lotaris/api-copilot).","url":null,"keywords":"","version":"0.1.0","words":"api-copilot-cli > command line interface for [api copilot](https://github.com/lotaris/api-copilot). =alphahydrae","author":"=alphahydrae","date":"2014-03-19 "},{"name":"api-driver","description":"a concise way to string together and test JSON API calls","url":null,"keywords":"http testing json api","version":"0.1.14","words":"api-driver a concise way to string together and test json api calls =kennethgunn =aaronyo http testing json api","author":"=kennethgunn =aaronyo","date":"2014-08-08 "},{"name":"api-easy","description":"Fluent (i.e. chainable) syntax for generating vows tests against RESTful APIs.","url":null,"keywords":"testing api REST vows","version":"0.3.8","words":"api-easy fluent (i.e. chainable) syntax for generating vows tests against restful apis. =indexzero testing api rest vows","author":"=indexzero","date":"2013-04-21 "},{"name":"api-error","description":"Http client and server error types","url":null,"keywords":"error exception http express","version":"0.1.0","words":"api-error http client and server error types =djtek error exception http express","author":"=djtek","date":"2014-01-08 "},{"name":"api-explorer","description":"Easily create an interactive documentation for your RESTful API","url":null,"keywords":"rest explorer restful api api-explorer","version":"0.3.1","words":"api-explorer easily create an interactive documentation for your restful api =epayet rest explorer restful api api-explorer","author":"=epayet","date":"2014-08-25 "},{"name":"api-facade","description":"A library that simplifies the exposure of data through REST interfaces in a secure, scope dependent way. Basically transforms internal data into whatever a client of your API has the right to see.","url":null,"keywords":"api rest","version":"0.2.3","words":"api-facade a library that simplifies the exposure of data through rest interfaces in a secure, scope dependent way. basically transforms internal data into whatever a client of your api has the right to see. =mwawrusch api rest","author":"=mwawrusch","date":"2013-01-13 "},{"name":"api-factory","description":"Quick way to spec API with node.js","url":null,"keywords":"","version":"0.0.1","words":"api-factory quick way to spec api with node.js =santthosh","author":"=santthosh","date":"2013-11-23 "},{"name":"api-fixture-proxy","description":"API proxy that serves fixtures from a directory.","url":null,"keywords":"express buffer proxy connect middleware","version":"0.0.1","words":"api-fixture-proxy api proxy that serves fixtures from a directory. =taras express buffer proxy connect middleware","author":"=taras","date":"2014-02-22 "},{"name":"api-gate","description":"is a module to quickly write api endpoints and hook them to your express app","url":null,"keywords":"api-gate node express middleware","version":"0.0.16","words":"api-gate is a module to quickly write api endpoints and hook them to your express app =taddei api-gate node express middleware","author":"=taddei","date":"2014-08-10 "},{"name":"api-js","description":"Portable JavaScript library for any kinds of Web API manipulation","url":null,"keywords":"oop class entity","version":"0.0.0","words":"api-js portable javascript library for any kinds of web api manipulation =alexpods oop class entity","author":"=alexpods","date":"2013-09-24 "},{"name":"api-key","description":"generate and manage api keys for your system, strives to be agnostic and extensible with any project","url":null,"keywords":"","version":"0.0.0","words":"api-key generate and manage api keys for your system, strives to be agnostic and extensible with any project =stanzheng","author":"=stanzheng","date":"2014-08-03 "},{"name":"api-maker","description":"Create your RESTful API with 1 command line !","url":null,"keywords":"api express","version":"0.0.0","words":"api-maker create your restful api with 1 command line ! =dck api express","author":"=dck","date":"2014-07-21 "},{"name":"api-manager","description":"API manager","url":null,"keywords":"","version":"0.0.15","words":"api-manager api manager =jakub.knejzlik","author":"=jakub.knejzlik","date":"2014-01-20 "},{"name":"api-media-type","description":"A Node.js module exporting a map of common media type names to registered IANA media type names. Built specifically to serve the needs of Web APIs.","url":null,"keywords":"api media type hypermedia data json siren hal form urlencoded multipart","version":"0.1.0","words":"api-media-type a node.js module exporting a map of common media type names to registered iana media type names. built specifically to serve the needs of web apis. =kevinswiber api media type hypermedia data json siren hal form urlencoded multipart","author":"=kevinswiber","date":"2014-02-02 "},{"name":"api-meta","description":"meta-json documentation page builder and JSON schemas for generating API documentation","url":null,"keywords":"","version":"0.0.2","words":"api-meta meta-json documentation page builder and json schemas for generating api documentation =bob-gray","author":"=bob-gray","date":"2014-08-13 "},{"name":"api-meta-cli","description":"Command line utility for running locally installed api-meta","url":null,"keywords":"","version":"0.0.1","words":"api-meta-cli command line utility for running locally installed api-meta =bob-gray","author":"=bob-gray","date":"2014-05-31 "},{"name":"api-methods","description":"Wrapper for express routing methods to help with versioning apis","url":null,"keywords":"","version":"0.0.4","words":"api-methods wrapper for express routing methods to help with versioning apis =esco","author":"=esco","date":"2013-10-20 "},{"name":"api-middleware","description":"collection of middleware for express servers","url":null,"keywords":"docparse","version":"1.0.6","words":"api-middleware collection of middleware for express servers =clewfirst docparse","author":"=clewfirst","date":"2013-03-17 "},{"name":"api-mock","description":"A mock server generated from your API Blueprint.","url":null,"keywords":"api test testing documenation integration acceptance server stub","version":"0.1.0","words":"api-mock a mock server generated from your api blueprint. =ecordell api test testing documenation integration acceptance server stub","author":"=ecordell","date":"2014-07-30 "},{"name":"api-model","description":"Create a javascript object to use at your restful api.","url":null,"keywords":"node http server api model","version":"0.2.2","words":"api-model create a javascript object to use at your restful api. =subtub node http server api model","author":"=subtub","date":"2014-01-06 "},{"name":"api-node","url":null,"keywords":"","version":"0.1.1","words":"api-node =ordr.in","author":"=ordr.in","date":"2012-06-19 "},{"name":"api-pagination","description":"Provides API endpoints for HAPI servers to manage roles. DO NOT USE YET","url":null,"keywords":"","version":"1.0.6","words":"api-pagination provides api endpoints for hapi servers to manage roles. do not use yet =mwawrusch","author":"=mwawrusch","date":"2014-08-06 "},{"name":"api-pass","description":"do reverse proxy if access_token passed","url":null,"keywords":"api oauth2 proxy","version":"1.2.0","words":"api-pass do reverse proxy if access_token passed =undozen api oauth2 proxy","author":"=undozen","date":"2014-08-12 "},{"name":"api-pegjs","description":"API PEGjs (HTTP, methods, headers, media-type, etc)","url":null,"keywords":"PEG RFC ISO ABNF HTTP API methods headers media-type date time","version":"0.4.18","words":"api-pegjs api pegjs (http, methods, headers, media-type, etc) =andreineculau peg rfc iso abnf http api methods headers media-type date time","author":"=andreineculau","date":"2014-06-02 "},{"name":"api-pegjs-test","description":"A collection of language-agnostic tests in JSON format for parsing HTTP into api-pegjs","url":null,"keywords":"http rfc json pegjs peg ast conneg caching","version":"0.0.2","words":"api-pegjs-test a collection of language-agnostic tests in json format for parsing http into api-pegjs =andreineculau http rfc json pegjs peg ast conneg caching","author":"=andreineculau","date":"2013-10-22 "},{"name":"api-proxy","description":"a proxy for android debug","url":null,"keywords":"proxy json","version":"0.0.2","words":"api-proxy a proxy for android debug =jindw proxy json","author":"=jindw","date":"2013-06-03 "},{"name":"api-query-parser","description":"Helper module to parse api queries","url":null,"keywords":"api rest parse parser coersion query querystring","version":"0.4.0","words":"api-query-parser helper module to parse api queries =marcbachmann api rest parse parser coersion query querystring","author":"=marcbachmann","date":"2014-07-10 "},{"name":"api-resource","description":"Simple HTTP resource wrapper","url":null,"keywords":"","version":"1.0.3","words":"api-resource simple http resource wrapper =tancredi","author":"=tancredi","date":"2014-07-01 "},{"name":"api-response-times","description":"Writes to a file the time in ms your server takes from approximately the time your API is called to when the response is returned.","url":null,"keywords":"api response time","version":"0.0.0","words":"api-response-times writes to a file the time in ms your server takes from approximately the time your api is called to when the response is returned. =emooheo api response time","author":"=emooheo","date":"2014-03-25 "},{"name":"api-router","description":"Beefup your routes in minutes","url":null,"keywords":"api-router api router express","version":"0.1.4","words":"api-router beefup your routes in minutes =prashanfdo api-router api router express","author":"=prashanfdo","date":"2014-08-17 "},{"name":"api-routes","description":"A declarative system for creating express API routes.","url":null,"keywords":"express connect api router","version":"0.2.1","words":"api-routes a declarative system for creating express api routes. =yanatan16 express connect api router","author":"=yanatan16","date":"2014-01-24 "},{"name":"api-schema","description":"JSON API schema utilities","url":null,"keywords":"","version":"0.0.1","words":"api-schema json api schema utilities =tjholowaychuk","author":"=tjholowaychuk","date":"2013-07-09 "},{"name":"api-server-basic","description":"Basic Node.js API server using Restify","url":null,"keywords":"api server restify","version":"1.0.3","words":"api-server-basic basic node.js api server using restify =greglearns api server restify","author":"=greglearns","date":"2013-09-10 "},{"name":"api-service","description":"Simple http service wrapper for client-side JavaScript or Node.js","url":null,"keywords":"","version":"1.0.0","words":"api-service simple http service wrapper for client-side javascript or node.js =tancredi","author":"=tancredi","date":"2014-07-01 "},{"name":"api-signed-request","description":"Signed request server/client for token-based APIs ","url":null,"keywords":"signed request API middleware client server","version":"0.1.0","words":"api-signed-request signed request server/client for token-based apis =joshleaves signed request api middleware client server","author":"=joshleaves","date":"2013-07-16 "},{"name":"api-stories","description":"\"JSON API testing without the fuss\"","url":null,"keywords":"testing api json","version":"0.0.8","words":"api-stories \"json api testing without the fuss\" =kennethgunn =aaronyo testing api json","author":"=kennethgunn =aaronyo","date":"2014-06-25 "},{"name":"api-template","description":"Define and build your project's api with mocked data. ","url":null,"keywords":"api mustache json generator mock datafixture","version":"0.1.0","words":"api-template define and build your project's api with mocked data. =acatl api mustache json generator mock datafixture","author":"=acatl","date":"2013-10-20 "},{"name":"api-test","description":"API testing made simple","url":null,"keywords":"test mocha api markdown","version":"2.0.1","words":"api-test api testing made simple =sitegui test mocha api markdown","author":"=sitegui","date":"2014-09-12 "},{"name":"api-token","description":"api-token","url":null,"keywords":"api token session","version":"0.1.1","words":"api-token api-token =eetut api token session","author":"=eetut","date":"2014-03-03 "},{"name":"api-tools","description":"Maps express routes to functions of api descriptor object using a set of conventions","url":null,"keywords":"web api factory utilities helpers","version":"0.0.21","words":"api-tools maps express routes to functions of api descriptor object using a set of conventions =konstardiy web api factory utilities helpers","author":"=konstardiy","date":"2014-05-14 "},{"name":"api-umbrella-config","description":"Library for API Umbrella configuration","url":null,"keywords":"","version":"0.2.1","words":"api-umbrella-config library for api umbrella configuration =gui","author":"=gui","date":"2014-08-24 "},{"name":"api-umbrella-gatekeeper","description":"A custom reverse proxy to control access to your APIs. Performs API key validation, request rate limiting, and gathers analytics.","url":null,"keywords":"","version":"0.1.0","words":"api-umbrella-gatekeeper a custom reverse proxy to control access to your apis. performs api key validation, request rate limiting, and gathers analytics. =gui","author":"=gui","date":"2014-09-20 "},{"name":"api-validator","keywords":"","version":[],"words":"api-validator","author":"","date":"2014-02-20 "},{"name":"api-version","description":"Wrapper for express routing methods to help with versioning apis","url":null,"keywords":"","version":"0.2.0","words":"api-version wrapper for express routing methods to help with versioning apis =esco","author":"=esco","date":"2013-12-15 "},{"name":"api-walker","description":"A mock server generated from your API Blueprint.","url":null,"keywords":"api test testing documenation integration acceptance server stub","version":"0.0.1","words":"api-walker a mock server generated from your api blueprint. =kkvlk api test testing documenation integration acceptance server stub","author":"=kkvlk","date":"2014-02-25 "},{"name":"api.categorific.io","keywords":"","version":[],"words":"api.categorific.io","author":"","date":"2014-05-02 "},{"name":"api.js","description":"Framework for HTTP REST APIs","url":null,"keywords":"http rest api","version":"0.0.5","words":"api.js framework for http rest apis =joehewitt http rest api","author":"=joehewitt","date":"2012-04-17 "},{"name":"api_500px","description":"500px API helper, including OAuth and upload","url":null,"keywords":"500px api oauth upload","version":"0.0.3","words":"api_500px 500px api helper, including oauth and upload =alexindigo 500px api oauth upload","author":"=alexindigo","date":"2013-07-08 "},{"name":"api_auth","description":"A simple Node.js client that authenticates to a ruby api that uses api_auth: https://github.com/mgomes/api_auth","url":null,"keywords":"api authentication client nonce","version":"0.0.2-4","words":"api_auth a simple node.js client that authenticates to a ruby api that uses api_auth: https://github.com/mgomes/api_auth =jlwebster api authentication client nonce","author":"=jlwebster","date":"2012-10-11 "},{"name":"api_botnik_com","description":"New read me","url":null,"keywords":"","version":"0.0.1","words":"api_botnik_com new read me =mkhurrumq","author":"=mkhurrumq","date":"2012-08-12 "},{"name":"api_request","description":"Wrapper for the http client to make beautiful, readable requests.","url":null,"keywords":"api wrapper http_request","version":"0.5.4","words":"api_request wrapper for the http client to make beautiful, readable requests. =adaburrows api wrapper http_request","author":"=adaburrows","date":"2011-10-28 "},{"name":"apian","description":"apian","url":null,"keywords":"test testing api","version":"0.1.1","words":"apian apian =nabriski test testing api","author":"=nabriski","date":"2014-09-15 "},{"name":"apiary","description":"Spawn multi-system multi-user node.js clouds, on your own hardware and/or with 3rd party virtual servers","url":null,"keywords":"distributed cloud computing automated deployment platform-as-a-service","version":"0.0.2","words":"apiary spawn multi-system multi-user node.js clouds, on your own hardware and/or with 3rd party virtual servers =stolsma distributed cloud computing automated deployment platform-as-a-service","author":"=stolsma","date":"2011-09-26 "},{"name":"apiary-blueprint-parser","description":"Apiary blueprint parser","url":null,"keywords":"","version":"0.5.3","words":"apiary-blueprint-parser apiary blueprint parser =apiary =dmajda =zdne","author":"=apiary =dmajda =zdne","date":"2014-01-22 "},{"name":"apiary-blueprint-render","description":"Renders apiary-blueprint code to html","url":null,"keywords":"","version":"0.1.2","words":"apiary-blueprint-render renders apiary-blueprint code to html =korpa","author":"=korpa","date":"2013-05-30 "},{"name":"apiaxle-api","description":"ApiAxle's own API. Provision keys and APIs.","url":null,"keywords":"apiaxle proxy api rest soap","version":"1.12.32","words":"apiaxle-api apiaxle's own api. provision keys and apis. =philjackson apiaxle proxy api rest soap","author":"=philjackson","date":"2014-07-31 "},{"name":"apiaxle-api-client","description":"A client library for the ApiAxle API","url":null,"keywords":"ApiAxle Axle API","version":"1.0.13","words":"apiaxle-api-client a client library for the apiaxle api =philjackson apiaxle axle api","author":"=philjackson","date":"2014-06-18 "},{"name":"apiaxle-base","description":"Shared core functionality for apiaxle.","url":null,"keywords":"apiaxle proxy api rest soap","version":"1.12.32","words":"apiaxle-base shared core functionality for apiaxle. =philjackson apiaxle proxy api rest soap","author":"=philjackson","date":"2014-07-31 "},{"name":"apiaxle-proxy","description":"The actual proxy part of ApiAxle.","url":null,"keywords":"apiaxle proxy api rest soap","version":"1.12.32","words":"apiaxle-proxy the actual proxy part of apiaxle. =philjackson apiaxle proxy api rest soap","author":"=philjackson","date":"2014-07-31 "},{"name":"apiaxle-repl","description":"ApiAxle's commandline interface.","url":null,"keywords":"apiaxle proxy api rest soap repl cli","version":"1.12.32","words":"apiaxle-repl apiaxle's commandline interface. =philjackson apiaxle proxy api rest soap repl cli","author":"=philjackson","date":"2014-07-31 "},{"name":"apibase","description":"Easily build APIs on top of Firebase","url":null,"keywords":"firebase api realtime browser","version":"0.3.6","words":"apibase easily build apis on top of firebase =abeisgreat firebase api realtime browser","author":"=abeisgreat","date":"2014-08-01 "},{"name":"apibee","description":"Make Express routes grouped by some keys.","url":null,"keywords":"Group Apis","version":"0.0.1","words":"apibee make express routes grouped by some keys. =meepo group apis","author":"=meepo","date":"2014-09-05 "},{"name":"apiblueprint-sdk","description":"Provide a javascript interface for web APIs that are described in API blueprint. ","url":null,"keywords":"api","version":"0.0.8","words":"apiblueprint-sdk provide a javascript interface for web apis that are described in api blueprint. =apiary api","author":"=apiary","date":"2013-11-11 "},{"name":"apibox","description":"Deploy declarative APIs in a few minutes","url":null,"keywords":"api rest restful declarative apibox","version":"0.0.20","words":"apibox deploy declarative apis in a few minutes =g-div api rest restful declarative apibox","author":"=g-div","date":"2014-02-21 "},{"name":"apic","description":"Build epic API Clients that work on Browser, Node and Titanium Automatically","url":null,"keywords":"api generator rest titanium api client","version":"0.0.4","words":"apic build epic api clients that work on browser, node and titanium automatically =euforic api generator rest titanium api client","author":"=euforic","date":"2012-09-29 "},{"name":"apic.js","description":"REST API JavaScript Client Generator","url":null,"keywords":"js WADL api client REST","version":"0.8.14","words":"apic.js rest api javascript client generator =temich js wadl api client rest","author":"=temich","date":"2014-09-12 "},{"name":"apicache","description":"An ultra-simplified API/JSON response caching middleware for Express/Node using plain-english durations.","url":null,"keywords":"cache API response express JSON duration middleware simple memory","version":"0.0.12","words":"apicache an ultra-simplified api/json response caching middleware for express/node using plain-english durations. =kwhitley cache api response express json duration middleware simple memory","author":"=kwhitley","date":"2014-01-27 "},{"name":"apicheck","description":"apicheck lets you test an object to have a fixed set of functions.","url":null,"keywords":"","version":"0.0.1","words":"apicheck apicheck lets you test an object to have a fixed set of functions. =nebulon","author":"=nebulon","date":"2013-11-05 "},{"name":"apick","description":"Simple CLI api library based in express","url":null,"keywords":"mock api file cli","version":"0.1.2","words":"apick simple cli api library based in express =tinchogob mock api file cli","author":"=tinchogob","date":"2014-05-23 "},{"name":"APIConnect","description":"A simplified Javascript interface for working with APIs.","url":null,"keywords":"api rest routing cross-domain ajax","version":"0.6.0","words":"apiconnect a simplified javascript interface for working with apis. =l_andrew_l api rest routing cross-domain ajax","author":"=l_andrew_l","date":"2012-03-21 "},{"name":"apidoc","description":"RESTful web API Documentation Generator","url":null,"keywords":"api apidoc doc documentation rest restful","version":"0.7.2","words":"apidoc restful web api documentation generator =apidoc api apidoc doc documentation rest restful","author":"=apidoc","date":"2014-09-12 "},{"name":"apidoc-markdown","description":"Generate API documentation in markdown format from apidoc data.","url":null,"keywords":"apidoc markdown","version":"0.1.3","words":"apidoc-markdown generate api documentation in markdown format from apidoc data. =martinj apidoc markdown","author":"=martinj","date":"2014-03-17 "},{"name":"apidox","description":"Generate node.js module API markdown with dox","url":null,"keywords":"dox gitemplate documentation generator jsdocs markdown api docs","version":"0.3.7","words":"apidox generate node.js module api markdown with dox =codeactual dox gitemplate documentation generator jsdocs markdown api docs","author":"=codeactual","date":"2014-05-02 "},{"name":"apiexpress","description":"Some utilities for implementing combined rest and realtime APIs","url":null,"keywords":"","version":"0.2.2","words":"apiexpress some utilities for implementing combined rest and realtime apis =aomitayo","author":"=aomitayo","date":"2014-08-22 "},{"name":"apiforge","description":"apiforge ========","url":null,"keywords":"","version":"0.0.0","words":"apiforge apiforge ======== =cab","author":"=cab","date":"2013-09-14 "},{"name":"apify","description":"An API documentation generator","url":null,"keywords":"api jsdoc documentation generator","version":"0.3.4","words":"apify an api documentation generator =jbalsas api jsdoc documentation generator","author":"=jbalsas","date":"2014-07-29 "},{"name":"apigee","description":"Communicate with Apigee's API.","url":null,"keywords":"apigee","version":"0.0.1","words":"apigee communicate with apigee's api. =kevinswiber apigee","author":"=kevinswiber","date":"2012-09-04 "},{"name":"apigee-127","description":"Apigee 127 Command Line Interface","url":null,"keywords":"Apigee 127 cli","version":"0.5.4","words":"apigee-127 apigee 127 command line interface =scottganyo apigee 127 cli","author":"=scottganyo","date":"2014-09-18 "},{"name":"apigee-access","description":"Provides access to Apigee-specific functionality","url":null,"keywords":"apigee","version":"1.3.0","words":"apigee-access provides access to apigee-specific functionality =gbrail apigee","author":"=gbrail","date":"2014-08-28 "},{"name":"apigee-deploy-grunt-plugin","description":"Utility to manage API Proxy lifecycle in Apigee","url":null,"keywords":"apigee deploy lifecycle API","version":"0.0.1","words":"apigee-deploy-grunt-plugin utility to manage api proxy lifecycle in apigee =dzuluaga apigee deploy lifecycle api","author":"=dzuluaga","date":"2014-09-20 "},{"name":"apigee-push","description":"Simple push notification utility using apigee","url":null,"keywords":"push","version":"0.0.0","words":"apigee-push simple push notification utility using apigee =mdobs push","author":"=mdobs","date":"2014-05-08 "},{"name":"apigee-sdk-mgmt-api","description":"A short JavaScript SDK for Apigee Management API","url":null,"keywords":"Apigee Management API SDK Grunt.js Deploy","version":"1.0.0","words":"apigee-sdk-mgmt-api a short javascript sdk for apigee management api =dzuluaga apigee management api sdk grunt.js deploy","author":"=dzuluaga","date":"2014-09-15 "},{"name":"apigee-sdk-mgmt-api.js","description":"A short JavaScript SDK for Apigee Management API","url":null,"keywords":"Apigee Management API SDK Grunt.js Deploy","version":"1.0.0","words":"apigee-sdk-mgmt-api.js a short javascript sdk for apigee management api =dzuluaga apigee management api sdk grunt.js deploy","author":"=dzuluaga","date":"2014-09-15 "},{"name":"apigee-uploader","description":"Upload data to Apigee Storage","url":null,"keywords":"apigee files data uploader","version":"0.0.2","words":"apigee-uploader upload data to apigee storage =mdobs apigee files data uploader","author":"=mdobs","date":"2013-11-27 "},{"name":"apigeetool","description":"A CLI for Apigee Edge","url":null,"keywords":"Apigee CLI","version":"0.1.6","words":"apigeetool a cli for apigee edge =gbrail =scottganyo apigee cli","author":"=gbrail =scottganyo","date":"2014-09-08 "},{"name":"apigoose","description":"Mongoose rest api helpers.","url":null,"keywords":"mongoose rest api schema database mongodb","version":"0.0.8","words":"apigoose mongoose rest api helpers. =feleir mongoose rest api schema database mongodb","author":"=feleir","date":"2014-04-16 "},{"name":"apikey","description":"api key middleware","url":null,"keywords":"api key","version":"0.0.4","words":"apikey api key middleware =aliem api key","author":"=aliem","date":"2014-07-11 "},{"name":"apily-proxy","description":"Apily — same-origin policy crasher","url":null,"keywords":"","version":"0.0.2","words":"apily-proxy apily — same-origin policy crasher =spini =onirame","author":"=spini =onirame","date":"2012-11-20 "},{"name":"apimaker","description":"uri-string to api conversion tool","url":null,"keywords":"API URI URL","version":"0.0.1-0","words":"apimaker uri-string to api conversion tool =franzenzenhofer api uri url","author":"=franzenzenhofer","date":"2011-05-05 "},{"name":"apiman","description":"Generic API methods manager","url":null,"keywords":"api express","version":"1.0.1","words":"apiman generic api methods manager =kolypto api express","author":"=kolypto","date":"2013-12-16 "},{"name":"apimaster","keywords":"","version":[],"words":"apimaster","author":"","date":"2012-12-04 "},{"name":"apimock-middleware","description":"Node.js API Mocking middleware.","url":null,"keywords":"express connect middleware mock api","version":"0.0.2","words":"apimock-middleware node.js api mocking middleware. =hokaccha express connect middleware mock api","author":"=hokaccha","date":"2014-08-31 "},{"name":"apimocker","description":"Simple HTTP server that returns mock service API responses to your front end.","url":null,"keywords":"express mock stub REST SOAP testing functional api","version":"0.3.2","words":"apimocker simple http server that returns mock service api responses to your front end. =gstroup express mock stub rest soap testing functional api","author":"=gstroup","date":"2014-08-19 "},{"name":"apimok","description":"Mock web API requests for use in front-end testing","url":null,"keywords":"","version":"0.2.2","words":"apimok mock web api requests for use in front-end testing =rco8786","author":"=rco8786","date":"2013-03-19 "},{"name":"apio","description":"Skeleton project","url":null,"keywords":"","version":"0.0.1","words":"apio skeleton project =smailq","author":"=smailq","date":"2012-09-28 "},{"name":"apipublisher","description":"Async JS API remoting","url":null,"keywords":"Javascript asynchronous remote","version":"0.9.11","words":"apipublisher async js api remoting =matatbread javascript asynchronous remote","author":"=matatbread","date":"2014-07-14 "},{"name":"apis","description":"Library for creation web and websocket restful APIs","url":null,"keywords":"api rest web websocket","version":"0.0.2","words":"apis library for creation web and websocket restful apis =dimsmol api rest web websocket","author":"=dimsmol","date":"2013-11-21 "},{"name":"apis-addresource","description":"Add resource helper for node apis lib","url":null,"keywords":"future web apis unionapi","version":"0.0.1","words":"apis-addresource add resource helper for node apis lib =velocityzen future web apis unionapi","author":"=velocityzen","date":"2013-08-13 "},{"name":"apis-buses","description":"A wrapper around the buses module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-buses a wrapper around the buses module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-20 "},{"name":"apis-car","description":"A wrapper around the car module for the apis.is platform","url":null,"keywords":"","version":"0.1.2","words":"apis-car a wrapper around the car module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-cinema","description":"APIs.is endpoint for Icelandic movie times","url":null,"keywords":"iceland entertainment endpoint cinema","version":"0.0.0","words":"apis-cinema apis.is endpoint for icelandic movie times =rthor iceland entertainment endpoint cinema","author":"=rthor","date":"2014-08-10 "},{"name":"apis-currency","description":"A wrapper for currency exchange rates for the apis.is platform","url":null,"keywords":"","version":"0.1.1","words":"apis-currency a wrapper for currency exchange rates for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-cyclecounter","description":"A wrapper around the cyclecounter module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-cyclecounter a wrapper around the cyclecounter module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-declension","description":"A wrapper around the declension module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-declension a wrapper around the declension module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-earthquake","description":"A wrapper around the earthquake module for the apis.is platform","url":null,"keywords":"","version":"0.1.1","words":"apis-earthquake a wrapper around the earthquake module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-20 "},{"name":"apis-endpoints-middleware","description":"A wrapper for apis.is endpoints","url":null,"keywords":"","version":"0.1.15","words":"apis-endpoints-middleware a wrapper for apis.is endpoints =kristjanmik","author":"=kristjanmik","date":"2014-08-20 "},{"name":"apis-expressionist","description":"Expresionist.wrapper(express).for(['Write', 'Document', 'Generate client']).of('REST APIs')","url":null,"keywords":"api express","version":"0.1.0","words":"apis-expressionist expresionist.wrapper(express).for(['write', 'document', 'generate client']).of('rest apis') =llafuente api express","author":"=llafuente","date":"2014-07-08 "},{"name":"apis-firm","description":"A wrapper around the firm module for the apis.is platform","url":null,"keywords":"","version":"0.1.2","words":"apis-firm a wrapper around the firm module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-06 "},{"name":"apis-flights","description":"A wrapper around the flights module for the apis.is platform","url":null,"keywords":"","version":"0.1.2","words":"apis-flights a wrapper around the flights module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-06 "},{"name":"apis-helpers","description":"Helper methods and utils for apis","url":null,"keywords":"apis browser helper","version":"0.0.1","words":"apis-helpers helper methods and utils for apis =arnorhs apis browser helper","author":"=arnorhs","date":"2014-01-02 "},{"name":"apis-lottery-results","description":"A wrapper around the lottery-results module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-lottery-results a wrapper around the lottery-results module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-names-lookup","description":"A wrapper around the names-lookup module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-names-lookup a wrapper around the names-lookup module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-parser","description":"A middleware to parse requests and return a proper response for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-parser a middleware to parse requests and return a proper response for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-06 "},{"name":"apis-particulates","description":"A wrapper around the particulates module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-particulates a wrapper around the particulates module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"apis-price","description":"A wrapper around the price module for the apis.is platform","url":null,"keywords":"","version":"0.1.0","words":"apis-price a wrapper around the price module for the apis.is platform =kristjanmik","author":"=kristjanmik","date":"2014-08-06 "},{"name":"apis-resource","description":"Add resource helper for node apis lib","url":null,"keywords":"future web apis unionapi","version":"0.2.0","words":"apis-resource add resource helper for node apis lib =velocityzen future web apis unionapi","author":"=velocityzen","date":"2014-04-05 "},{"name":"apis-return","description":"Return value apis helper","url":null,"keywords":"future web apis unionapi","version":"0.0.3","words":"apis-return return value apis helper =velocityzen future web apis unionapi","author":"=velocityzen","date":"2014-06-15 "},{"name":"apis-router","description":"A routing layer for apis.is","url":null,"keywords":"","version":"0.1.0","words":"apis-router a routing layer for apis.is =kristjanmik","author":"=kristjanmik","date":"2014-03-31 "},{"name":"apis-test-helpers","description":"helpers used in integration and unit tests of apis endpoints","url":null,"keywords":"test helpers apis endpoint","version":"0.0.3","words":"apis-test-helpers helpers used in integration and unit tests of apis endpoints =arnorhs test helpers apis endpoint","author":"=arnorhs","date":"2014-01-02 "},{"name":"apis.is","description":"A json wrapper around publicly open data in Iceland","url":null,"keywords":"","version":"0.3.0","words":"apis.is a json wrapper around publicly open data in iceland =kristjanmik","author":"=kristjanmik","date":"2013-12-01 "},{"name":"apis.ucsf.edu","keywords":"","version":[],"words":"apis.ucsf.edu","author":"","date":"2014-03-21 "},{"name":"apisend","description":"A library to enhance express' res.send for APIs","url":null,"keywords":"express res send","version":"0.0.4","words":"apisend a library to enhance express' res.send for apis =lulzmachine express res send","author":"=lulzmachine","date":"2014-04-04 "},{"name":"apiserver","description":"A ready to go, modular, JSON(P) API Server.","url":null,"keywords":"api server rest json jsonp","version":"0.3.1","words":"apiserver a ready to go, modular, json(p) api server. =kilianc api server rest json jsonp","author":"=kilianc","date":"2014-07-29 "},{"name":"apiserver-restful-router","description":"Restful router for apiserver","url":null,"keywords":"","version":"0.1.2","words":"apiserver-restful-router restful router for apiserver =jlogsdon","author":"=jlogsdon","date":"2013-01-02 "},{"name":"apiserver-router","description":"A fast API router with integrated caching system","url":null,"keywords":"apiserver cache router","version":"0.2.2","words":"apiserver-router a fast api router with integrated caching system =kilianc apiserver cache router","author":"=kilianc","date":"2012-10-08 "},{"name":"apish","description":"A quick binding of mongoose, restify, and socket io","url":null,"keywords":"Apish Rest Model Framework Angular","version":"0.0.0","words":"apish a quick binding of mongoose, restify, and socket io =kentgillenwater apish rest model framework angular","author":"=kentgillenwater","date":"2014-04-25 "},{"name":"apistore","description":"api store","url":null,"keywords":"api","version":"0.0.1","words":"apistore api store =mdemo api","author":"=mdemo","date":"2014-09-18 "},{"name":"apistub","description":"Mocking api's made easy.","url":null,"keywords":"","version":"0.0.1","words":"apistub mocking api's made easy. =leonpapazianis","author":"=leonpapazianis","date":"2014-07-23 "},{"name":"apitest","description":"apitest\r =======","url":null,"keywords":"","version":"0.0.3","words":"apitest apitest\r ======= =lulzmachine","author":"=lulzmachine","date":"2014-04-04 "},{"name":"apitizer","description":"quick and simple web api generator","url":null,"keywords":"apitizer api generator express json web","version":"0.0.7","words":"apitizer quick and simple web api generator =farwyler apitizer api generator express json web","author":"=farwyler","date":"2013-10-23 "},{"name":"apitree","description":"Creates a SocketStream-style API tree from a file system directory","url":null,"keywords":"","version":"1.2.0","words":"apitree creates a socketstream-style api tree from a file system directory =andreyvit","author":"=andreyvit","date":"2014-09-09 "},{"name":"apizipper","keywords":"","version":[],"words":"apizipper","author":"","date":"2014-06-16 "},{"name":"apk-parser","description":"Extract Android Manifest info from an APK file.","url":null,"keywords":"android apk","version":"0.1.0","words":"apk-parser extract android manifest info from an apk file. =rubenv android apk","author":"=rubenv","date":"2013-08-03 "},{"name":"apk-parser2","description":"Extract Android Manifest info from an APK file.","url":null,"keywords":"android apk","version":"0.1.1","words":"apk-parser2 extract android manifest info from an apk file. =gergelyke android apk","author":"=gergelyke","date":"2014-06-14 "},{"name":"apk-updater","description":"Express module for apk auto-updater","url":null,"keywords":"node android apk","version":"0.1.1","words":"apk-updater express module for apk auto-updater =gbourel node android apk","author":"=gbourel","date":"2014-03-05 "},{"name":"apl","description":"
   _   _  ____ _   _          _  | \\ | |/ ___| \\ | |        | |  |  \\| | |  _|  \\| |      __| |__  | |\\  | |_| | |\\  |     / _   _ \\  |_| \\_|\\____|_| \\_|    / / | | \\ \\     _    ____  _        | | | | | |    / \\  |  _ \\| |       \\ \\_| |_/ /   / _ \\ | |_) | |        \\__   __/  / ___ \\|  __/| |___    ____| |____ /_/   \\_\\_|   |_____|  |___________| 
","url":null,"keywords":"apl javascript language coffeescript","version":"0.1.15","words":"apl
   _   _  ____ _   _          _  | \\ | |/ ___| \\ | |        | |  |  \\| | |  _|  \\| |      __| |__  | |\\  | |_| | |\\  |     / _   _ \\  |_| \\_|\\____|_| \\_|    / / | | \\ \\     _    ____  _        | | | | | |    / \\  |  _ \\| |       \\ \\_| |_/ /   / _ \\ | |_) | |        \\__   __/  / ___ \\|  __/| |___    ____| |____ /_/   \\_\\_|   |_____|  |___________| 
=ngn apl javascript language coffeescript","author":"=ngn","date":"2013-12-02 "},{"name":"apln","description":"CLI tool for Appland. A UI development framework.","url":null,"keywords":"scaffold UI front-end Appland build test cli stack mock compile requirejs AMD","version":"0.2.1","words":"apln cli tool for appland. a ui development framework. =jabdul scaffold ui front-end appland build test cli stack mock compile requirejs amd","author":"=jabdul","date":"2014-03-16 "},{"name":"aplus","description":"A native, barebones Promises/A+ implementation.","url":null,"keywords":"","version":"0.1.0","words":"aplus a native, barebones promises/a+ implementation. =schoonology","author":"=schoonology","date":"2013-05-20 "},{"name":"aplusacl","description":"AplusACL: the \"A\" is for \"assertions\". This means that instead of storing a record for every combination of role, resource and permission, we apply assertions that look to data already available.","url":null,"keywords":"","version":"0.1.1","words":"aplusacl aplusacl: the \"a\" is for \"assertions\". this means that instead of storing a record for every combination of role, resource and permission, we apply assertions that look to data already available. =talentedmrjones","author":"=talentedmrjones","date":"2014-04-16 "},{"name":"aplusbbydreamfox","description":"test npm publish","url":null,"keywords":"","version":"0.0.3","words":"aplusbbydreamfox test npm publish =dreamfox","author":"=dreamfox","date":"2013-06-07 "},{"name":"apm","description":"actions per minute for all the things","url":null,"keywords":"","version":"0.0.1","words":"apm actions per minute for all the things =jasondreyzehner","author":"=jasondreyzehner","date":"2014-09-03 "},{"name":"apn","description":"An interface to the Apple Push Notification service for Node.js","url":null,"keywords":"apple push push notifications iOS apns notifications","version":"1.6.2","words":"apn an interface to the apple push notification service for node.js =argon apple push push notifications ios apns notifications","author":"=argon","date":"2014-09-10 "},{"name":"apn-proxy","keywords":"","version":[],"words":"apn-proxy","author":"","date":"2014-04-11 "},{"name":"apnagent","description":"Node adapter for Apple Push Notification (APN) service.","url":null,"keywords":"apn apple push notifications ios iphone ipad","version":"1.1.1","words":"apnagent node adapter for apple push notification (apn) service. =jakeluer apn apple push notifications ios iphone ipad","author":"=jakeluer","date":"2014-03-24 "},{"name":"apns","description":"APNS (Apple Push Notification Service) interface written in node.js","url":null,"keywords":"apple push notification iOS apns","version":"0.1.0","words":"apns apns (apple push notification service) interface written in node.js =neoziro apple push notification ios apns","author":"=neoziro","date":"2012-06-12 "},{"name":"apns_test","description":"Testing Apple Push Notification service with node.js","url":null,"keywords":"apple push push notifications iOS apns test test notifications","version":"1.0.4","words":"apns_test testing apple push notification service with node.js =saturngod apple push push notifications ios apns test test notifications","author":"=saturngod","date":"2013-06-20 "},{"name":"apoc","description":"Making Cypher queries easier","url":null,"keywords":"neo4j graph database cypher database","version":"0.0.1","words":"apoc making cypher queries easier =hacksparrow neo4j graph database cypher database","author":"=hacksparrow","date":"2014-09-20 "},{"name":"apocalism-js","description":"Automate your illustrated short story build process","url":null,"keywords":"markdown pdf book","version":"0.3.14","words":"apocalism-js automate your illustrated short story build process =andrey-p markdown pdf book","author":"=andrey-p","date":"2014-06-05 "},{"name":"apogee","description":"Build powerful, versioned APIs with Connect","url":null,"keywords":"","version":"1.0.1","words":"apogee build powerful, versioned apis with connect =nicholaswyoung","author":"=nicholaswyoung","date":"2014-06-18 "},{"name":"apollo","description":"Actor systems for Javascript","url":null,"keywords":"","version":"0.2.2","words":"apollo actor systems for javascript =jakeluer","author":"=jakeluer","date":"2013-02-11 "},{"name":"apollo-nico","description":"对 nico 及 apollo-theme 的封装,方便跨平台使用","url":null,"keywords":"nico apollo-theme","version":"0.0.6","words":"apollo-nico 对 nico 及 apollo-theme 的封装,方便跨平台使用 =sunny.zhouy =jtyjty99999 =arron_yangjie nico apollo-theme","author":"=sunny.zhouy =jtyjty99999 =arron_yangjie","date":"2014-04-17 "},{"name":"apollo-site","description":"Apollo站点构建","url":null,"keywords":"apollo apollo-site","version":"1.0.3","words":"apollo-site apollo站点构建 =sunny.zhouy =jtyjty99999 =arron_yangjie apollo apollo-site","author":"=sunny.zhouy =jtyjty99999 =arron_yangjie","date":"2014-04-18 "},{"name":"apollojs","description":"A framework to extend global objects with advance features.","url":null,"keywords":"","version":"1.3.0","words":"apollojs a framework to extend global objects with advance features. =ashi009","author":"=ashi009","date":"2014-05-15 "},{"name":"apology-middleware","description":"middleware for custom error pages","url":null,"keywords":"","version":"0.0.4","words":"apology-middleware middleware for custom error pages =kylemac","author":"=kylemac","date":"2014-05-13 "},{"name":"apool","description":"generic pool","url":null,"keywords":"","version":"0.1.2","words":"apool generic pool =yields","author":"=yields","date":"2014-01-02 "},{"name":"apostle","description":"Node.js API client for Apostle.io","url":null,"keywords":"","version":"0.1.1","words":"apostle node.js api client for apostle.io =diy =snikch","author":"=diy =snikch","date":"2014-03-12 "},{"name":"apostle.io","description":"JavaScript and node.js bindings for Apostle.io","url":null,"keywords":"","version":"1.0.0","words":"apostle.io javascript and node.js bindings for apostle.io =snikch","author":"=snikch","date":"2014-03-30 "},{"name":"apostrophe","description":"Apostrophe is a user-friendly content management system. This core module of Apostrophe provides rich content editing and essential facilities to integrate Apostrophe into your Express project. Apostrophe also includes simple facilities for storing your r","url":null,"keywords":"apostrophe rich text rich media rich content rich text editor rte content management system cms mongodb express nunjucks wysiwyg editor jot","version":"0.5.197","words":"apostrophe apostrophe is a user-friendly content management system. this core module of apostrophe provides rich content editing and essential facilities to integrate apostrophe into your express project. apostrophe also includes simple facilities for storing your r =boutell =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =kylestetz =benirose =mcoppola =livhaas apostrophe rich text rich media rich content rich text editor rte content management system cms mongodb express nunjucks wysiwyg editor jot","author":"=boutell =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =kylestetz =benirose =mcoppola =livhaas","date":"2014-09-19 "},{"name":"apostrophe-blocks","description":"Allows a column of content to be broken up into blocks with independent templates, allowing for sub-columns to alternate with a full width column for instance. Blocks can be added and removed freely.","url":null,"keywords":"sections apostrophe cms punkave","version":"0.5.50","words":"apostrophe-blocks allows a column of content to be broken up into blocks with independent templates, allowing for sub-columns to alternate with a full width column for instance. blocks can be added and removed freely. =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola sections apostrophe cms punkave","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-08 "},{"name":"apostrophe-blog","description":"Blogging for the Apostrophe content management system","url":null,"keywords":"blog apostrophe cms blogging punkave","version":"0.5.14","words":"apostrophe-blog blogging for the apostrophe content management system =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf blog apostrophe cms blogging punkave","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-07-11 "},{"name":"apostrophe-blog-2","description":"A next-generation blog for A2. Blogs and blog posts are ordinary pages with a few fancy features, so that blog posts have a natural and obvious permanent URL on the site but aggreation and blog-style browsing are still possible.","url":null,"keywords":"blog a2 apostrophe cms","version":"0.5.5","words":"apostrophe-blog-2 a next-generation blog for a2. blogs and blog posts are ordinary pages with a few fancy features, so that blog posts have a natural and obvious permanent url on the site but aggreation and blog-style browsing are still possible. =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola blog a2 apostrophe cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-09-19 "},{"name":"apostrophe-button","description":"Ultra simple \"button\" component for Apostrophe2. Can be used as an area widget or singleton. Basically a style-able link.","url":null,"keywords":"button apostrophe cms","version":"0.1.0","words":"apostrophe-button ultra simple \"button\" component for apostrophe2. can be used as an area widget or singleton. basically a style-able link. =colpanik =livhaas =boutell button apostrophe cms","author":"=colpanik =livhaas =boutell","date":"2014-06-27 "},{"name":"apostrophe-cas","description":"CAS authentication client and server for the Apostrophe CMS","url":null,"keywords":"cas authentication apostrophe cms","version":"0.5.4","words":"apostrophe-cas cas authentication client and server for the apostrophe cms =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola cas authentication apostrophe cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-07-03 "},{"name":"apostrophe-donate","description":"Donate module for Apostrophe CMS","url":null,"keywords":"apostrophe cms content management donate paypal mongodb","version":"0.5.1","words":"apostrophe-donate donate module for apostrophe cms =livhaas apostrophe cms content management donate paypal mongodb","author":"=livhaas","date":"2014-08-15 "},{"name":"apostrophe-editor-2","description":"A new content area editor for Apostrophe. Integrates ckeditor and allows the option of using other rich text editors. Alternative content area editors can also be created following the same interface.","url":null,"keywords":"apostrophe editor rich text rich content cms","version":"0.5.35","words":"apostrophe-editor-2 a new content area editor for apostrophe. integrates ckeditor and allows the option of using other rich text editors. alternative content area editors can also be created following the same interface. =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe editor rich text rich content cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-09-15 "},{"name":"apostrophe-events","description":"Calendar of events for the Apostrophe content management system","url":null,"keywords":"calendar events event apostrophe cms punkave","version":"0.5.17","words":"apostrophe-events calendar of events for the apostrophe content management system =boutell =colpanik =kylestetz =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf calendar events event apostrophe cms punkave","author":"=boutell =colpanik =kylestetz =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf","date":"2014-07-11 "},{"name":"apostrophe-facebook","description":"Adds a Facebook Page RSS widget to the Apostrophe content management system","url":null,"keywords":"apostrophe Facebook Facebook Pages RSS widget","version":"0.5.13","words":"apostrophe-facebook adds a facebook page rss widget to the apostrophe content management system =jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe facebook facebook pages rss widget","author":"=jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-28 "},{"name":"apostrophe-fancy-page","description":"A superclass for modules that enhance \"regular pages\" in the Apostrophe CMS with custom page settings, loader functions, dispatcher, etc.","url":null,"keywords":"apostrophe cms pages","version":"0.5.16","words":"apostrophe-fancy-page a superclass for modules that enhance \"regular pages\" in the apostrophe cms with custom page settings, loader functions, dispatcher, etc. =boutell =livhaas =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =mcoppola apostrophe cms pages","author":"=boutell =livhaas =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =mcoppola","date":"2014-09-16 "},{"name":"apostrophe-flickr","description":"Adds a Flickr set widget to the Apostrophe content management system","url":null,"keywords":"apostrophe flickr widget","version":"0.5.8","words":"apostrophe-flickr adds a flickr set widget to the apostrophe content management system =jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe flickr widget","author":"=jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-13 "},{"name":"apostrophe-flickr-sets","keywords":"","version":[],"words":"apostrophe-flickr-sets","author":"","date":"2014-05-06 "},{"name":"apostrophe-google-spreadsheet","description":"Link your apostrophe project with a spreadsheet in google drive. Sync the data as JSON and store it in its own mongo collection. Takes simple, apostrophe-site configuration in app js. Exposes a command line task and apostrophe UI for initiating a sync.","url":null,"keywords":"google spreadsheets","version":"0.0.1","words":"apostrophe-google-spreadsheet link your apostrophe project with a spreadsheet in google drive. sync the data as json and store it in its own mongo collection. takes simple, apostrophe-site configuration in app js. exposes a command line task and apostrophe ui for initiating a sync. =colpanik google spreadsheets","author":"=colpanik","date":"2014-09-12 "},{"name":"apostrophe-groups","description":"Groups for apostrophe-people, a component of the Apostrophe content management system","url":null,"keywords":"blog apostrophe cms people groups users punkave","version":"0.5.21","words":"apostrophe-groups groups for apostrophe-people, a component of the apostrophe content management system =boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf blog apostrophe cms people groups users punkave","author":"=boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf","date":"2014-08-26 "},{"name":"apostrophe-i18n","keywords":"","version":[],"words":"apostrophe-i18n","author":"","date":"2014-01-25 "},{"name":"apostrophe-instagram","description":"Adds an Instagram widget to the Apostrophe content management system","url":null,"keywords":"apostrophe Instagram widget","version":"0.5.5","words":"apostrophe-instagram adds an instagram widget to the apostrophe content management system =jsumnersmith apostrophe instagram widget","author":"=jsumnersmith","date":"2014-09-11 "},{"name":"apostrophe-map","description":"Custom Google map generator for the Apostrophe content management system","url":null,"keywords":"map apostrophe cms mapping punkave","version":"0.5.17","words":"apostrophe-map custom google map generator for the apostrophe content management system =boutell =colpanik =jsumnersmith =alexgilbert =mattmcmanus =gsf =stuartromanek =kylestetz =benirose =livhaas =mcoppola map apostrophe cms mapping punkave","author":"=boutell =colpanik =jsumnersmith =alexgilbert =mattmcmanus =gsf =stuartromanek =kylestetz =benirose =livhaas =mcoppola","date":"2014-07-31 "},{"name":"apostrophe-markdown","description":"A widget for markdown as an alternative to rich text editing in the Apostrophe CMS.","url":null,"keywords":"apostrophe cms punkave markdown","version":"0.5.0","words":"apostrophe-markdown a widget for markdown as an alternative to rich text editing in the apostrophe cms. =boutell apostrophe cms punkave markdown","author":"=boutell","date":"2014-02-02 "},{"name":"apostrophe-moderator","description":"This component creates a public-facing interface that allows users to submit instances of existing apostrophe classes to the site's database.","url":null,"keywords":"apostrophe cms punkave","version":"0.5.7","words":"apostrophe-moderator this component creates a public-facing interface that allows users to submit instances of existing apostrophe classes to the site's database. =colpanik =benirose =kylestetz =boutell =jsumnersmith =alexgilbert =gsf =stuartromanek apostrophe cms punkave","author":"=colpanik =benirose =kylestetz =boutell =jsumnersmith =alexgilbert =gsf =stuartromanek","date":"2014-09-08 "},{"name":"apostrophe-pages","description":"Adds trees of pages to the Apostrophe content management system","url":null,"keywords":"apostrophe pages cms content management content management system","version":"0.5.63","words":"apostrophe-pages adds trees of pages to the apostrophe content management system =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf apostrophe pages cms content management content management system","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-09-19 "},{"name":"apostrophe-people","description":"Staff directories, user accounts and personal profiles for the Apostrophe content management system","url":null,"keywords":"blog apostrophe cms people users login punkave","version":"0.5.14","words":"apostrophe-people staff directories, user accounts and personal profiles for the apostrophe content management system =boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =gsf =mcoppola blog apostrophe cms people users login punkave","author":"=boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =gsf =mcoppola","date":"2014-09-03 "},{"name":"apostrophe-preferences","description":"A site-wide preferences menu with a custom schema.","url":null,"keywords":"apostrophe global preferences","version":"0.5.1","words":"apostrophe-preferences a site-wide preferences menu with a custom schema. =kylestetz apostrophe global preferences","author":"=kylestetz","date":"2014-09-12 "},{"name":"apostrophe-proxy-auth","description":"Log into Apostrophe via weblogin, cosign, shibboleth, basic auth, etc. with an Apache reverse proxy server","url":null,"keywords":"authentication apostrophe cms cosign shibboleth weblogin basic auth","version":"0.5.5","words":"apostrophe-proxy-auth log into apostrophe via weblogin, cosign, shibboleth, basic auth, etc. with an apache reverse proxy server =boutell authentication apostrophe cms cosign shibboleth weblogin basic auth","author":"=boutell","date":"2014-08-07 "},{"name":"apostrophe-raphael","description":"Apostrophe's solution for simple vector maps. Subclasses apostrophe-snippets. Uses raphael.js.","url":null,"keywords":"cms apostrophe punkave maps vectors raphael","version":"0.5.3","words":"apostrophe-raphael apostrophe's solution for simple vector maps. subclasses apostrophe-snippets. uses raphael.js. =colpanik cms apostrophe punkave maps vectors raphael","author":"=colpanik","date":"2014-04-30 "},{"name":"apostrophe-redirects","description":"Allows admins to create redirects within an Apostrophe site","url":null,"keywords":"apostrophe redirects cms","version":"0.5.5","words":"apostrophe-redirects allows admins to create redirects within an apostrophe site =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe redirects cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-18 "},{"name":"apostrophe-rss","description":"Adds an RSS feed widget to the Apostrophe content management system","url":null,"keywords":"apostrophe jot rich text rich content rss","version":"0.5.13","words":"apostrophe-rss adds an rss feed widget to the apostrophe content management system =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf apostrophe jot rich text rich content rss","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-09-17 "},{"name":"apostrophe-rtl","keywords":"","version":[],"words":"apostrophe-rtl","author":"","date":"2014-01-24 "},{"name":"apostrophe-schema-widgets","description":"An easy form widget builder for the Apostrophe content management system","url":null,"keywords":"apostrophe forms","version":"0.5.14","words":"apostrophe-schema-widgets an easy form widget builder for the apostrophe content management system =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe forms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-09-03 "},{"name":"apostrophe-schemas","description":"Schemas for easy editing of properties in Apostrophe objects","url":null,"keywords":"apostrophe cms content management schemas mongodb","version":"0.5.51","words":"apostrophe-schemas schemas for easy editing of properties in apostrophe objects =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =livhaas =mcoppola =stuartromanek apostrophe cms content management schemas mongodb","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =livhaas =mcoppola =stuartromanek","date":"2014-09-18 "},{"name":"apostrophe-search","description":"Implements sitewide search for Apostrophe sites","url":null,"keywords":"search apostrophe cms","version":"0.5.3","words":"apostrophe-search implements sitewide search for apostrophe sites =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola search apostrophe cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-11 "},{"name":"apostrophe-sections","description":"Allows pages to contain multiple titled sections accessible via internal tabs, and permits users to add and remove sections freely.","url":null,"keywords":"sections apostrophe cms punkave","version":"0.5.4","words":"apostrophe-sections allows pages to contain multiple titled sections accessible via internal tabs, and permits users to add and remove sections freely. =boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf sections apostrophe cms punkave","author":"=boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =stuartromanek =benirose =livhaas =mcoppola =gsf","date":"2014-07-01 "},{"name":"apostrophe-site","description":"Create sites powered by the Apostrophe 2 CMS with a minimum of boilerplate code","url":null,"keywords":"apostrophe cms","version":"0.5.27","words":"apostrophe-site create sites powered by the apostrophe 2 cms with a minimum of boilerplate code =boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =benirose =livhaas =mcoppola apostrophe cms","author":"=boutell =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =benirose =livhaas =mcoppola","date":"2014-09-15 "},{"name":"apostrophe-snippets","description":"Reusable content snippets for the Apostrophe content management system. The blog and events modules are built on this foundation, which is also useful in and of itself.","url":null,"keywords":"snippets reuse content reuse content strategy apostrophe cms punkave","version":"0.5.19","words":"apostrophe-snippets reusable content snippets for the apostrophe content management system. the blog and events modules are built on this foundation, which is also useful in and of itself. =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf snippets reuse content reuse content strategy apostrophe cms punkave","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-09-10 "},{"name":"apostrophe-soundcloud","description":"It's soundcloud for apostrophe.","url":null,"keywords":"soundcloud cms apostrophe","version":"0.0.42","words":"apostrophe-soundcloud it's soundcloud for apostrophe. =colpanik =mcoppola soundcloud cms apostrophe","author":"=colpanik =mcoppola","date":"2014-05-09 "},{"name":"apostrophe-tumblr","description":"Adds a Tumblr RSS widget to the Apostrophe content management system","url":null,"keywords":"apostrophe tumblr RSS widget","version":"0.5.9","words":"apostrophe-tumblr adds a tumblr rss widget to the apostrophe content management system =jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe tumblr rss widget","author":"=jsumnersmith =benirose =kylestetz =boutell =colpanik =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-14 "},{"name":"apostrophe-twitter","description":"Adds a Twitter feed widget to Apostrophe's rich content editor","url":null,"keywords":"apostrophe jot rich text rich content twitter","version":"0.5.21","words":"apostrophe-twitter adds a twitter feed widget to apostrophe's rich content editor =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf apostrophe jot rich text rich content twitter","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-09-18 "},{"name":"apostrophe-ui-2","description":"Styles required for the new editor and other pre-release improvements to A2's interface. Eventually this will merge into the apostrophe module.","url":null,"keywords":"apostrophe cms","version":"0.5.41","words":"apostrophe-ui-2 styles required for the new editor and other pre-release improvements to a2's interface. eventually this will merge into the apostrophe module. =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola apostrophe cms","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-09-11 "},{"name":"apostrophe-websockets","description":"Enables socket.io in Apostrophe projects.","url":null,"keywords":"socketio apostrophe websockets realtime","version":"0.5.5","words":"apostrophe-websockets enables socket.io in apostrophe projects. =kylestetz socketio apostrophe websockets realtime","author":"=kylestetz","date":"2014-08-02 "},{"name":"apostrophe-workflow","description":"Provides optional approval workflow for the Apostrophe CMS. For most projects this is overkill.","url":null,"keywords":"workflow cms content management system apostrophe","version":"0.5.9","words":"apostrophe-workflow provides optional approval workflow for the apostrophe cms. for most projects this is overkill. =boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola workflow cms content management system apostrophe","author":"=boutell =benirose =kylestetz =colpanik =jsumnersmith =alexgilbert =gsf =stuartromanek =livhaas =mcoppola","date":"2014-08-19 "},{"name":"apoxusbcan","description":"Apox Controls USB-CAN module driver","url":null,"keywords":"","version":"0.0.8","words":"apoxusbcan apox controls usb-can module driver =legege","author":"=legege","date":"2014-01-19 "},{"name":"app","description":"mirco web app framework","url":null,"keywords":"micro web app","version":"0.1.0","words":"app mirco web app framework =rolandpoulter micro web app","author":"=rolandpoulter","date":"2011-11-20 "},{"name":"app-annie-api","description":"App Annie API for Node.js","url":null,"keywords":"analytics","version":"0.0.3","words":"app-annie-api app annie api for node.js =tommy351 analytics","author":"=tommy351","date":"2014-08-05 "},{"name":"app-as-dream","description":"Starter kit for WebApp development.","url":null,"keywords":"minify uglify build server workflow grunt webapp watch concat js css html archive version","version":"0.1.0","words":"app-as-dream starter kit for webapp development. =bdream minify uglify build server workflow grunt webapp watch concat js css html archive version","author":"=bdream","date":"2014-06-10 "},{"name":"app-bp","description":"Boilerplate code for modern application based on mongodb,node,angular,h5bp and twitter bootstrap","url":null,"keywords":"angular h5bp mvc mongodb bootstrap boilerplate","version":"0.0.12","words":"app-bp boilerplate code for modern application based on mongodb,node,angular,h5bp and twitter bootstrap =parroit angular h5bp mvc mongodb bootstrap boilerplate","author":"=parroit","date":"2013-02-19 "},{"name":"app-client","description":"","url":null,"keywords":"","version":"0.1.0","words":"app-client =rolandpoulter","author":"=rolandpoulter","date":"2011-11-24 "},{"name":"app-cloner-heroku","description":"A node module for deploying app.json apps to Heroku. Designed to work on the server, the browser, and the command line.","url":null,"keywords":"app.json heroku deploy","version":"0.1.1","words":"app-cloner-heroku a node module for deploying app.json apps to heroku. designed to work on the server, the browser, and the command line. =zeke app.json heroku deploy","author":"=zeke","date":"2014-05-31 "},{"name":"app-compositor","description":"A dependency-based code runner for Application Composition Layers.","url":null,"keywords":"composition application promise constructor initialization init","version":"0.2.0","words":"app-compositor a dependency-based code runner for application composition layers. =rkaw92 composition application promise constructor initialization init","author":"=rkaw92","date":"2014-09-15 "},{"name":"app-conf","url":null,"keywords":"","version":"0.2.1","words":"app-conf =julien-f","author":"=julien-f","date":"2014-09-03 "},{"name":"app-config","description":"Simple utility for Node.js to load configuration files depending on your environment","url":null,"keywords":"app config environment","version":"0.1.4","words":"app-config simple utility for node.js to load configuration files depending on your environment =lobodpav app config environment","author":"=lobodpav","date":"2014-02-10 "},{"name":"app-cwd","description":"Enforces a nodejs script to run with the entry points path as the cwd","url":null,"keywords":"cwd path root thot thotjs","version":"0.1.0","words":"app-cwd enforces a nodejs script to run with the entry points path as the cwd =thotjs cwd path root thot thotjs","author":"=thotjs","date":"2014-04-14 "},{"name":"app-env","description":"SDK module that provides an easy-to-use interface to access environment specific info and commands for Node.js apps hosted on node-app.com","url":null,"keywords":"node app host hosting env environment infrastructure site website node-app application","version":"0.0.2","words":"app-env sdk module that provides an easy-to-use interface to access environment specific info and commands for node.js apps hosted on node-app.com =schwarzkopfb node app host hosting env environment infrastructure site website node-app application","author":"=schwarzkopfb","date":"2014-09-10 "},{"name":"app-info","description":"hapi plugin for getting app info","url":null,"keywords":"hapi package app","version":"0.0.1","words":"app-info hapi plugin for getting app info =avb hapi package app","author":"=avb","date":"2014-08-29 "},{"name":"app-js-util","description":"A modular app-js node.js parsing utility","url":null,"keywords":"app app-js grunt grunt-nautilus modular","version":"0.2.12","words":"app-js-util a modular app-js node.js parsing utility =kitajchuk app app-js grunt grunt-nautilus modular","author":"=kitajchuk","date":"2013-12-09 "},{"name":"app-json-fetcher","description":"A CORS-friendly webservice for fetching app.json file content from GitHub and Bitbucket repos","url":null,"keywords":"app.json github bitbucket","version":"2.1.0","words":"app-json-fetcher a cors-friendly webservice for fetching app.json file content from github and bitbucket repos =zeke app.json github bitbucket","author":"=zeke","date":"2014-07-15 "},{"name":"app-listen","description":"app.listen sugar for express","url":null,"keywords":"","version":"0.0.1","words":"app-listen app.listen sugar for express =hkkoren","author":"=hkkoren","date":"2014-06-10 "},{"name":"app-logger","description":"app-logger","url":null,"keywords":"app-logger logger bunyan app","version":"0.2.1","words":"app-logger app-logger =villadora app-logger logger bunyan app","author":"=villadora","date":"2014-08-27 "},{"name":"app-manifest","keywords":"","version":[],"words":"app-manifest","author":"","date":"2014-04-16 "},{"name":"app-module-path","description":"Simple module to add additional directories to the Node module search for top-level app modules","url":null,"keywords":"modules path node extend resolve","version":"0.3.2-beta","words":"app-module-path simple module to add additional directories to the node module search for top-level app modules =pnidem modules path node extend resolve","author":"=pnidem","date":"2014-07-19 "},{"name":"app-name","description":"Strip certain words from an app name to derive the \"actual\" name. Good for generating grunt and gulp plugins, handlebars helpers, tags, filters, yeoman generators etc. so the names can be used in templates. For example, the \"actual\" name of `generator-foo","url":null,"keywords":"name app strip rename markdown templates verb","version":"0.1.4","words":"app-name strip certain words from an app name to derive the \"actual\" name. good for generating grunt and gulp plugins, handlebars helpers, tags, filters, yeoman generators etc. so the names can be used in templates. for example, the \"actual\" name of `generator-foo =jonschlinkert name app strip rename markdown templates verb","author":"=jonschlinkert","date":"2014-06-02 "},{"name":"app-path","keywords":"","version":[],"words":"app-path","author":"","date":"2014-05-05 "},{"name":"app-profiler-heroku","description":"Fetch addons and env data from a running Heroku app for use in creating or updating its app.json file","url":null,"keywords":"app.json heroku env addons","version":"0.1.0","words":"app-profiler-heroku fetch addons and env data from a running heroku app for use in creating or updating its app.json file =zeke app.json heroku env addons","author":"=zeke","date":"2014-05-30 "},{"name":"app-require","description":"Customized require","url":null,"keywords":"require","version":"0.1.1","words":"app-require customized require =vanng822 require","author":"=vanng822","date":"2014-03-04 "},{"name":"app-root","description":"Find the entry-point/root file of any CommonJS or AMD JavaScript application","url":null,"keywords":"amd commonjs application root entry point","version":"1.4.1","words":"app-root find the entry-point/root file of any commonjs or amd javascript application =mrjoelkemp amd commonjs application root entry point","author":"=mrjoelkemp","date":"2014-06-08 "},{"name":"app-root-dir","description":"Simple module to infer the root directory of the currently running node application","url":null,"keywords":"modules path node app root directory","version":"1.0.0","words":"app-root-dir simple module to infer the root directory of the currently running node application =philidem modules path node app root directory","author":"=philidem","date":"2014-06-17 "},{"name":"app-root-path","description":"Determine an app's root path from anywhere inside the app","url":null,"keywords":"root path","version":"0.1.0","words":"app-root-path determine an app's root path from anywhere inside the app =inxilpro root path","author":"=inxilpro","date":"2014-08-25 "},{"name":"app-router","description":"Routing for expressjs","url":null,"keywords":"express router application router app-router yaml-router yml-router yaml routing express connect router routing json router json-router","version":"0.1.1","words":"app-router routing for expressjs =pradeepmishra express router application router app-router yaml-router yml-router yaml routing express connect router routing json router json-router","author":"=pradeepmishra","date":"2014-02-10 "},{"name":"app-routes","description":"Convention based routes with before action/filter for express.js","url":null,"keywords":"routing controllers action filters make it like rails","version":"0.1.0","words":"app-routes convention based routes with before action/filter for express.js =rschooley routing controllers action filters make it like rails","author":"=rschooley","date":"2013-11-02 "},{"name":"app-seed","description":"app-seed is an application skeleton for web apps. It uses AngularJS for front-end and Node.js (hapi framework) for back-end. It is suitable for Single Page Application (SPA) and provides user authentication with Google OAuth 2.0","url":null,"keywords":"web app seed spa angularjs hapi google oauth2","version":"0.3.4","words":"app-seed app-seed is an application skeleton for web apps. it uses angularjs for front-end and node.js (hapi framework) for back-end. it is suitable for single page application (spa) and provides user authentication with google oauth 2.0 =cmfatih web app seed spa angularjs hapi google oauth2","author":"=cmfatih","date":"2014-07-04 "},{"name":"app-start-bdream","keywords":"","version":[],"words":"app-start-bdream","author":"","date":"2014-04-26 "},{"name":"app-store-reviews","description":"Download user reviews from the iTunes Store and the Mac App Store.","url":null,"keywords":"apple Mac App Store iTunes Store review","version":"0.0.3","words":"app-store-reviews download user reviews from the itunes store and the mac app store. =jcoynel apple mac app store itunes store review","author":"=jcoynel","date":"2014-02-06 "},{"name":"app-template","description":"template application","url":null,"keywords":"","version":"0.1.0","words":"app-template template application =rolandpoulter","author":"=rolandpoulter","date":"2011-11-20 "},{"name":"app.css","description":"## Updating node package","url":null,"keywords":"","version":"0.1.2","words":"app.css ## updating node package =ajkochanowicz","author":"=ajkochanowicz","date":"2014-08-28 "},{"name":"app.js","description":"Packages Node modules as browser apps.","url":null,"keywords":"compressor","version":"0.0.21","words":"app.js packages node modules as browser apps. =joehewitt compressor","author":"=joehewitt","date":"2014-05-15 "},{"name":"app.json","description":"Create, validate, and render Heroku app.json manifests","url":null,"keywords":"app.json","version":"1.2.1","words":"app.json create, validate, and render heroku app.json manifests =zeke =raulb app.json","author":"=zeke =raulb","date":"2014-09-11 "},{"name":"app_configurer","description":"Nodejs applications template and environment variables merge tool","url":null,"keywords":"Nodejs app configure environment env","version":"0.1.0","words":"app_configurer nodejs applications template and environment variables merge tool =filiphaftek nodejs app configure environment env","author":"=filiphaftek","date":"2014-05-29 "},{"name":"app_settings","description":"Manage an app_settings property on a couchdb design document.","url":null,"keywords":"couchdb garden couchapp","version":"0.0.0","words":"app_settings manage an app_settings property on a couchdb design document. =eckoit couchdb garden couchapp","author":"=eckoit","date":"2013-07-12 "},{"name":"appacitive","description":"Allows you to integrate applications built using javascript with the Appacitive platform. ","url":null,"keywords":"Appacitive BAAS cloud api","version":"0.9.7","words":"appacitive allows you to integrate applications built using javascript with the appacitive platform. =chiragsanghvi appacitive baas cloud api","author":"=chiragsanghvi","date":"2014-07-17 "},{"name":"appagent","description":"Send requests to local HTTP servers (http.Server, express, connect or a function) with superagent","url":null,"keywords":"superagent","version":"0.1.0","words":"appagent send requests to local http servers (http.server, express, connect or a function) with superagent =nadav superagent","author":"=nadav","date":"2013-09-24 "},{"name":"apparat","description":"apparat is a simple but powerful way to organize async code for nodejs","url":null,"keywords":"","version":"0.2.0","words":"apparat apparat is a simple but powerful way to organize async code for nodejs =snd","author":"=snd","date":"2012-12-04 "},{"name":"apparatus","description":"various machine learning routines for node","url":null,"keywords":"machine learning ml classifier clustering bayes k-means logistic regression","version":"0.0.8","words":"apparatus various machine learning routines for node =chrisumbel =kkoch986 machine learning ml classifier clustering bayes k-means logistic regression","author":"=chrisumbel =kkoch986","date":"2014-03-24 "},{"name":"apparition","description":"A collection of test helpers.","url":null,"keywords":"","version":"0.1.1","words":"apparition a collection of test helpers. =jagoda","author":"=jagoda","date":"2014-09-16 "},{"name":"appboard","description":"RESTful HTTP API for pushing your data to appboard.me dashboard for node.js","url":null,"keywords":"dashboard client charting chart charts infographic metrics analytics notification alert api","version":"0.0.4","words":"appboard restful http api for pushing your data to appboard.me dashboard for node.js =appboard dashboard client charting chart charts infographic metrics analytics notification alert api","author":"=appboard","date":"2012-02-06 "},{"name":"appborg","description":"appborg helps you build hybrid apps: native + webkit* + subprocess*","url":null,"keywords":"","version":"0.0.17","words":"appborg appborg helps you build hybrid apps: native + webkit* + subprocess* =andrewschaaf","author":"=andrewschaaf","date":"2011-11-26 "},{"name":"appbot-compiler","description":"AppBot compiler for CommonJS Apps and Components","url":null,"keywords":"nodejs commonjs","version":"0.0.19","words":"appbot-compiler appbot compiler for commonjs apps and components =rodriguezartav nodejs commonjs","author":"=rodriguezartav","date":"2013-10-11 "},{"name":"appbuilder","description":"command line interface to Telerik AppBuilder","url":null,"keywords":"cordova appbuilder telerik mobile","version":"2.5.1-178","words":"appbuilder command line interface to telerik appbuilder =tailsu =ligaz =baltavar =teobugslayer =sdobrev cordova appbuilder telerik mobile","author":"=tailsu =ligaz =baltavar =teobugslayer =sdobrev","date":"2014-09-19 "},{"name":"appbuilder-cli","keywords":"","version":[],"words":"appbuilder-cli","author":"","date":"2014-03-05 "},{"name":"appbuildr","keywords":"","version":[],"words":"appbuildr","author":"","date":"2013-03-06 "},{"name":"appbuildr-java-app","keywords":"","version":[],"words":"appbuildr-java-app","author":"","date":"2013-03-03 "},{"name":"appc","description":"Appcelerator platform","url":null,"keywords":"appcelerator","version":"0.0.0","words":"appc appcelerator platform =appcelerator appcelerator","author":"=appcelerator","date":"2014-09-09 "},{"name":"appc-logger","description":"Appcelerator API Logger","url":null,"keywords":"appcelerator logger","version":"1.0.5","words":"appc-logger appcelerator api logger =jhaynie =appcelerator =tonylukasavage =cb1kenobi appcelerator logger","author":"=jhaynie =appcelerator =tonylukasavage =cb1kenobi","date":"2014-09-19 "},{"name":"appc-platform-sdk","description":"Appcelerator Platform SDK for node.js","url":null,"keywords":"appcelerator","version":"1.0.0","words":"appc-platform-sdk appcelerator platform sdk for node.js =jhaynie =appcelerator appcelerator","author":"=jhaynie =appcelerator","date":"2014-08-30 "},{"name":"appc-registry","description":"Appcelerator package manager","url":null,"keywords":"appcelerator titanium package manager","version":"0.0.1","words":"appc-registry appcelerator package manager =jhaynie =tonylukasavage appcelerator titanium package manager","author":"=jhaynie =tonylukasavage","date":"2014-09-18 "},{"name":"appcache","description":"appcache generator for offline application","url":null,"keywords":"appcache offline","version":"0.0.4","words":"appcache appcache generator for offline application =c9s appcache offline","author":"=c9s","date":"2013-01-07 "},{"name":"appcache-autoupdate","description":"Browser library for automated updates of offline first applications","url":null,"keywords":"browser appcache offlinefirst","version":"0.0.3","words":"appcache-autoupdate browser library for automated updates of offline first applications =gr2m browser appcache offlinefirst","author":"=gr2m","date":"2014-06-10 "},{"name":"appcache-brunch","description":"Adds HTML5 .appcache generation to brunch.","url":null,"keywords":"","version":"1.7.1","words":"appcache-brunch adds html5 .appcache generation to brunch. =paulmillr =es128","author":"=paulmillr =es128","date":"2013-11-03 "},{"name":"appcache-glob","description":"node-appcache =============","url":null,"keywords":"appcache html5","version":"0.0.2","words":"appcache-glob node-appcache ============= =jeresig appcache html5","author":"=jeresig","date":"2014-01-05 "},{"name":"appcache-nanny","description":"Teaches the applicationCache douchebag some manners!","url":null,"keywords":"browser appcache offlinefirst","version":"0.0.6","words":"appcache-nanny teaches the applicationcache douchebag some manners! =gr2m browser appcache offlinefirst","author":"=gr2m","date":"2014-08-21 "},{"name":"appcache-node","description":"appcache-node\r =============","url":null,"keywords":"util nodejs express web html5","version":"0.2.0","words":"appcache-node appcache-node\r ============= =dpweb util nodejs express web html5","author":"=dpweb","date":"2013-08-23 "},{"name":"appcache-webpack-plugin","description":"Generate an HTML5 Application Cache for a Webpack build","url":null,"keywords":"webpack appcache application cache plugin","version":"0.1.1","words":"appcache-webpack-plugin generate an html5 application cache for a webpack build =lettertwo webpack appcache application cache plugin","author":"=lettertwo","date":"2014-05-22 "},{"name":"appcached","description":"Scrape a site's required resources to dynamically generate an appcache manifest.","url":null,"keywords":"appcache manifest scraper","version":"0.7.0","words":"appcached scrape a site's required resources to dynamically generate an appcache manifest. =mikeal appcache manifest scraper","author":"=mikeal","date":"2014-08-15 "},{"name":"appcelerator","description":"Appcelerator ACS API package for Node.js","url":null,"keywords":"appcelerator acs javascript","version":"1.0.1","words":"appcelerator appcelerator acs api package for node.js =benedmunds appcelerator acs javascript","author":"=benedmunds","date":"2012-08-02 "},{"name":"appcfg","description":"Application Configuration Library for Node.js","url":null,"keywords":"config settings","version":"0.1.41","words":"appcfg application configuration library for node.js =tenbits config settings","author":"=tenbits","date":"2014-07-21 "},{"name":"appchef","description":"Mozilla AppMaker command-line tool.","url":null,"keywords":"mozilla appmaker","version":"0.0.2","words":"appchef mozilla appmaker command-line tool. =varmaa mozilla appmaker","author":"=varmaa","date":"2014-01-10 "},{"name":"appcloud","description":"A lightweight web server to developer your App Cloud apps against, along with scaffolding to generate your apps.","url":null,"keywords":"","version":"0.0.8","words":"appcloud a lightweight web server to developer your app cloud apps against, along with scaffolding to generate your apps. =jstreb","author":"=jstreb","date":"2012-12-10 "},{"name":"appconf","description":"Application Environment Configure","url":null,"keywords":"node.js node javascript nconf appconf express configure environment","version":"0.0.4","words":"appconf application environment configure =elankeeran node.js node javascript nconf appconf express configure environment","author":"=elankeeran","date":"2014-07-09 "},{"name":"appconfig","description":"Load topic-specific json files from the `config` folder. Default settings are put in the root object, and environment-specific settings overwrite them based on `NODE_ENV`.","url":null,"keywords":"config app json env","version":"0.0.1","words":"appconfig load topic-specific json files from the `config` folder. default settings are put in the root object, and environment-specific settings overwrite them based on `node_env`. =aj0strow config app json env","author":"=aj0strow","date":"2014-05-03 "},{"name":"appconsole","description":"A generic console for node applications","url":null,"keywords":"","version":"0.0.2","words":"appconsole a generic console for node applications =wankdanker","author":"=wankdanker","date":"2013-07-09 "},{"name":"appd","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.1.1","words":"appd error: no readme.md file found! =nailgun","author":"=nailgun","date":"2013-01-11 "},{"name":"appdb","description":"html5 app database framework","url":null,"keywords":"","version":"0.0.0","words":"appdb html5 app database framework =elmerbulthuis","author":"=elmerbulthuis","date":"2014-05-08 "},{"name":"appdirectory","description":"A cross-platform utility to find the best directory to put data and config files.","url":null,"keywords":"cross-platform utility appdata config directory","version":"0.1.0","words":"appdirectory a cross-platform utility to find the best directory to put data and config files. =mrjohz cross-platform utility appdata config directory","author":"=mrjohz","date":"2014-03-11 "},{"name":"appdirs","description":"Node.js port of Python's appdirs","url":null,"keywords":"configuration","version":"0.1.2","words":"appdirs node.js port of python's appdirs =leedm777 configuration","author":"=leedm777","date":"2014-04-04 "},{"name":"appdirsjs","keywords":"","version":[],"words":"appdirsjs","author":"","date":"2014-03-14 "},{"name":"appdmg","description":"Generate beautiful DMG-images for your OS X applications.","url":null,"keywords":"","version":"0.2.2","words":"appdmg generate beautiful dmg-images for your os x applications. =linusu","author":"=linusu","date":"2014-08-22 "},{"name":"appdotauth","description":"app.net access token generation server – generate valid api tokens with ease","url":null,"keywords":"app dot net appdotnet app.net api token access generation server oauth oauth2 authentication example","version":"1.0.1","words":"appdotauth app.net access token generation server – generate valid api tokens with ease =damienklinnert app dot net appdotnet app.net api token access generation server oauth oauth2 authentication example","author":"=damienklinnert","date":"2012-08-20 "},{"name":"appdotcouch","description":"Export global app.net stream to CouchDB","url":null,"keywords":"app app.net appdotnet appnet export global post couchdb dump save","version":"0.2.0","words":"appdotcouch export global app.net stream to couchdb =damienklinnert app app.net appdotnet appnet export global post couchdb dump save","author":"=damienklinnert","date":"2012-08-16 "},{"name":"appdotnet","description":"Wrapper for the App.net HTTP Stream API, following node idioms.","url":null,"keywords":"app dot net appdotnet app.net api stream node wrapper async http","version":"0.2.0","words":"appdotnet wrapper for the app.net http stream api, following node idioms. =damienklinnert app dot net appdotnet app.net api stream node wrapper async http","author":"=damienklinnert","date":"2012-08-18 "},{"name":"appdynamics","description":"Performance Profiler and Monitor","url":null,"keywords":"profiler profiling tracing cpu heap performance instrumentation response time performance bottlenecks monitoring analytics metrics alerts dtrace","version":"3.9.2","words":"appdynamics performance profiler and monitor =appdynamics profiler profiling tracing cpu heap performance instrumentation response time performance bottlenecks monitoring analytics metrics alerts dtrace","author":"=appdynamics","date":"2014-09-03 "},{"name":"appdynamics-nimbus","description":"a Nimbus Interface for AppDynamics","url":null,"keywords":"","version":"0.0.3","words":"appdynamics-nimbus a nimbus interface for appdynamics =leika","author":"=leika","date":"2014-03-12 "},{"name":"appdynamics-node","description":"Node.js Wrapper for AppDynamics REST API","url":null,"keywords":"appdynamics app dynamics REST api node javascript wrapper","version":"0.0.2","words":"appdynamics-node node.js wrapper for appdynamics rest api =matt-major appdynamics app dynamics rest api node javascript wrapper","author":"=matt-major","date":"2014-07-06 "},{"name":"appear","description":"utility to run functions when dom elements are visible","url":null,"keywords":"","version":"0.0.14","words":"appear utility to run functions when dom elements are visible =diff_sky","author":"=diff_sky","date":"2014-09-02 "},{"name":"appearance","description":"Appearance customization","url":null,"keywords":"","version":"0.0.3","words":"appearance appearance customization =speedmanly","author":"=speedmanly","date":"2014-05-29 "},{"name":"appearimg","description":"utility to run functions when dom elements are visible","url":null,"keywords":"","version":"0.0.2","words":"appearimg utility to run functions when dom elements are visible =diff_sky","author":"=diff_sky","date":"2014-07-20 "},{"name":"append","description":"append the properties from one object to another","url":null,"keywords":"","version":"0.1.1","words":"append append the properties from one object to another =pvorb","author":"=pvorb","date":"2011-12-22 "},{"name":"append-header","description":"append-header","url":null,"keywords":"header add append","version":"0.0.1","words":"append-header append-header =tellnes header add append","author":"=tellnes","date":"2013-12-18 "},{"name":"append-only","description":"Append only scuttlebutt structure","url":null,"keywords":"","version":"0.2.3","words":"append-only append only scuttlebutt structure =raynos","author":"=raynos","date":"2013-01-11 "},{"name":"append-query","description":"Append querystring params to a URL.","url":null,"keywords":"string url querystring query params query append","version":"1.0.0","words":"append-query append querystring params to a url. =lakenen string url querystring query params query append","author":"=lakenen","date":"2014-07-22 "},{"name":"append-stream","description":"An alternative to fs.createWriteStream. Don't handle backpressure, but it's faster and has some other features.","url":null,"keywords":"append file","version":"1.2.2","words":"append-stream an alternative to fs.createwritestream. don't handle backpressure, but it's faster and has some other features. =kesla append file","author":"=kesla","date":"2014-07-30 "},{"name":"append-to","description":"A base for appendable widget","url":null,"keywords":"","version":"0.0.1","words":"append-to a base for appendable widget =raynos","author":"=raynos","date":"2012-08-27 "},{"name":"appendage","description":"decorate streams uniformly","url":null,"keywords":"stream decorate append","version":"0.1.1","words":"appendage decorate streams uniformly =jarofghosts stream decorate append","author":"=jarofghosts","date":"2014-05-04 "},{"name":"appender","description":"a module to append files","url":null,"keywords":"files append","version":"0.0.2","words":"appender a module to append files =nojhamster files append","author":"=nojhamster","date":"2014-02-19 "},{"name":"appendit","description":"Appendit allows you easily to add text at a specific line. It will works with any plain text format like ```.txt``` ```.md``` ```.js``` ...","url":null,"keywords":"","version":"0.1.2","words":"appendit appendit allows you easily to add text at a specific line. it will works with any plain text format like ```.txt``` ```.md``` ```.js``` ... =stefanbuck","author":"=stefanbuck","date":"2014-02-25 "},{"name":"appendjson","description":"Append to or create a json file","url":null,"keywords":"append json add to file append or create create file","version":"0.1.2","words":"appendjson append to or create a json file =jgeller append json add to file append or create create file","author":"=jgeller","date":"2014-05-07 "},{"name":"apper","description":"Plug and play, restful, real-time application framework for single page apps","url":null,"keywords":"convention framework web REST restful router app api subapp mount realtime WebSockets sockets","version":"2.5.0","words":"apper plug and play, restful, real-time application framework for single page apps =anupbishnoi convention framework web rest restful router app api subapp mount realtime websockets sockets","author":"=anupbishnoi","date":"2014-09-11 "},{"name":"appertain","keywords":"","version":[],"words":"appertain","author":"","date":"2014-04-05 "},{"name":"appetite","description":"Shop","url":null,"keywords":"shop online e-commerce","version":"0.0.0","words":"appetite shop =tmshv shop online e-commerce","author":"=tmshv","date":"2014-04-16 "},{"name":"appex","description":"develop nodejs web applications with typescript","url":null,"keywords":"typescript web api reflection compiler schema templates sitemap","version":"0.6.9","words":"appex develop nodejs web applications with typescript =sinclair typescript web api reflection compiler schema templates sitemap","author":"=sinclair","date":"2013-11-23 "},{"name":"appexpress","url":null,"keywords":"","version":"0.0.1","words":"appexpress =rockbass2560","author":"=rockbass2560","date":"2014-07-26 "},{"name":"appfac","description":"Dogfi.sh App Factory","url":null,"keywords":"","version":"0.1.3","words":"appfac dogfi.sh app factory =dogfi.sh","author":"=dogfi.sh","date":"2014-01-14 "},{"name":"appfog-api","description":"Provides functions that wraps the AppFog API","url":null,"keywords":"appfog api","version":"0.0.2","words":"appfog-api provides functions that wraps the appfog api =chrismatheson appfog api","author":"=chrismatheson","date":"2013-05-03 "},{"name":"appfog-env","description":"Parses service bindings and configuration information for Node.js apps on AppFog","url":null,"keywords":"AppFog Environment CoffeeScript","version":"0.0.1","words":"appfog-env parses service bindings and configuration information for node.js apps on appfog =tsantef appfog environment coffeescript","author":"=tsantef","date":"2013-07-02 "},{"name":"appfront-examples","description":"examples for using doctape appfront in different languages","url":null,"keywords":"","version":"0.1.0","words":"appfront-examples examples for using doctape appfront in different languages =doctape","author":"=doctape","date":"2012-06-27 "},{"name":"appgen","description":"A toolkit for building multiple versions of the same app.","url":null,"keywords":"app generate build html5 generative programming","version":"0.1.1","words":"appgen a toolkit for building multiple versions of the same app. =rjrodger app generate build html5 generative programming","author":"=rjrodger","date":"2012-09-28 "},{"name":"apphome","description":"A helper to require module relative to project root \"APP_HOME\" instead of current module directory.","url":null,"keywords":"dependency module require utility","version":"0.0.1","words":"apphome a helper to require module relative to project root \"app_home\" instead of current module directory. =phuihock dependency module require utility","author":"=phuihock","date":"2013-12-05 "},{"name":"appinsights","keywords":"","version":[],"words":"appinsights","author":"","date":"2014-08-05 "},{"name":"appium","description":"Automation for Apps.","url":null,"keywords":"","version":"1.2.2","words":"appium automation for apps. =admc =sourishkrout =jlipps =sebv =jonahss","author":"=admc =sourishkrout =jlipps =sebv =jonahss","date":"2014-08-25 "},{"name":"appium-adb","description":"appium-adb","url":null,"keywords":"","version":"1.3.16","words":"appium-adb appium-adb =sebv =jlipps =moizjv","author":"=sebv =jlipps =moizjv","date":"2014-09-15 "},{"name":"appium-atoms","description":"Appium safari atoms","url":null,"keywords":"","version":"0.0.5","words":"appium-atoms appium safari atoms =sebv =jlipps","author":"=sebv =jlipps","date":"2014-03-15 "},{"name":"appium-instruments","description":"IOS Instruments + instruments-without-delay launcher used by Appium","url":null,"keywords":"appium instruments","version":"1.4.6","words":"appium-instruments ios instruments + instruments-without-delay launcher used by appium =sebv =jlipps appium instruments","author":"=sebv =jlipps","date":"2014-09-16 "},{"name":"appium-repl","description":"Simple REPL (Read-eval-print Loop) for controlling mobile apps through Appium","url":null,"keywords":"appium appium-repl automation-repl","version":"0.0.2","words":"appium-repl simple repl (read-eval-print loop) for controlling mobile apps through appium =jonahss appium appium-repl automation-repl","author":"=jonahss","date":"2014-08-13 "},{"name":"appium-uiauto","description":"appium uiauto ios driver","url":null,"keywords":"","version":"1.7.11","words":"appium-uiauto appium uiauto ios driver =sebv =jlipps","author":"=sebv =jlipps","date":"2014-09-19 "},{"name":"appium-uiautomator","description":"appium-uiautomator ==========","url":null,"keywords":"","version":"0.0.4","words":"appium-uiautomator appium-uiautomator ========== =sebv =jlipps","author":"=sebv =jlipps","date":"2014-03-04 "},{"name":"appium-version-manager","description":"Appium version manager","url":null,"keywords":"node binary version env appium","version":"0.1.2","words":"appium-version-manager appium version manager =abhinavsingh node binary version env appium","author":"=abhinavsingh","date":"2014-04-12 "},{"name":"appjs","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.20","words":"appjs appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =milani cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=milani","date":"2012-11-06 "},{"name":"appjs-cgi","description":"Router that spawns cgi scripts","url":null,"keywords":"appjs cgi","version":"0.1.3","words":"appjs-cgi router that spawns cgi scripts =sihorton appjs cgi","author":"=sihorton","date":"2012-11-14 "},{"name":"appjs-darwin","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.19","words":"appjs-darwin appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =milani cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=milani","date":"2012-08-25 "},{"name":"appjs-linux-ia32","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.19","words":"appjs-linux-ia32 appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =milani cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=milani","date":"2012-08-25 "},{"name":"appjs-linux-x64","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.19","words":"appjs-linux-x64 appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =milani cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=milani","date":"2012-11-06 "},{"name":"appjs-package","description":"module for handling AppJS packaged applications","url":null,"keywords":"appjs package","version":"0.1.27","words":"appjs-package module for handling appjs packaged applications =sihorton appjs package","author":"=sihorton","date":"2012-11-13 "},{"name":"appjs-package2","description":"packaged resource module with streaming support","url":null,"keywords":"appjs bundle package","version":"2.0.4","words":"appjs-package2 packaged resource module with streaming support =sihorton appjs bundle package","author":"=sihorton","date":"2012-11-27 "},{"name":"appjs-packager2","description":"Create packaged resources with streaming support.","url":null,"keywords":"","version":"2.0.1","words":"appjs-packager2 create packaged resources with streaming support. =sihorton","author":"=sihorton","date":"2012-11-27 "},{"name":"appjs-win","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.17","words":"appjs-win appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =benvie cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=benvie","date":"2012-08-02 "},{"name":"appjs-win32","description":"AppJS is a SDK on top of nodejs to develop desktop applications using HTML/CSS/JS","url":null,"keywords":"cef webkit browser canvas html5 desktop native gtk ui sdk","version":"0.0.19","words":"appjs-win32 appjs is a sdk on top of nodejs to develop desktop applications using html/css/js =benvie cef webkit browser canvas html5 desktop native gtk ui sdk","author":"=benvie","date":"2012-08-25 "},{"name":"appjsbundle","description":"appjsbundle makes OSX .app bundles from AppJS packages","url":null,"keywords":"apple osx mac appjs bundle","version":"0.0.11","words":"appjsbundle appjsbundle makes osx .app bundles from appjs packages =shirokuma apple osx mac appjs bundle","author":"=shirokuma","date":"2013-02-17 "},{"name":"appkit","description":"Extensions for building applications using Spine.js","url":null,"keywords":"","version":"1.0.0","words":"appkit extensions for building applications using spine.js =vojto","author":"=vojto","date":"2012-04-23 "},{"name":"appl","description":"simple funny extensible logger","url":null,"keywords":"","version":"1.0.2","words":"appl simple funny extensible logger =golyshevd","author":"=golyshevd","date":"2014-01-20 "},{"name":"applaneapps","description":"It is a platform to create multiple apps.","url":null,"keywords":"","version":"0.0.0","words":"applaneapps it is a platform to create multiple apps. =sachin-bansal","author":"=sachin-bansal","date":"2013-11-05 "},{"name":"applause","description":"Replace text patterns with a given replacement.","url":null,"keywords":"replace replacement pattern patterns match text string regex regexp json yaml cson flatten","version":"0.3.3","words":"applause replace text patterns with a given replacement. =outatime replace replacement pattern patterns match text string regex regexp json yaml cson flatten","author":"=outatime","date":"2014-06-10 "},{"name":"apple","description":"i love apple","url":null,"keywords":"love","version":"1.0.0","words":"apple i love apple =chrislailiru love","author":"=chrislailiru","date":"2013-06-08 "},{"name":"apple-autoingestion","description":"Apple's Autoingestion tool for Node.js","url":null,"keywords":"Apple report autoingestion download sales earnings","version":"0.1.1","words":"apple-autoingestion apple's autoingestion tool for node.js =cromit apple report autoingestion download sales earnings","author":"=cromit","date":"2014-07-17 "},{"name":"apple-cake","description":"Utility for cake on coffee-script. More simply.","url":null,"keywords":"","version":"0.1.1","words":"apple-cake utility for cake on coffee-script. more simply. =shiiba","author":"=shiiba","date":"2012-12-06 "},{"name":"apple-mail-archiver","description":"Apple Mail Archive Utility","url":null,"keywords":"","version":"0.1.0","words":"apple-mail-archiver apple mail archive utility =woutervroege","author":"=woutervroege","date":"2014-07-20 "},{"name":"applescript","description":"Easily execute arbitrary AppleScript code on OS X through NodeJS.","url":null,"keywords":"applescript mac osx","version":"0.2.1","words":"applescript easily execute arbitrary applescript code on os x through nodejs. =tootallnate =tootallnate applescript mac osx","author":"=TooTallNate =tootallnate","date":"2012-03-09 "},{"name":"applesstt-uppercaseme","description":"Converts files to uppercase(my first npm package test)","url":null,"keywords":"upper case file applesstt","version":"0.1.2","words":"applesstt-uppercaseme converts files to uppercase(my first npm package test) =applesstt upper case file applesstt","author":"=applesstt","date":"2014-01-06 "},{"name":"applet","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"applet error: no readme.md file found! =applet","author":"=applet","date":"2014-02-15 "},{"name":"appliance_shim","description":"A shim for the Appliance JS Bridge","url":null,"keywords":"android appliance","version":"0.0.3","words":"appliance_shim a shim for the appliance js bridge =mdp android appliance","author":"=mdp","date":"2014-06-30 "},{"name":"application","description":"unified http and websocket api","url":null,"keywords":"","version":"0.1.4","words":"application unified http and websocket api =tblobaum","author":"=tblobaum","date":"2012-06-12 "},{"name":"application-dashboard","description":"Collect custom application stats and broadcast them via socket.io to html dashboard. ","url":null,"keywords":"stats dashboard","version":"0.1.0","words":"application-dashboard collect custom application stats and broadcast them via socket.io to html dashboard. =heikor stats dashboard","author":"=heikor","date":"2013-02-22 "},{"name":"application-events","description":"routes hashchange or node request to application events","url":null,"keywords":"","version":"0.1.0","words":"application-events routes hashchange or node request to application events =parroit","author":"=parroit","date":"2013-12-16 "},{"name":"application-initializer","description":"Helps to resolve all dependencies before the actual application is kicked-off.","url":null,"keywords":"","version":"0.0.2","words":"application-initializer helps to resolve all dependencies before the actual application is kicked-off. =johndoe90","author":"=johndoe90","date":"2014-08-18 "},{"name":"application-name","url":null,"keywords":"","version":"0.0.1","words":"application-name =diopib","author":"=diopib","date":"2012-09-12 "},{"name":"application-namejnljlkjljlk","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"application-namejnljlkjljlk error: no readme.md file found! =yaoliceng","author":"=yaoliceng","date":"2013-06-05 "},{"name":"application-nilgun","url":null,"keywords":"","version":"0.0.1","words":"application-nilgun =nlgnk","author":"=nlgnk","date":"2014-06-01 "},{"name":"applicationinsights","description":"Microsoft Application Insights module for Node.JS","url":null,"keywords":"request request monitoring monitoring application insights microsoft azure","version":"0.10.2","words":"applicationinsights microsoft application insights module for node.js =msftapplicationinsights request request monitoring monitoring application insights microsoft azure","author":"=msftapplicationinsights","date":"2014-08-15 "},{"name":"applicative.validation","description":"A disjunction that's more appropriate for validating inputs with better vocabulary & straight-forward failure aggregation.","url":null,"keywords":"fantasy-land folktale","version":"0.3.0","words":"applicative.validation a disjunction that's more appropriate for validating inputs with better vocabulary & straight-forward failure aggregation. =killdream fantasy-land folktale","author":"=killdream","date":"2013-12-15 "},{"name":"applihui","description":"a test","url":null,"keywords":"test","version":"0.0.1","words":"applihui a test =applihui test","author":"=applihui","date":"2013-02-05 "},{"name":"applinks-metatag","description":"ExpressJS AppLinks injection","url":null,"keywords":"","version":"0.0.2","words":"applinks-metatag expressjs applinks injection =flovilmart","author":"=flovilmart","date":"2014-07-03 "},{"name":"applinks.js","description":"Provide App Links metadata support for browsers","url":null,"keywords":"applinks deeplinking","version":"0.1.1","words":"applinks.js provide app links metadata support for browsers =chengyin applinks deeplinking","author":"=chengyin","date":"2014-08-05 "},{"name":"applious-draft","description":"A draft site scaffold for rapid front-end development using CoffeeScript, Eco and Stylus.","url":null,"keywords":"coffee-script eco stylus","version":"0.0.1","words":"applious-draft a draft site scaffold for rapid front-end development using coffeescript, eco and stylus. =jimfleming coffee-script eco stylus","author":"=jimfleming","date":"2012-06-23 "},{"name":"applisten","description":"simple app struct, with Unix-socket for nginx","url":null,"keywords":"","version":"0.0.1","words":"applisten simple app struct, with unix-socket for nginx =solidco2","author":"=solidco2","date":"2014-08-20 "},{"name":"applitude","description":"Simple Module Management","url":null,"keywords":"module modules architecture client browser events","version":"0.6.11","words":"applitude simple module management =dilvie module modules architecture client browser events","author":"=dilvie","date":"2012-11-27 "},{"name":"appload-dns","description":"DNS library in node.js","url":null,"keywords":"","version":"0.1.3","words":"appload-dns dns library in node.js =rafalsobota","author":"=rafalsobota","date":"2012-01-08 "},{"name":"appls","description":"A library to make elegant web-apps making use of the geniously designed language LiveScript","url":null,"keywords":"appls javascript LiveScript html","version":"0.0.11","words":"appls a library to make elegant web-apps making use of the geniously designed language livescript =viclib appls javascript livescript html","author":"=viclib","date":"2013-09-06 "},{"name":"apply","description":"Better version of Function.prototype.apply","url":null,"keywords":"","version":"0.0.0","words":"apply better version of function.prototype.apply =dbrock","author":"=dbrock","date":"2012-05-04 "},{"name":"apply-changes","description":"Apply Array/Object.observe format changesets to an object.","url":null,"keywords":"observe changeset changes replication","version":"0.0.1","words":"apply-changes apply array/object.observe format changesets to an object. =timoxley observe changeset changes replication","author":"=timoxley","date":"2013-11-12 "},{"name":"apply-colormap","description":"Applies a colormap to an ndarray","url":null,"keywords":"colorize ndarray colormpa","version":"1.0.0","words":"apply-colormap applies a colormap to an ndarray =mikolalysenko colorize ndarray colormpa","author":"=mikolalysenko","date":"2014-04-29 "},{"name":"apply-source-map","description":"apply a source map to another source map","url":null,"keywords":"source map maps","version":"1.0.0","words":"apply-source-map apply a source map to another source map =jongleberry source map maps","author":"=jongleberry","date":"2014-07-31 "},{"name":"apply-transform","description":"Applies a transform to an input string and calls back with result, mostly useful for testing transforms","url":null,"keywords":"transform apply stream test string","version":"0.1.4","words":"apply-transform applies a transform to an input string and calls back with result, mostly useful for testing transforms =thlorenz transform apply stream test string","author":"=thlorenz","date":"2014-01-28 "},{"name":"applyjs","description":"ApplyJS - Modular. Declaritive. Fun.","url":null,"keywords":"","version":"0.0.32","words":"applyjs applyjs - modular. declaritive. fun. =dbmeads","author":"=dbmeads","date":"2013-05-04 "},{"name":"applyr","description":"Applys properties from one object to another","url":null,"keywords":"properties javascript","version":"0.0.3","words":"applyr applys properties from one object to another =gordlea properties javascript","author":"=gordlea","date":"2012-09-10 "},{"name":"appmaker","description":"helper script for creating production build of web application (compile less to css, etc)","url":null,"keywords":"build make script less requirejs","version":"0.2.10","words":"appmaker helper script for creating production build of web application (compile less to css, etc) =2do2go build make script less requirejs","author":"=2do2go","date":"2014-04-29 "},{"name":"appman","description":"Scriptable Node.js app management","url":null,"keywords":"node app script manage manager start stop kill restart daemon status run background forever nodemon supervisor pm2","version":"0.2.0","words":"appman scriptable node.js app management =hacksparrow node app script manage manager start stop kill restart daemon status run background forever nodemon supervisor pm2","author":"=hacksparrow","date":"2014-06-24 "},{"name":"appmaster","keywords":"","version":[],"words":"appmaster","author":"","date":"2014-05-03 "},{"name":"appmedia","description":"A node module to automate the generation of the ridiculously big number of image assets to cover all the supported resolutions...","url":null,"keywords":"","version":"0.3.0","words":"appmedia a node module to automate the generation of the ridiculously big number of image assets to cover all the supported resolutions... =makesites","author":"=makesites","date":"2014-01-25 "},{"name":"appmonitor","description":"Performance profiler based on look","url":null,"keywords":"profiler cpu heap performance instrumentation metrics","version":"0.0.8","words":"appmonitor performance profiler based on look =tomxiong profiler cpu heap performance instrumentation metrics","author":"=tomxiong","date":"2014-09-17 "},{"name":"appname","keywords":"","version":[],"words":"appname","author":"","date":"2014-08-11 "},{"name":"appnet","description":"A library for communicating with the app.net web services API.","url":null,"keywords":"social app.net appnet adn","version":"0.5.0","words":"appnet a library for communicating with the app.net web services api. =duerig social app.net appnet adn","author":"=duerig","date":"2013-12-19 "},{"name":"appnexus","description":"provides access to the AppNexus API from NodeJS","url":null,"keywords":"AppNexus advertising","version":"0.1.2","words":"appnexus provides access to the appnexus api from nodejs =daviddripps appnexus advertising","author":"=daviddripps","date":"2013-06-28 "},{"name":"appnexus-api","description":"Appnexus client for node.js","url":null,"keywords":"appnexus","version":"0.0.3","words":"appnexus-api appnexus client for node.js =p.revington appnexus","author":"=p.revington","date":"2013-12-02 "},{"name":"appolo","description":"nodejs server framework","url":null,"keywords":"mvc framework app api server appolo","version":"1.0.15","words":"appolo nodejs server framework =shmoop207 mvc framework app api server appolo","author":"=shmoop207","date":"2014-09-03 "},{"name":"appolo-class","description":"simple and powerful class system for node js","url":null,"keywords":"class Class mixin statics properties constructor prototype inheritance class inheritance oop object oriented klass extends implements inherit","version":"0.2.7","words":"appolo-class simple and powerful class system for node js =shmoop207 =antonzy class class mixin statics properties constructor prototype inheritance class inheritance oop object oriented klass extends implements inherit","author":"=shmoop207 =antonzy","date":"2014-09-08 "},{"name":"appolo-express","description":"nodejs express server framework","url":null,"keywords":"express mvc framework web rest REST restful router app api controller server appolo","version":"1.1.20","words":"appolo-express nodejs express server framework =shmoop207 express mvc framework web rest rest restful router app api controller server appolo","author":"=shmoop207","date":"2014-09-14 "},{"name":"appolo-feature-toggle","description":"appolo feature toggle module","url":null,"keywords":"appolo appolo-express feature toggle feature-toggle","version":"0.0.9","words":"appolo-feature-toggle appolo feature toggle module =shmoop207 appolo appolo-express feature toggle feature-toggle","author":"=shmoop207","date":"2014-09-09 "},{"name":"appolo-inject","description":"dependency injection for node js","url":null,"keywords":"ioc service locator dependency injection di dependency injection dependency injector injection injector container appolo","version":"0.3.11","words":"appolo-inject dependency injection for node js =shmoop207 =antonzy ioc service locator dependency injection di dependency injection dependency injector injection injector container appolo","author":"=shmoop207 =antonzy","date":"2014-08-20 "},{"name":"apposition","keywords":"","version":[],"words":"apposition","author":"","date":"2014-04-05 "},{"name":"appplicationinsights","keywords":"","version":[],"words":"appplicationinsights","author":"","date":"2014-08-06 "},{"name":"apprentice","description":"[Experimental] web library that adds some sugar to routing","url":null,"keywords":"","version":"0.3.3","words":"apprentice [experimental] web library that adds some sugar to routing =jackhq","author":"=jackhq","date":"2012-06-03 "},{"name":"apprise","description":"A simple browser module for displaying stacking notifications","url":null,"keywords":"notify notification browserify display alert","version":"1.0.0","words":"apprise a simple browser module for displaying stacking notifications =hughsk notify notification browserify display alert","author":"=hughsk","date":"2014-06-29 "},{"name":"approot","description":"A helper class to build file path. Useful in application, to provide path reference to whole app","url":null,"keywords":"path app root require folder helper express approot","version":"0.1.0","words":"approot a helper class to build file path. useful in application, to provide path reference to whole app =timnew path app root require folder helper express approot","author":"=timnew","date":"2014-07-13 "},{"name":"approvals","description":"Approval Tests Library - Capturing Human Intelligence","url":null,"keywords":"Approvals ApprovalTests Approval Tests Mocha Test","version":"0.0.21","words":"approvals approval tests library - capturing human intelligence =staxmanade approvals approvaltests approval tests mocha test","author":"=staxmanade","date":"2014-08-20 "},{"name":"approve","keywords":"","version":[],"words":"approve","author":"","date":"2013-10-07 "},{"name":"apprunner","description":"Manage application errors and plugin modules by Harald Rudell","url":null,"keywords":"require plugins api npm errors email management lifecycle app","version":"0.2.11","words":"apprunner manage application errors and plugin modules by harald rudell =haraldrudell require plugins api npm errors email management lifecycle app","author":"=haraldrudell","date":"2013-02-02 "},{"name":"apps","description":"Create, validate, and render Heroku app.json manifests","url":null,"keywords":"app.json","version":"0.8.3","words":"apps create, validate, and render heroku app.json manifests =zeke app.json","author":"=zeke","date":"2014-04-25 "},{"name":"apps-a-middleware","description":"![image](https://github.com/intermine/apps-a-middleware/raw/master/pear.png)","url":null,"keywords":"","version":"1.2.2","words":"apps-a-middleware ![image](https://github.com/intermine/apps-a-middleware/raw/master/pear.png) =radekstepan","author":"=radekstepan","date":"2013-07-20 "},{"name":"apps-b-builder","description":"A component.io based builder for making modular JS packages","url":null,"keywords":"intermine builder widgets apps modules commonjs","version":"0.4.3","words":"apps-b-builder a component.io based builder for making modular js packages =radekstepan intermine builder widgets apps modules commonjs","author":"=radekstepan","date":"2013-11-04 "},{"name":"appscaffold","description":"Creates a directory structure for applications using NodeJS","url":null,"keywords":"scaffold structure","version":"1.0.0","words":"appscaffold creates a directory structure for applications using nodejs =raphaelivan scaffold structure","author":"=raphaelivan","date":"2014-07-27 "},{"name":"appsensor","description":"OWASP AppSensor Node Implementation","url":null,"keywords":"","version":"0.0.0","words":"appsensor owasp appsensor node implementation =ckarande","author":"=ckarande","date":"2013-12-14 "},{"name":"appserv","description":"A simple package that allows you to create a static async file-server vor you apps.","url":null,"keywords":"app static http server appserver","version":"0.1.0","words":"appserv a simple package that allows you to create a static async file-server vor you apps. =zeror app static http server appserver","author":"=zeror","date":"2012-07-15 "},{"name":"appserver","description":"A connect based middleware to support local development against a remote backend.","url":null,"keywords":"middleware proxy development","version":"0.3.1","words":"appserver a connect based middleware to support local development against a remote backend. =johnyb middleware proxy development","author":"=johnyb","date":"2014-07-01 "},{"name":"appsngen-dev-box","description":"Tool for appsngen widgets development.","url":null,"keywords":"","version":"1.0.9","words":"appsngen-dev-box tool for appsngen widgets development. =appsngen","author":"=appsngen","date":"2014-09-01 "},{"name":"appsngen-viewer","description":"Module for rendering widget content","url":null,"keywords":"","version":"1.0.6","words":"appsngen-viewer module for rendering widget content =appsngen","author":"=appsngen","date":"2014-09-05 "},{"name":"appspine","description":"node.js application namespace base class","url":null,"keywords":"application namespace","version":"0.0.11","words":"appspine node.js application namespace base class =kislitsyn application namespace","author":"=kislitsyn","date":"2014-08-27 "},{"name":"appstack","description":"utility chain with classes,events,promises,etc","url":null,"keywords":"as","version":"0.0.2","words":"appstack utility chain with classes,events,promises,etc =punchy as","author":"=punchy","date":"2013-12-15 "},{"name":"appstackr","description":"browser app packager - package your browser clients in simple and centralized way and build them for CDN deployment","url":null,"keywords":"assets packager css javascript less minifier cdn","version":"0.1.5","words":"appstackr browser app packager - package your browser clients in simple and centralized way and build them for cdn deployment =benpptung assets packager css javascript less minifier cdn","author":"=benpptung","date":"2014-08-20 "},{"name":"appstore-reviews","description":"fetch AppStore reviews","url":null,"keywords":"","version":"1.0.1","words":"appstore-reviews fetch appstore reviews =airyland","author":"=airyland","date":"2014-05-25 "},{"name":"appstrap","description":"This probably already exists in NPM somewhere, but I want this module for a cage match I'm going into","url":null,"keywords":"","version":"0.2.0","words":"appstrap this probably already exists in npm somewhere, but i want this module for a cage match i'm going into =robashton","author":"=robashton","date":"2014-03-16 "},{"name":"apptime","description":"Uptime monitoring linked to a mailer","url":null,"keywords":"uptime monitor monitoring check mailer status notifier","version":"0.2.10","words":"apptime uptime monitoring linked to a mailer =radekstepan uptime monitor monitoring check mailer status notifier","author":"=radekstepan","date":"2013-07-28 "},{"name":"apptrack","description":"[WIP] A node module that lets you create website analytics you own","url":null,"keywords":"open web analytics free service","version":"0.0.1","words":"apptrack [wip] a node module that lets you create website analytics you own =makesites open web analytics free service","author":"=makesites","date":"2013-08-08 "},{"name":"appup","description":"CLI to launch apps that use an express main server and an optional restif api server.","url":null,"keywords":"launch app express restify browserify browserify-tool pages api","version":"1.3.0","words":"appup cli to launch apps that use an express main server and an optional restif api server. =thlorenz launch app express restify browserify browserify-tool pages api","author":"=thlorenz","date":"2014-04-28 "},{"name":"appveyor","description":"A CLI for AppVeyor","url":null,"keywords":"AppVeyor CI testing windows","version":"0.4.0","words":"appveyor a cli for appveyor =finnpauls appveyor ci testing windows","author":"=finnpauls","date":"2014-08-09 "},{"name":"appway","description":"The proserver is inspired by heroku a deployment mechanism and is designed for rubynas","url":null,"keywords":"","version":"0.1.2","words":"appway the proserver is inspired by heroku a deployment mechanism and is designed for rubynas =threez","author":"=threez","date":"2013-05-17 "},{"name":"appy","description":"Bootstrap a typical Express 3.0 app with even less fuss than usual. Makes a bunch of bold assumptions that may or may not suit you.","url":null,"keywords":"","version":"0.4.5","words":"appy bootstrap a typical express 3.0 app with even less fuss than usual. makes a bunch of bold assumptions that may or may not suit you. =boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","author":"=boutell =colpanik =jsumnersmith =alexgilbert =stuartromanek =kylestetz =benirose =livhaas =mcoppola =gsf","date":"2014-08-26 "},{"name":"appygram","description":"appygram module to talk to @appygram messaging service","url":null,"keywords":"","version":"0.1.9","words":"appygram appygram module to talk to @appygram messaging service =wlaurance","author":"=wlaurance","date":"2013-09-15 "},{"name":"appygram-ti","description":"appygram-ti ===========","url":null,"keywords":"appygram titanium feedback","version":"0.0.1","words":"appygram-ti appygram-ti =========== =wlaurance appygram titanium feedback","author":"=wlaurance","date":"2012-10-19 "},{"name":"appzone","description":"Appzone NodeJS Client","url":null,"keywords":"","version":"0.2.8","words":"appzone appzone nodejs client =arunoda","author":"=arunoda","date":"2012-01-06 "},{"name":"apres","description":"Embarrassingly Client-Side Web Apps.","url":null,"keywords":"RAD MVC browser","version":"0.0.2","words":"apres embarrassingly client-side web apps. =caseman rad mvc browser","author":"=caseman","date":"2012-08-17 "},{"name":"apricot","description":"Apricot is a HTML / DOM parser, scraper for Nodejs. It is inspired by rubys hpricot and designed to fetch, iterate, and augment html or html fragments.","url":null,"keywords":"dom javascript xui","version":"0.0.6","words":"apricot apricot is a html / dom parser, scraper for nodejs. it is inspired by rubys hpricot and designed to fetch, iterate, and augment html or html fragments. =silentrob dom javascript xui","author":"=silentrob","date":"2012-05-11 "},{"name":"apricot-o","url":null,"keywords":"","version":"0.0.66","words":"apricot-o =todd.moore@orchard.com.au","author":"=todd.moore@orchard.com.au","date":"2012-09-11 "},{"name":"apricot64","keywords":"","version":[],"words":"apricot64","author":"","date":"2012-03-16 "},{"name":"april","description":"About April","url":null,"keywords":"nodejs","version":"0.0.2","words":"april about april =sandropasquali nodejs","author":"=sandropasquali","date":"2013-09-04 "},{"name":"april1","description":"April1 templates engine core","url":null,"keywords":"template templates xml html","version":"0.4.5","words":"april1 april1 templates engine core =roboterhund87 template templates xml html","author":"=roboterhund87","date":"2014-08-10 "},{"name":"april1-html","description":"April1 HTML extension","url":null,"keywords":"","version":"0.1.1","words":"april1-html april1 html extension =roboterhund87","author":"=roboterhund87","date":"2014-08-14 "},{"name":"apriori","description":"Apriori Algorithm implementation in TypeScript|JavaScript","url":null,"keywords":"Apriori Algorithm Data Mining","version":"1.0.4","words":"apriori apriori algorithm implementation in typescript|javascript =seratch apriori algorithm data mining","author":"=seratch","date":"2014-06-27 "},{"name":"aproof","description":"Proof of Assets (PoL) library and CLI","url":null,"keywords":"bitcoin solvency assets asset proof cryptography","version":"0.0.9","words":"aproof proof of assets (pol) library and cli =olalonde bitcoin solvency assets asset proof cryptography","author":"=olalonde","date":"2014-03-25 "},{"name":"aps","description":"An assets package system based on fis and other libraries.","url":null,"keywords":"assets package","version":"0.0.1","words":"aps an assets package system based on fis and other libraries. =micate assets package","author":"=micate","date":"2014-05-09 "},{"name":"apt","description":"An apt wrapper for Node.js","url":null,"keywords":"","version":"0.0.2","words":"apt an apt wrapper for node.js =mrvisser","author":"=mrvisser","date":"2014-01-03 "},{"name":"apt-get","url":null,"keywords":"apt apt-get update upgrade debian ubuntu","version":"0.1.0","words":"apt-get =klepthys apt apt-get update upgrade debian ubuntu","author":"=klepthys","date":"2014-07-28 "},{"name":"apta","description":"web development framework for node.js, insanely fast, flexible, and simple","url":null,"keywords":"apta apta.js application framework server engine","version":"0.1.1","words":"apta web development framework for node.js, insanely fast, flexible, and simple =nathanfaucett apta apta.js application framework server engine","author":"=nathanfaucett","date":"2014-09-09 "},{"name":"apta-bootstrap","description":"apta bootstrap assets","url":null,"keywords":"apta-bootstrap bootstrap","version":"1.0.0","words":"apta-bootstrap apta bootstrap assets =nathanfaucett apta-bootstrap bootstrap","author":"=nathanfaucett","date":"2014-01-12 "},{"name":"apta-jquery","description":"apta jquery asset","url":null,"keywords":"apta-jquery jquery","version":"1.0.0","words":"apta-jquery apta jquery asset =nathanfaucett apta-jquery jquery","author":"=nathanfaucett","date":"2014-01-12 "},{"name":"apta-socket.io","description":"apta socket.io asset","url":null,"keywords":"apta-socket.io socket.io","version":"1.0.0","words":"apta-socket.io apta socket.io asset =nathanfaucett apta-socket.io socket.io","author":"=nathanfaucett","date":"2014-01-12 "},{"name":"apta-util","description":"apta utils asset","url":null,"keywords":"apta-util util","version":"1.0.0","words":"apta-util apta utils asset =nathanfaucett apta-util util","author":"=nathanfaucett","date":"2014-01-13 "},{"name":"apto","description":"Static site generator for Node.js.","url":null,"keywords":"static generator","version":"0.1.12","words":"apto static site generator for node.js. =modparadigm static generator","author":"=modparadigm","date":"2013-03-12 "},{"name":"apw","description":"APW (Arch-Plans-Workers) [![Build Status](https://secure.travis-ci.org/bem/apw.png?branch=master)](http://travis-ci.org/bem/apw) ========================","url":null,"keywords":"","version":"0.3.14","words":"apw apw (arch-plans-workers) [![build status](https://secure.travis-ci.org/bem/apw.png?branch=master)](http://travis-ci.org/bem/apw) ======================== =afelix =arikon =scf =sevinf","author":"=afelix =arikon =scf =sevinf","date":"2014-01-20 "},{"name":"apx","description":"A scalable, extensible, modular API Server","url":null,"keywords":"api server http json websocket socket kue express framework actionHero","version":"0.7.2","words":"apx a scalable, extensible, modular api server =nullivex api server http json websocket socket kue express framework actionhero","author":"=nullivex","date":"2014-02-05 "},{"name":"apx-express-socket.io","description":"Express HTTP Server, and Socket.IO translator for APX API server","url":null,"keywords":"express socket.io translator apx","version":"0.3.1","words":"apx-express-socket.io express http server, and socket.io translator for apx api server =nullivex express socket.io translator apx","author":"=nullivex","date":"2014-03-27 "},{"name":"apx-helper-crud","description":"CRUD (Create Read Update Delete) helper for APX API server actions ","url":null,"keywords":"mongoose helper crud apx","version":"0.2.5","words":"apx-helper-crud crud (create read update delete) helper for apx api server actions =nullivex mongoose helper crud apx","author":"=nullivex","date":"2014-02-05 "},{"name":"apx-kue","description":"Kue initializer and job handler for APX API server","url":null,"keywords":"kue jobs task queue scheduler initializer apx","version":"0.1.0","words":"apx-kue kue initializer and job handler for apx api server =nullivex kue jobs task queue scheduler initializer apx","author":"=nullivex","date":"2013-12-27 "},{"name":"apx-mongoose","description":"Mongoose initializer for APX API server","url":null,"keywords":"mongoose initializer apx","version":"0.5.1","words":"apx-mongoose mongoose initializer for apx api server =nullivex mongoose initializer apx","author":"=nullivex","date":"2014-01-23 "},{"name":"apx-roles","description":"Initializer for node-roles for APX API server","url":null,"keywords":"roles permissions auth apx","version":"0.1.0","words":"apx-roles initializer for node-roles for apx api server =nullivex roles permissions auth apx","author":"=nullivex","date":"2014-02-05 "},{"name":"apx-session","description":"Session manager for APX API server","url":null,"keywords":"session object-manage initializer apx","version":"0.2.2","words":"apx-session session manager for apx api server =nullivex session object-manage initializer apx","author":"=nullivex","date":"2014-01-30 "},{"name":"apx-winston","description":"Winston Logger initializer for APX API server","url":null,"keywords":"winston logger log initializer apx","version":"0.1.1","words":"apx-winston winston logger initializer for apx api server =nullivex winston logger log initializer apx","author":"=nullivex","date":"2014-01-08 "},{"name":"apy","description":"Apy is a simple client-side library for making rest api ajax calls.","url":null,"keywords":"api rest ajax crud","version":"2.1.1","words":"apy apy is a simple client-side library for making rest api ajax calls. =goschevski api rest ajax crud","author":"=goschevski","date":"2014-05-15 "},{"name":"aq","description":"App which automates QUnit tests","url":null,"keywords":"","version":"0.0.6","words":"aq app which automates qunit tests =krisk","author":"=krisk","date":"2012-05-13 "},{"name":"AQ","description":"App which automates QUnit tests","url":null,"keywords":"","version":"0.0.1","words":"aq app which automates qunit tests =krisk","author":"=krisk","date":"2012-04-26 "},{"name":"aqax","description":"Minimal, promised based XMLHttpRequest wrapper","url":null,"keywords":"","version":"0.0.2","words":"aqax minimal, promised based xmlhttprequest wrapper =philmander","author":"=philmander","date":"2014-05-18 "},{"name":"aqb","description":"ArangoDB AQL query builder.","url":null,"keywords":"arangodb aql nosql query","version":"1.3.0","words":"aqb arangodb aql query builder. =pluma arangodb aql nosql query","author":"=pluma","date":"2014-09-14 "},{"name":"aql","description":"A wrapper around AQL's APIs (SMS/Fax/VoIP)","url":null,"keywords":"","version":"0.0.3-alpha","words":"aql a wrapper around aql's apis (sms/fax/voip) =danjenkins =joezo =viktort =pauly =rahulpatel","author":"=danjenkins =joezo =viktort =pauly =rahulpatel","date":"2013-09-24 "},{"name":"aql-parser","description":"A parser for AQL in node using jison.","url":null,"keywords":"aql sql parser","version":"0.1.1","words":"aql-parser a parser for aql in node using jison. =stanistan aql sql parser","author":"=stanistan","date":"2012-11-26 "},{"name":"aqua","description":"AQUA: Automated QUality Analysis; used to raise the visibility of code quality and increase awareness within teams by getting immediate feedback about code smells before they become technical debt.","url":null,"keywords":"automate automation analysis analyze code quality code style test testing unit unit test amd commonjs gragh chart dependency requirejs tdd functional end-to-end e2e test bdd istanbul halstead cyclomatic complexity lint jslint jshint checker closure linter closure compiler instrument instrumentation analytics metrics stats statistics report documentation","version":"0.2.2","words":"aqua aqua: automated quality analysis; used to raise the visibility of code quality and increase awareness within teams by getting immediate feedback about code smells before they become technical debt. =daniellmb automate automation analysis analyze code quality code style test testing unit unit test amd commonjs gragh chart dependency requirejs tdd functional end-to-end e2e test bdd istanbul halstead cyclomatic complexity lint jslint jshint checker closure linter closure compiler instrument instrumentation analytics metrics stats statistics report documentation","author":"=daniellmb","date":"2014-07-30 "},{"name":"aquaduck","description":"Aquaduck aims to duplicate/replace the routing functionality in beeline","url":null,"keywords":"","version":"0.0.4","words":"aquaduck aquaduck aims to duplicate/replace the routing functionality in beeline =korynunn","author":"=korynunn","date":"2014-03-31 "},{"name":"aquatic-prime","description":"node.js port of AquaticPrime license generator","url":null,"keywords":"aquaticprime licensing","version":"0.0.3","words":"aquatic-prime node.js port of aquaticprime license generator =max.desyatov aquaticprime licensing","author":"=max.desyatov","date":"2013-04-30 "},{"name":"aqueduct","description":"ES6 generated-based job queue / job runner for the browser","url":null,"keywords":"generator job queue job runner","version":"0.0.1","words":"aqueduct es6 generated-based job queue / job runner for the browser =felixlaumon generator job queue job runner","author":"=felixlaumon","date":"2014-03-18 "},{"name":"aqueous","keywords":"","version":[],"words":"aqueous","author":"","date":"2014-04-05 "},{"name":"aquery","description":"Selenium powered node.js JQuery-like interface for Test","url":null,"keywords":"","version":"0.0.1","words":"aquery selenium powered node.js jquery-like interface for test =cyrjano","author":"=cyrjano","date":"2013-02-23 "},{"name":"aquire","keywords":"","version":[],"words":"aquire","author":"","date":"2014-02-22 "},{"name":"ar","description":"ar - Read Unix archive files.","url":null,"keywords":"","version":"0.0.1","words":"ar ar - read unix archive files. =jvilk","author":"=jvilk","date":"2013-12-19 "},{"name":"ar-config","keywords":"","version":[],"words":"ar-config","author":"","date":"2014-08-26 "},{"name":"ar-drone","description":"A node.js client for controlling Parrot AR Drone 2.0 quad-copters.","url":null,"keywords":"","version":"0.3.2","words":"ar-drone a node.js client for controlling parrot ar drone 2.0 quad-copters. =felixge =bkw =jfsiii =fractal =eschnou =andrewnez =wiseman =rschmukler","author":"=felixge =bkw =jfsiii =fractal =eschnou =andrewnez =wiseman =rschmukler","date":"2014-05-03 "},{"name":"ar-drone-browserified","description":"A node.js client for controlling Parrot AR Drone 2.0 quad-copters.","url":null,"keywords":"","version":"0.0.5","words":"ar-drone-browserified a node.js client for controlling parrot ar drone 2.0 quad-copters. =shama","author":"=shama","date":"2013-01-17 "},{"name":"ar-drone-fleet","description":"Control multiple ar drones using Node.js, module wraps @felixge's https://github.com/felixge/node-ar-drone module.","url":null,"keywords":"","version":"0.0.3","words":"ar-drone-fleet control multiple ar drones using node.js, module wraps @felixge's https://github.com/felixge/node-ar-drone module. =adammagaluk","author":"=adammagaluk","date":"2013-03-26 "},{"name":"ar-drone-png-stream","description":"HTTP png stream from nodecopter using multipart/x-mixed-replace","url":null,"keywords":"ar-drone nodecopter png stream x-mixed-replace multipart","version":"2.0.0","words":"ar-drone-png-stream http png stream from nodecopter using multipart/x-mixed-replace =soarez ar-drone nodecopter png stream x-mixed-replace multipart","author":"=soarez","date":"2014-03-02 "},{"name":"ar-etcd","keywords":"","version":[],"words":"ar-etcd","author":"","date":"2014-07-18 "},{"name":"ar-etcd-deis","description":"Tool used to parse the host/port of an application deployed in Deis from etcd","url":null,"keywords":"etcd deis","version":"0.0.2","words":"ar-etcd-deis tool used to parse the host/port of an application deployed in deis from etcd =quyennt etcd deis","author":"=quyennt","date":"2014-07-18 "},{"name":"ar-github-example","description":"Get a list of github repos for a user","url":null,"keywords":"","version":"0.0.2","words":"ar-github-example get a list of github repos for a user =akvgithubusr","author":"=akvgithubusr","date":"2014-01-24 "},{"name":"arabica","description":"A build tool for CoffeeScript/JavaScript projects","url":null,"keywords":"kona coffeescript javascript build compile","version":"1.0.2","words":"arabica a build tool for coffeescript/javascript projects =andrewberls kona coffeescript javascript build compile","author":"=andrewberls","date":"2013-05-10 "},{"name":"arabicstring","description":"A Javascript library that extends the native String object with methods to help when dealing with Arabic strings for node and the browser.","url":null,"keywords":"arabic string language rtl","version":"0.0.1","words":"arabicstring a javascript library that extends the native string object with methods to help when dealing with arabic strings for node and the browser. =ahmads arabic string language rtl","author":"=ahmads","date":"2014-02-10 "},{"name":"arabika","description":"A language that compiles to JavaScript","url":null,"keywords":"CoffeeScript, parsing, parser combinators","version":"0.0.4","words":"arabika a language that compiles to javascript =loveencounterflow coffeescript, parsing, parser combinators","author":"=loveencounterflow","date":"2014-05-26 "},{"name":"arachnid","description":"node.js spider/crawler","url":null,"keywords":"","version":"0.0.0","words":"arachnid node.js spider/crawler =dbalcomb","author":"=dbalcomb","date":"2013-07-05 "},{"name":"arachnid-shared","url":null,"keywords":"","version":"1.5.2","words":"arachnid-shared =alexey.petrushin","author":"=alexey.petrushin","date":"2014-08-01 "},{"name":"arale","description":"Arale Class and Events","url":null,"keywords":"class events OOP","version":"0.2.0","words":"arale arale class and events =lepture =lifesinger =popomore class events oop","author":"=lepture =lifesinger =popomore","date":"2012-12-19 "},{"name":"arango","description":"ArangoDB javascript client","url":null,"keywords":"arangodb client nosql","version":"0.4.4","words":"arango arangodb javascript client =kaerus arangodb client nosql","author":"=kaerus","date":"2014-02-06 "},{"name":"arango-api","keywords":"","version":[],"words":"arango-api","author":"","date":"2014-07-15 "},{"name":"arango.client","description":"ArangoDB javascript client","url":null,"keywords":"arangodb nosql qunit amd","version":"0.5.6","words":"arango.client arangodb javascript client =kaerus arangodb nosql qunit amd","author":"=kaerus","date":"2012-10-26 "},{"name":"arangodep","description":"ArangoDB deployment tool","url":null,"keywords":"arango client arangodb nosql","version":"0.6.0","words":"arangodep arangodb deployment tool =kaerus arango client arangodb nosql","author":"=kaerus","date":"2014-09-20 "},{"name":"arangojs","description":"ArangoDB javascript client","url":null,"keywords":"arangodb client nosql","version":"1.0.0","words":"arangojs arangodb javascript client =fbartels arangodb client nosql","author":"=fbartels","date":"2014-02-11 "},{"name":"arangojs-extended","description":"Extended APIs for ArangoJS (an ArangoDB Javascript driver)","url":null,"keywords":"arango arangodb arangojs revision version history extended","version":"0.0.4","words":"arangojs-extended extended apis for arangojs (an arangodb javascript driver) =sogko arango arangodb arangojs revision version history extended","author":"=sogko","date":"2014-08-02 "},{"name":"arania","description":"Node.js screen scraping and web crawling module","url":null,"keywords":"crawler spider","version":"0.1.2","words":"arania node.js screen scraping and web crawling module =dreyacosta crawler spider","author":"=dreyacosta","date":"2014-09-14 "},{"name":"aranna","description":"Entity Component System","url":null,"keywords":"","version":"0.0.1","words":"aranna entity component system =danielepolencic","author":"=danielepolencic","date":"2014-07-05 "},{"name":"aranta","description":"Simple and flexible randomization framework","url":null,"keywords":"random mersenne twister lagged fibonacci linear congruential","version":"0.0.2","words":"aranta simple and flexible randomization framework =denisix random mersenne twister lagged fibonacci linear congruential","author":"=denisix","date":"2013-09-03 "},{"name":"arash-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.0","words":"arash-github-example get a list of github user repos =arashsaffari","author":"=arashsaffari","date":"2014-04-03 "},{"name":"arbetsgivaravgift","description":"Räkna ut arbetsgivaravgift","url":null,"keywords":"","version":"0.0.1","words":"arbetsgivaravgift räkna ut arbetsgivaravgift =karboh","author":"=karboh","date":"2013-05-26 "},{"name":"arbiter","description":"Lightweight html5 history pushState library","url":null,"keywords":"ender history pushState html5","version":"0.0.2","words":"arbiter lightweight html5 history pushstate library =iamdustan ender history pushstate html5","author":"=iamdustan","date":"2012-03-09 "},{"name":"arbiter-node","description":"Wrapper for the Arbiter API. arbiter.me","url":null,"keywords":"arbiter game betting","version":"1.1.0","words":"arbiter-node wrapper for the arbiter api. arbiter.me =andyzinsser arbiter game betting","author":"=andyzinsser","date":"2014-01-07 "},{"name":"arbiter-subpub","description":"Arbiter.js is a light-weight, library-agnostic javascript implementation of the pub/sub pattern","url":null,"keywords":"arbiter sub pub decouple","version":"1.0.0","words":"arbiter-subpub arbiter.js is a light-weight, library-agnostic javascript implementation of the pub/sub pattern =raisdead arbiter sub pub decouple","author":"=raisdead","date":"2014-05-29 "},{"name":"arbor","keywords":"","version":[],"words":"arbor","author":"","date":"2013-03-08 "},{"name":"arboreal","keywords":"","version":[],"words":"arboreal","author":"","date":"2014-04-05 "},{"name":"arboria","description":"A fixture loader for mongo (that doesn't db.open)","url":null,"keywords":"mongo fixtures","version":"0.1.0","words":"arboria a fixture loader for mongo (that doesn't db.open) =shanejonas mongo fixtures","author":"=shanejonas","date":"2013-10-30 "},{"name":"arborist","description":"build, flatten and walk trees","url":null,"keywords":"","version":"0.0.5","words":"arborist build, flatten and walk trees =jessetane","author":"=jessetane","date":"2013-11-07 "},{"name":"arc","description":"draw great circle arcs","url":null,"keywords":"maps spherical globe rhumb line crow flies great circle","version":"0.1.0","words":"arc draw great circle arcs =springmeyer =tmcw maps spherical globe rhumb line crow flies great circle","author":"=springmeyer =tmcw","date":"2014-02-11 "},{"name":"arc-dealroom","keywords":"","version":[],"words":"arc-dealroom","author":"","date":"2014-05-08 "},{"name":"arc-js","description":"An Arc-langugage compiler and VM-interpreter written in JavaScript.","url":null,"keywords":"Arc interpreter language arclang","version":"0.1.4","words":"arc-js an arc-langugage compiler and vm-interpreter written in javascript. =smihica arc interpreter language arclang","author":"=smihica","date":"2014-08-21 "},{"name":"arc4","description":"rc4 stream cipher","url":null,"keywords":"rc4 stream cipher","version":"3.0.4","words":"arc4 rc4 stream cipher =hex7c0 rc4 stream cipher","author":"=hex7c0","date":"2014-09-09 "},{"name":"arc4rand","description":"a seedable random number generator","url":null,"keywords":"rng random seed","version":"0.0.2","words":"arc4rand a seedable random number generator =jasonallen rng random seed","author":"=jasonallen","date":"2013-02-26 "},{"name":"arc_jsonex","description":"Arc - jsonex computation engine","url":null,"keywords":"jsonex async callable","version":"0.1.2","words":"arc_jsonex arc - jsonex computation engine =dimsmol jsonex async callable","author":"=dimsmol","date":"2014-06-18 "},{"name":"arca","description":"little tool to download files from a public dropbox folder","url":null,"keywords":"dropbox","version":"2.0.3","words":"arca little tool to download files from a public dropbox folder =ramitos dropbox","author":"=ramitos","date":"2012-01-19 "},{"name":"arcabouco-js","description":"scalable microframework in node.js","url":null,"keywords":"framework web footprint lightweight","version":"0.9.1","words":"arcabouco-js scalable microframework in node.js =patricknegri framework web footprint lightweight","author":"=patricknegri","date":"2012-03-02 "},{"name":"arcabouco-tasks","description":"async handlers for arcabouco-js","url":null,"keywords":"","version":"0.1.2","words":"arcabouco-tasks async handlers for arcabouco-js =patricknegri","author":"=patricknegri","date":"2012-02-27 "},{"name":"arcade","url":null,"keywords":"","version":"0.0.2","words":"arcade =playbox","author":"=playbox","date":"2014-05-25 "},{"name":"arcane","description":"Simple crypt/decrypt text tool for node","url":null,"keywords":"","version":"0.1.0","words":"arcane simple crypt/decrypt text tool for node =goatslacker","author":"=goatslacker","date":"2011-06-04 "},{"name":"arcball","description":"A simple library agnostic arcball camera.","url":null,"keywords":"arcball 3D quaternion webgl","version":"0.0.0","words":"arcball a simple library agnostic arcball camera. =mikolalysenko arcball 3d quaternion webgl","author":"=mikolalysenko","date":"2014-03-19 "},{"name":"arcee","description":"Easy configuration","url":null,"keywords":"rc config toml yaml arcee","version":"0.2.1","words":"arcee easy configuration =medimatrix rc config toml yaml arcee","author":"=medimatrix","date":"2014-08-28 "},{"name":"arcgis-rest-client","description":"ArcGIS Server REST API client module for Node.js","url":null,"keywords":"arcgis server rest api client","version":"0.0.2","words":"arcgis-rest-client arcgis server rest api client module for node.js =burmisov arcgis server rest api client","author":"=burmisov","date":"2014-08-19 "},{"name":"arch","description":"A small toolkit-framework","url":null,"keywords":"server http framework toolkit arch","version":"0.0.2","words":"arch a small toolkit-framework =raynos server http framework toolkit arch","author":"=raynos","date":"2011-10-19 "},{"name":"arch-orchestrator","description":"Orchestrator for large node.js applications","url":null,"keywords":"orchestrator node.js large application architecture","version":"1.4.9","words":"arch-orchestrator orchestrator for large node.js applications =ivpusic orchestrator node.js large application architecture","author":"=ivpusic","date":"2014-06-15 "},{"name":"archaeologist","description":"A Node.js module for working with the ESRI ArcGIS Server REST API.","url":null,"keywords":"","version":"0.0.4","words":"archaeologist a node.js module for working with the esri arcgis server rest api. =mdb","author":"=mdb","date":"2013-05-25 "},{"name":"archai","description":"of-course, the cosmos is alive","url":null,"keywords":"astrology perspective hellenistic postmodern archetypal cosmos stuff","version":"0.2.1","words":"archai of-course, the cosmos is alive =orlin astrology perspective hellenistic postmodern archetypal cosmos stuff","author":"=orlin","date":"2013-02-24 "},{"name":"archan","description":"Array-like generator-based channels","url":null,"keywords":"","version":"0.4.1","words":"archan array-like generator-based channels =jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse","author":"=jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse","date":"2014-04-25 "},{"name":"archdb","description":"Simple but powerful NoSQL document-oriented database that runs in nodejs or any modern browser that supports localStorage.","url":null,"keywords":"database data nosql document","version":"0.0.2","words":"archdb simple but powerful nosql document-oriented database that runs in nodejs or any modern browser that supports localstorage. =tarruda database data nosql document","author":"=tarruda","date":"2013-08-01 "},{"name":"archer","description":"一个面向移动端的、基于stylus的样式工具库。","url":null,"keywords":"","version":"0.1.1","words":"archer 一个面向移动端的、基于stylus的样式工具库。 =firede","author":"=firede","date":"2013-11-24 "},{"name":"archer-lipsum","description":"A lipsum generator based on the show Archer","url":null,"keywords":"lipsum archer","version":"0.0.1","words":"archer-lipsum a lipsum generator based on the show archer =sugendran lipsum archer","author":"=sugendran","date":"2013-10-21 "},{"name":"archerbot","description":"mineflayer bot that engages you in a gentlemanly duel","url":null,"keywords":"","version":"0.0.6","words":"archerbot mineflayer bot that engages you in a gentlemanly duel =superjoe","author":"=superjoe","date":"2013-02-10 "},{"name":"archetyp","description":"Some module...","url":null,"keywords":"","version":"0.0.0","words":"archetyp some module... =simonfan","author":"=simonfan","date":"2014-02-03 "},{"name":"archetype","description":"A web framework leveraging Node.js","url":null,"keywords":"","version":"0.0.4","words":"archetype a web framework leveraging node.js =jefftrudeau","author":"=jefftrudeau","date":"2011-07-22 "},{"name":"archetypo","description":"Some module...","url":null,"keywords":"","version":"0.0.0","words":"archetypo some module... =simonfan","author":"=simonfan","date":"2014-02-03 "},{"name":"archey","description":"Archey.js is a system information tool written in JS (based on Archey) ","url":null,"keywords":"archey system information tool","version":"0.0.6","words":"archey archey.js is a system information tool written in js (based on archey) =mixu archey system information tool","author":"=mixu","date":"2014-09-19 "},{"name":"archie","description":"Simple archetypes inspired by mvn archetype:generate.","url":null,"keywords":"skeleton archetype scaffold generator","version":"0.0.1","words":"archie simple archetypes inspired by mvn archetype:generate. =simplyianm skeleton archetype scaffold generator","author":"=simplyianm","date":"2012-06-02 "},{"name":"archie-platform","description":"Runnable platform for Ask.com web sites.","url":null,"keywords":"","version":"0.1.0","words":"archie-platform runnable platform for ask.com web sites. =builder","author":"=builder","date":"2014-07-17 "},{"name":"archimedes","description":"A simple ORDFM","url":null,"keywords":"","version":"0.0.1","words":"archimedes a simple ordfm =namlook","author":"=namlook","date":"2014-03-07 "},{"name":"archimedes-principle","description":"A bouyancy calculator","url":null,"keywords":"","version":"0.0.1","words":"archimedes-principle a bouyancy calculator =keyvanfatehi","author":"=keyvanfatehi","date":"2014-04-05 "},{"name":"architect","description":"A Simple yet powerful plugin system for node applications","url":null,"keywords":"","version":"0.1.11","words":"architect a simple yet powerful plugin system for node applications =fjakobs =sergi =creationix =lennartcl","author":"=fjakobs =sergi =creationix =lennartcl","date":"2014-02-19 "},{"name":"architect-agent","description":"This is the rpc agent for the architect plugin framework","url":null,"keywords":"","version":"0.2.2","words":"architect-agent this is the rpc agent for the architect plugin framework =creationix =fjakobs","author":"=creationix =fjakobs","date":"2013-01-14 "},{"name":"architect-browserify","description":"Browserify plugin for Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-browserify browserify plugin for architect =camshaft","author":"=camshaft","date":"2012-08-23 "},{"name":"architect-demo","description":"Demo application build with the architect plugin system","url":null,"keywords":"","version":"0.0.2","words":"architect-demo demo application build with the architect plugin system =fjakobs","author":"=fjakobs","date":"2012-02-29 "},{"name":"architect-eventbus","description":"Event bus for architect","url":null,"keywords":"architect event plugin","version":"0.0.1","words":"architect-eventbus event bus for architect =cayasso architect event plugin","author":"=cayasso","date":"2013-01-09 "},{"name":"architect-express","description":"Express plugin for Architect","url":null,"keywords":"","version":"0.1.0","words":"architect-express express plugin for architect =camshaft","author":"=camshaft","date":"2012-09-08 "},{"name":"architect-express-app","description":"Wrapper to provide express.js as plugin to architect.js app","url":null,"keywords":"","version":"0.0.4","words":"architect-express-app wrapper to provide express.js as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-14 "},{"name":"architect-express-bodyparser","description":"Wrapper to provide express bodyparser middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.2","words":"architect-express-bodyparser wrapper to provide express bodyparser middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-browserify","description":"Wrapper to provide express browserify-middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.2","words":"architect-express-browserify wrapper to provide express browserify-middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-07 "},{"name":"architect-express-cookieparser","description":"Wrapper to provide express cookieparser middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.2","words":"architect-express-cookieparser wrapper to provide express cookieparser middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-errorhandler","description":"Wrapper to provide express errorhandler middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.4","words":"architect-express-errorhandler wrapper to provide express errorhandler middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-25 "},{"name":"architect-express-favicon","description":"Wrapper so express favicon middleware can be plugged into a architect.js application.","url":null,"keywords":"","version":"0.0.3","words":"architect-express-favicon wrapper so express favicon middleware can be plugged into a architect.js application. =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-harp","description":"Wrapper to provide harp module as middleware and plugin to architect.js app","url":null,"keywords":"","version":"0.0.8","words":"architect-express-harp wrapper to provide harp module as middleware and plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-13 "},{"name":"architect-express-logger","description":"Wrapper to provide express logger middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.3","words":"architect-express-logger wrapper to provide express logger middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-methodoverride","description":"Wrapper to provide express methodoverride middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.3","words":"architect-express-methodoverride wrapper to provide express methodoverride middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-resource","description":"Allows other architect plugins to create resources through sub apps","url":null,"keywords":"","version":"0.0.1","words":"architect-express-resource allows other architect plugins to create resources through sub apps =camshaft","author":"=camshaft","date":"2012-08-22 "},{"name":"architect-express-server","description":"Wrapper to provide express.js as plugin to architect.js app","url":null,"keywords":"","version":"0.0.10","words":"architect-express-server wrapper to provide express.js as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-13 "},{"name":"architect-express-session","description":"Wrapper to provide express session middleware module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.3","words":"architect-express-session wrapper to provide express session middleware module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-express-site-server","description":"Wrapper to provide harp module as middleware and plugin to architect.js app","url":null,"keywords":"","version":"0.0.5","words":"architect-express-site-server wrapper to provide harp module as middleware and plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-13 "},{"name":"architect-express-static","description":"Static folder configuration for Express/Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-express-static static folder configuration for express/architect =camshaft","author":"=camshaft","date":"2012-08-22 "},{"name":"architect-fake-transports","description":"This is a fake transport useful for unit tests without real tcp.","url":null,"keywords":"","version":"0.2.0","words":"architect-fake-transports this is a fake transport useful for unit tests without real tcp. =creationix =fjakobs","author":"=creationix =fjakobs","date":"2013-01-14 "},{"name":"architect-http","description":"Wrapper to provide http as plugin to architect.js app","url":null,"keywords":"","version":"0.0.2","words":"architect-http wrapper to provide http as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-09-14 "},{"name":"architect-init","description":"CLI tool to help you start a new Architect app by creating all the structure and main files.","url":null,"keywords":"architect plugins init scaffold","version":"0.1.4","words":"architect-init cli tool to help you start a new architect app by creating all the structure and main files. =leeroy architect plugins init scaffold","author":"=leeroy","date":"2013-12-18 "},{"name":"architect-log4js","description":"Architect plugin to provide logging facilities.","url":null,"keywords":"architect log log4js logger","version":"0.0.2","words":"architect-log4js architect plugin to provide logging facilities. =jcreigno architect log log4js logger","author":"=jcreigno","date":"2014-03-17 "},{"name":"architect-logger","description":"Winston plugin for Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-logger winston plugin for architect =camshaft","author":"=camshaft","date":"2012-08-22 "},{"name":"architect-mandrill-api","description":"Wrapper to provide mandrill-api module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.4","words":"architect-mandrill-api wrapper to provide mandrill-api module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-mongodb-native","description":"Expose a mongodb client as architect plugin.","url":null,"keywords":"architect mongodb mongodb-native","version":"0.0.1","words":"architect-mongodb-native expose a mongodb client as architect plugin. =jcreigno architect mongodb mongodb-native","author":"=jcreigno","date":"2014-06-19 "},{"name":"architect-mongolab-api","description":"Wrapper to provide mongolab-provider module as plugin to architect.js app","url":null,"keywords":"","version":"0.0.3","words":"architect-mongolab-api wrapper to provide mongolab-provider module as plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-pg-pool","description":"architect postgresql connection pool","url":null,"keywords":"postgresql pool pg architect","version":"0.1.0","words":"architect-pg-pool architect postgresql connection pool =jcreigno postgresql pool pg architect","author":"=jcreigno","date":"2014-09-10 "},{"name":"architect-request","description":"Request plugin for Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-request request plugin for architect =camshaft","author":"=camshaft","date":"2012-08-21 "},{"name":"architect-restify","description":"expose restify server as architect plugin","url":null,"keywords":"architect restify","version":"0.0.1","words":"architect-restify expose restify server as architect plugin =jcreigno architect restify","author":"=jcreigno","date":"2014-03-04 "},{"name":"architect-socket-transport","description":"This is a tcp + msgpack based transport for architect-agent","url":null,"keywords":"","version":"0.3.0","words":"architect-socket-transport this is a tcp + msgpack based transport for architect-agent =creationix =fjakobs","author":"=creationix =fjakobs","date":"2013-01-14 "},{"name":"architect-stompjs","description":"nodejs architect service that provide messaging based on stompjs.","url":null,"keywords":"architect stompjs","version":"0.1.2","words":"architect-stompjs nodejs architect service that provide messaging based on stompjs. =jcreigno architect stompjs","author":"=jcreigno","date":"2014-03-25 "},{"name":"architect-stylus","description":"Stylus plugin for Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-stylus stylus plugin for architect =camshaft","author":"=camshaft","date":"2012-08-22 "},{"name":"architect-utils","description":"Wrapper to provide some useful utilities like the debub package as a plugin to architect.js app","url":null,"keywords":"","version":"0.0.3","words":"architect-utils wrapper to provide some useful utilities like the debub package as a plugin to architect.js app =tbashor","author":"=tbashor","date":"2014-08-24 "},{"name":"architect-validator","description":"Validator for Architect","url":null,"keywords":"","version":"0.0.1","words":"architect-validator validator for architect =camshaft","author":"=camshaft","date":"2012-08-22 "},{"name":"archive","description":"Node.js bindings to libarchive","url":null,"keywords":"","version":"0.0.2","words":"archive node.js bindings to libarchive =skomski","author":"=skomski","date":"2012-03-29 "},{"name":"archive-type","description":"Detect the archive type of a Buffer/Uint8Array","url":null,"keywords":"7zip archive buffer bz2 bzip2 check detect gz gzip mime rar zip type","version":"1.0.2","words":"archive-type detect the archive type of a buffer/uint8array =kevva 7zip archive buffer bz2 bzip2 check detect gz gzip mime rar zip type","author":"=kevva","date":"2014-08-25 "},{"name":"archive.org","description":"Interface with the archive.org api","url":null,"keywords":"","version":"0.0.7","words":"archive.org interface with the archive.org api =switz","author":"=switz","date":"2013-04-03 "},{"name":"archiver","description":"a streaming interface for archive generation","url":null,"keywords":"archive archiver stream zip tar","version":"0.1.1","words":"archiver a streaming interface for archive generation =ctalkington archive archiver stream zip tar","author":"=ctalkington","date":"2014-08-24 "},{"name":"archiver-staging","description":"a streaming interface for archive generation","url":null,"keywords":"archive archiver stream zip tar","version":"0.0.1","words":"archiver-staging a streaming interface for archive generation =aristide archive archiver stream zip tar","author":"=aristide","date":"2014-04-16 "},{"name":"archives-digital","keywords":"","version":[],"words":"archives-digital","author":"","date":"2014-06-23 "},{"name":"archivist","description":"prototype of the Archivist archetype for the Personify framework","url":null,"keywords":"","version":"1.0.0","words":"archivist prototype of the archivist archetype for the personify framework =swvisionary","author":"=swVisionary","date":"2012-05-15 "},{"name":"archivist-middleware","description":"Providing the highest quality browser cacheing since 1824","url":null,"keywords":"","version":"0.0.2","words":"archivist-middleware providing the highest quality browser cacheing since 1824 =jenius","author":"=jenius","date":"2014-06-12 "},{"name":"archivista","description":"gatta have the right tools for the right job, ya know?","url":null,"keywords":"update","version":"0.1.2","words":"archivista gatta have the right tools for the right job, ya know? =mechanicofthesequence update","author":"=mechanicofthesequence","date":"2013-07-05 "},{"name":"archivo","description":"A file serving helper","url":null,"keywords":"","version":"0.2.0","words":"archivo a file serving helper =ian","author":"=ian","date":"2012-08-21 "},{"name":"archivr-co-signature","description":"Signature utility for Archivr.co","url":null,"keywords":"","version":"0.0.3","words":"archivr-co-signature signature utility for archivr.co =yunghwakwon","author":"=yunghwakwon","date":"2014-03-22 "},{"name":"archivrco-sign","description":"Signature utility for Archivr.co","url":null,"keywords":"","version":"0.0.4","words":"archivrco-sign signature utility for archivr.co =yunghwakwon","author":"=yunghwakwon","date":"2014-04-01 "},{"name":"archon","description":"A helper to test battle code bots (battlecode.org)","url":null,"keywords":"battlecode battle code","version":"2.3.5","words":"archon a helper to test battle code bots (battlecode.org) =bovard battlecode battle code","author":"=bovard","date":"2014-01-23 "},{"name":"archy","description":"render nested hierarchies `npm ls` style with unicode pipes","url":null,"keywords":"hierarchy npm ls unicode pretty print","version":"1.0.0","words":"archy render nested hierarchies `npm ls` style with unicode pipes =substack hierarchy npm ls unicode pretty print","author":"=substack","date":"2014-09-14 "},{"name":"arcnearby","description":"Generate bounding box around center point and search ArcGIS REST service for features within it, sorted by distance","url":null,"keywords":"ArcGIS","version":"0.0.7","words":"arcnearby generate bounding box around center point and search arcgis rest service for features within it, sorted by distance =timwis arcgis","author":"=timwis","date":"2013-06-29 "},{"name":"arcseldon1","description":"this is just a demonstration to test out npm for nodejs module publishing","url":null,"keywords":"arcseldon","version":"0.0.1","words":"arcseldon1 this is just a demonstration to test out npm for nodejs module publishing =arcseldon arcseldon","author":"=arcseldon","date":"2012-10-28 "},{"name":"arctor","description":"A CommonJS module dependency mapper and graphing tool.","url":null,"keywords":"","version":"0.2.1","words":"arctor a commonjs module dependency mapper and graphing tool. =brentlintner","author":"=brentlintner","date":"2014-03-12 "},{"name":"arcus","description":"A set of tools for manipulating color values","url":null,"keywords":"color harmony conversion rgb ryb cmyk hsl color wheel color theory complementary analagous palettes","version":"0.1.1","words":"arcus a set of tools for manipulating color values =rhodesjason color harmony conversion rgb ryb cmyk hsl color wheel color theory complementary analagous palettes","author":"=rhodesjason","date":"2014-02-05 "},{"name":"arcus-fletching","description":"uPnP control point","url":null,"keywords":"uPnP SSDP SCPD DCP device rootDevice service control point","version":"0.0.3","words":"arcus-fletching upnp control point =pixnbits upnp ssdp scpd dcp device rootdevice service control point","author":"=pixnbits","date":"2014-06-23 "},{"name":"ArcusNode","description":"A RTMFP Rendevouz Server For Peer Assisted Networking With Adobe Flash","url":null,"keywords":"rtmfp flash p2p networking rendezvouz rtmp RPC","version":"0.0.4","words":"arcusnode a rtmfp rendevouz server for peer assisted networking with adobe flash =fredvb =kommander rtmfp flash p2p networking rendezvouz rtmp rpc","author":"=fredvb =kommander","date":"2013-04-16 "},{"name":"ard","description":"Archiva Release Downloader","url":null,"keywords":"archiva","version":"0.0.1","words":"ard archiva release downloader =robinduckett archiva","author":"=robinduckett","date":"2013-01-21 "},{"name":"ardnodeo","description":"A flexible and fluent interface between node and Arduino","url":null,"keywords":"","version":"0.1.1","words":"ardnodeo a flexible and fluent interface between node and arduino =koopero","author":"=koopero","date":"2014-09-18 "},{"name":"ardrone","description":"Control your Parrot AR.Drone","url":null,"keywords":"","version":"0.1.0","words":"ardrone control your parrot ar.drone =timjb =flybyme","author":"=timjb =flybyme","date":"2012-11-07 "},{"name":"ardrone-autonomy","description":"Building blocks for autonomous flying an AR.Drone.","url":null,"keywords":"drone ardrone nodecopter parrot autonomous kalman pid","version":"0.1.2","words":"ardrone-autonomy building blocks for autonomous flying an ar.drone. =eschnou drone ardrone nodecopter parrot autonomous kalman pid","author":"=eschnou","date":"2014-01-10 "},{"name":"ardrone-browser-3d","description":"3D display of the AR.Drone in a browser.","url":null,"keywords":"3D AR.Drone ardrone-webflight browser diy drone drone nodecopter parrot plugin three.js webflight","version":"0.1.1","words":"ardrone-browser-3d 3d display of the ar.drone in a browser. =wiseman 3d ar.drone ardrone-webflight browser diy drone drone nodecopter parrot plugin three.js webflight","author":"=wiseman","date":"2013-07-05 "},{"name":"ardrone-panorama","description":"Automated 360° Panorama with ARDrone 2.0.","url":null,"keywords":"drone ardrone nodecopter parrot autonomous photo picture panorama","version":"0.1.0","words":"ardrone-panorama automated 360° panorama with ardrone 2.0. =eschnou drone ardrone nodecopter parrot autonomous photo picture panorama","author":"=eschnou","date":"2013-09-01 "},{"name":"ardrone-web","description":"A web interface to control your ARDrone","url":null,"keywords":"","version":"0.1.0","words":"ardrone-web a web interface to control your ardrone =timjb =flybyme","author":"=timjb =flybyme","date":"2012-11-07 "},{"name":"ardrone-webflight","description":"Extensible remote-control environment for the AR Drone.","url":null,"keywords":"drone ardrone nodecopter parrot cockpit browser artificial horizon","version":"0.1.1","words":"ardrone-webflight extensible remote-control environment for the ar drone. =eschnou drone ardrone nodecopter parrot cockpit browser artificial horizon","author":"=eschnou","date":"2013-08-31 "},{"name":"arduino","description":"Control your Arduino with Node","url":null,"keywords":"arduino serialport robots","version":"0.2.3","words":"arduino control your arduino with node =voodootikigod arduino serialport robots","author":"=voodootikigod","date":"2011-06-01 "},{"name":"arduino-firmata","description":"Arduino Firmata implementation for Node.js","url":null,"keywords":"arduino firmata","version":"0.3.1","words":"arduino-firmata arduino firmata implementation for node.js =shokai arduino firmata","author":"=shokai","date":"2014-05-08 "},{"name":"arduino-logger","description":"A simple library to log the output from all arduino pins.","url":null,"keywords":"","version":"0.0.0","words":"arduino-logger a simple library to log the output from all arduino pins. =raphie","author":"=Raphie","date":"2012-05-29 "},{"name":"arduino-preferences","description":"parse and return object of global arduino preferences ","url":null,"keywords":"","version":"0.0.0","words":"arduino-preferences parse and return object of global arduino preferences =soldair","author":"=soldair","date":"2014-06-10 "},{"name":"arduino-zmq-proxy","description":"zmq proxy for arduino serial communication","url":null,"keywords":"arduino serial zmq","version":"0.1.0","words":"arduino-zmq-proxy zmq proxy for arduino serial communication =freshdried arduino serial zmq","author":"=freshdried","date":"2014-09-14 "},{"name":"arduino.vytronics","description":"Vytronics HMI compliant asychronous Arduino driver for NodeJS","url":null,"keywords":"vytronics hmi scada arduino node","version":"0.0.5","words":"arduino.vytronics vytronics hmi compliant asychronous arduino driver for nodejs =vytronics vytronics hmi scada arduino node","author":"=vytronics","date":"2014-08-24 "},{"name":"arduinodata","description":"computable dataset for Arduino devices and libraries","url":null,"keywords":"","version":"0.7.0","words":"arduinodata computable dataset for arduino devices and libraries =joshmarinacci","author":"=joshmarinacci","date":"2014-08-02 "},{"name":"arduinode","description":"Framework to connect the Arduino and node.js.","url":null,"keywords":"arduino serialport rpc","version":"0.9.0","words":"arduinode framework to connect the arduino and node.js. =mironal arduino serialport rpc","author":"=mironal","date":"2013-12-27 "},{"name":"ardus","keywords":"","version":[],"words":"ardus","author":"","date":"2014-08-25 "},{"name":"are","keywords":"","version":[],"words":"are","author":"","date":"2013-09-26 "},{"name":"are-you-a-cop","description":"Blocks cops from visiting your site. If they are they have to tell you.","url":null,"keywords":"","version":"0.0.1","words":"are-you-a-cop blocks cops from visiting your site. if they are they have to tell you. =fractal","author":"=fractal","date":"2014-07-28 "},{"name":"area","description":"An improved async-job counter","url":null,"keywords":"asynchronous async","version":"0.0.2","words":"area an improved async-job counter =esjeon asynchronous async","author":"=esjeon","date":"2013-11-29 "},{"name":"area-polygon","description":"Calculate the area of a simple polygon","url":null,"keywords":"","version":"1.0.0","words":"area-polygon calculate the area of a simple polygon =jongleberry","author":"=jongleberry","date":"2014-06-25 "},{"name":"area_selector","description":"Component to select an area over a component","url":null,"keywords":"div area","version":"0.0.3","words":"area_selector component to select an area over a component =4ndr01d3 div area","author":"=4ndr01d3","date":"2014-08-14 "},{"name":"areaeditor","description":"An editor integrated with Google Maps for editing GeoJSON MultiPolygons","url":null,"keywords":"geojson maps polygon multipolygon google googlemaps editor json","version":"0.0.3","words":"areaeditor an editor integrated with google maps for editing geojson multipolygons =skogsmaskin geojson maps polygon multipolygon google googlemaps editor json","author":"=skogsmaskin","date":"2013-06-04 "},{"name":"areas","description":"Areas - express routing for large projects","url":null,"keywords":"routes express routing engine","version":"0.0.2","words":"areas areas - express routing for large projects =robby routes express routing engine","author":"=robby","date":"2013-06-05 "},{"name":"arena-ini","description":"INI file parser for ArenaNet-style configs","url":null,"keywords":"","version":"0.1.0","words":"arena-ini ini file parser for arenanet-style configs =tivac","author":"=tivac","date":"2014-03-13 "},{"name":"ares","description":"A simple wrapper around childProcess.exec that helps keep process launching code clean","url":null,"keywords":"child process exec launch start ares","version":"0.0.12","words":"ares a simple wrapper around childprocess.exec that helps keep process launching code clean =mvegeto child process exec launch start ares","author":"=mvegeto","date":"2013-08-18 "},{"name":"ares-data","description":"Load information about employers from Czech ares service.","url":null,"keywords":"ares employer company czech","version":"1.2.2","words":"ares-data load information about employers from czech ares service. =sakren ares employer company czech","author":"=sakren","date":"2013-12-08 "},{"name":"ares-ide","description":"A browser-based code editor and UI designer for Enyo 2 projects","url":null,"keywords":"ide enyo phonegap android ios windowsphone blackberry webos html5","version":"0.2.11","words":"ares-ide a browser-based code editor and ui designer for enyo 2 projects =snowfix ide enyo phonegap android ios windowsphone blackberry webos html5","author":"=snowfix","date":"2014-04-11 "},{"name":"ares_api","description":"node js wrapper to use Ares api","url":null,"keywords":"Ares api","version":"0.0.1","words":"ares_api node js wrapper to use ares api =gaultier ares api","author":"=gaultier","date":"2014-03-25 "},{"name":"arest","description":"A Node.JS module for the aREST Arduino library","url":null,"keywords":"arduino","version":"0.1.5","words":"arest a node.js module for the arest arduino library =marcoschwartz arduino","author":"=marcoschwartz","date":"2014-07-16 "},{"name":"arete","description":"load testing for APIs and websites using node. tastes great with mocha","url":null,"keywords":"load load testing stress mocha","version":"0.1.0","words":"arete load testing for apis and websites using node. tastes great with mocha =capablemonkey load load testing stress mocha","author":"=capablemonkey","date":"2014-08-17 "},{"name":"areus-di","description":"Areus Dependency Injector","url":null,"keywords":"","version":"0.1.0","words":"areus-di areus dependency injector =nemtsov","author":"=nemtsov","date":"2014-09-20 "},{"name":"areyousure","description":"Inline confirmation dialogs for Javascript.","url":null,"keywords":"","version":"0.1.0","words":"areyousure inline confirmation dialogs for javascript. =sloria","author":"=sloria","date":"2014-02-08 "},{"name":"arg","description":"Simple arguments parser in 100 bytes","url":null,"keywords":"arg args arguments arguments parser","version":"0.0.1","words":"arg simple arguments parser in 100 bytes =tnhu arg args arguments arguments parser","author":"=tnhu","date":"2012-06-01 "},{"name":"arg-count","keywords":"","version":[],"words":"arg-count","author":"","date":"2013-07-07 "},{"name":"arg-err","description":"Lightweight validator for function arguments","url":null,"keywords":"validation utility","version":"0.0.8","words":"arg-err lightweight validator for function arguments =andrey-p validation utility","author":"=andrey-p","date":"2014-06-20 "},{"name":"arg-parser","description":"node cli arguments parser","url":null,"keywords":"args parser","version":"1.1.0","words":"arg-parser node cli arguments parser =tborychowski args parser","author":"=tborychowski","date":"2014-06-10 "},{"name":"arg-validator","description":"It makes easier validations of function arguments.","url":null,"keywords":"validator validation validate arg args arguments function","version":"0.2.0","words":"arg-validator it makes easier validations of function arguments. =shaoshing validator validation validate arg args arguments function","author":"=shaoshing","date":"2014-06-20 "},{"name":"arg1","description":"Function wrapper that only passes 1st argument to function","url":null,"keywords":"wrapper callback arguments utility closure function","version":"0.1.0","words":"arg1 function wrapper that only passes 1st argument to function =odysseas wrapper callback arguments utility closure function","author":"=odysseas","date":"2013-12-15 "},{"name":"argchecker","description":"A command line options parser","url":null,"keywords":"argument option command cli","version":"0.2.3","words":"argchecker a command line options parser =tasogarepg argument option command cli","author":"=tasogarepg","date":"2013-05-18 "},{"name":"argent","description":"Declarative handling of optional parameters","url":null,"keywords":"optional parameters function","version":"0.1.0","words":"argent declarative handling of optional parameters =aravindet optional parameters function","author":"=aravindet","date":"2013-12-17 "},{"name":"argent-cli","keywords":"","version":[],"words":"argent-cli","author":"","date":"2014-02-08 "},{"name":"argent-drivers","description":"Drivers to lottoplus database stores.","url":null,"keywords":"lottoplus nlcb scraper draws playwhe trinidad tobago devon olivier","version":"2.1.2","words":"argent-drivers drivers to lottoplus database stores. =devon-olivier lottoplus nlcb scraper draws playwhe trinidad tobago devon olivier","author":"=devon-olivier","date":"2014-04-11 "},{"name":"argf","description":"Ruby's ARGF object for Node.","url":null,"keywords":"ARGF ruby","version":"0.0.1","words":"argf ruby's argf object for node. =tokuhirom argf ruby","author":"=tokuhirom","date":"2012-09-03 "},{"name":"argg","description":"A poor man's test runner for tap, tape, or similar, that also can be used with istanbul. It's just three lines of code to require all globs or pathnames provided as command line arguments.","url":null,"keywords":"tap tape istanbul","version":"0.0.1","words":"argg a poor man's test runner for tap, tape, or similar, that also can be used with istanbul. it's just three lines of code to require all globs or pathnames provided as command line arguments. =isao tap tape istanbul","author":"=isao","date":"2013-03-08 "},{"name":"argh","description":"light weight option/argv parser for node, it only parses options, nothing more then that.","url":null,"keywords":"argument args option parser cli argv options command command-line","version":"0.1.3","words":"argh light weight option/argv parser for node, it only parses options, nothing more then that. =v1 =swaagie argument args option parser cli argv options command command-line","author":"=V1 =swaagie","date":"2014-06-23 "},{"name":"ArgKit","description":"command line arguments extension (not yet working)","url":null,"keywords":"","version":"0.0.0","words":"argkit command line arguments extension (not yet working) =beatak","author":"=beatak","date":"2011-10-30 "},{"name":"argminmax","description":"argmin and argmax functions for Node.js / underscore.js","url":null,"keywords":"argmin argmax underscore","version":"0.1.1","words":"argminmax argmin and argmax functions for node.js / underscore.js =erelsgl argmin argmax underscore","author":"=erelsgl","date":"2014-05-28 "},{"name":"argminmax.js","keywords":"","version":[],"words":"argminmax.js","author":"","date":"2014-05-28 "},{"name":"argnames","description":"print function arguments with original names","url":null,"keywords":"arguments debug","version":"0.0.2","words":"argnames print function arguments with original names =sidorares arguments debug","author":"=sidorares","date":"2014-07-11 "},{"name":"argo","description":"An extensible, asynchronous HTTP reverse proxy and origin server.","url":null,"keywords":"","version":"0.5.0","words":"argo an extensible, asynchronous http reverse proxy and origin server. =kevinswiber =mdobs","author":"=kevinswiber =mdobs","date":"2014-09-18 "},{"name":"argo-clf","description":"Argo logging using CLF","url":null,"keywords":"argo clf common log format logs","version":"0.0.3","words":"argo-clf argo logging using clf =mdobs =kevinswiber argo clf common log format logs","author":"=mdobs =kevinswiber","date":"2013-10-24 "},{"name":"argo-formatter","description":"Use formats based on content type.","url":null,"keywords":"argo formatter","version":"0.0.0","words":"argo-formatter use formats based on content type. =kevinswiber argo formatter","author":"=kevinswiber","date":"2013-10-17 "},{"name":"argo-formatter-handlebars","description":"A Handlebars engine for Argo formatter.","url":null,"keywords":"handlebars formatter","version":"0.0.0","words":"argo-formatter-handlebars a handlebars engine for argo formatter. =kevinswiber handlebars formatter","author":"=kevinswiber","date":"2013-10-31 "},{"name":"argo-formatter-siren","description":"A Siren formatter for Argo.","url":null,"keywords":"siren formatter","version":"0.0.0","words":"argo-formatter-siren a siren formatter for argo. =kevinswiber siren formatter","author":"=kevinswiber","date":"2013-10-17 "},{"name":"argo-gzip","description":"Gzip package for Argo","url":null,"keywords":"argo gzip http","version":"0.2.1","words":"argo-gzip gzip package for argo =mdobs =kevinswiber argo gzip http","author":"=mdobs =kevinswiber","date":"2014-01-30 "},{"name":"argo-http-cache","description":"HTTP Caching for Argo.","url":null,"keywords":"Argo HTTP Caching","version":"0.0.1","words":"argo-http-cache http caching for argo. =kevinswiber argo http caching","author":"=kevinswiber","date":"2013-09-12 "},{"name":"argo-multiparty","description":"Multiparty parsing middleware for argo.","url":null,"keywords":"argo multiparty","version":"0.0.3","words":"argo-multiparty multiparty parsing middleware for argo. =mdobs argo multiparty","author":"=mdobs","date":"2014-04-01 "},{"name":"argo-oauth2-package","description":"An OAuth package for Argo.","url":null,"keywords":"argo","version":"0.0.2","words":"argo-oauth2-package an oauth package for argo. =kevinswiber argo","author":"=kevinswiber","date":"2013-09-26 "},{"name":"argo-rate-limiter","description":"Rate limiter for argo.","url":null,"keywords":"argo rate limit","version":"0.0.2","words":"argo-rate-limiter rate limiter for argo. =kevinswiber argo rate limit","author":"=kevinswiber","date":"2013-09-12 "},{"name":"argo-resource","description":"A resource API framework for Argo.","url":null,"keywords":"argo resource rest framework api","version":"0.0.11","words":"argo-resource a resource api framework for argo. =kevinswiber argo resource rest framework api","author":"=kevinswiber","date":"2014-04-02 "},{"name":"argo-roundrobin","description":"A simple round robin load balance module for argo","url":null,"keywords":"argo round-robin load balance","version":"0.0.0","words":"argo-roundrobin a simple round robin load balance module for argo =mdobs argo round-robin load balance","author":"=mdobs","date":"2013-11-30 "},{"name":"argo-server","description":"Deprecated. Please use `npm install argo`.","url":null,"keywords":"","version":"0.0.0","words":"argo-server deprecated. please use `npm install argo`. =kevinswiber","author":"=kevinswiber","date":"2013-04-26 "},{"name":"argo-subdomain","description":"Middleware for working with subdomains","url":null,"keywords":"argo subdomain","version":"0.0.1","words":"argo-subdomain middleware for working with subdomains =mdobs argo subdomain","author":"=mdobs","date":"2013-11-30 "},{"name":"argo-url-helper","description":"A URL helper for formatting and manipulating paths in Argo.","url":null,"keywords":"url helper","version":"0.1.0","words":"argo-url-helper a url helper for formatting and manipulating paths in argo. =kevinswiber url helper","author":"=kevinswiber","date":"2014-09-18 "},{"name":"argo-url-router","description":"A friendly URL router for Argo.","url":null,"keywords":"","version":"0.0.6","words":"argo-url-router a friendly url router for argo. =kevinswiber","author":"=kevinswiber","date":"2014-04-22 "},{"name":"argod","description":"Command line utility for running argo proxies","url":null,"keywords":"argo proxy cmdline","version":"0.0.2","words":"argod command line utility for running argo proxies =mdobs argo proxy cmdline","author":"=mdobs","date":"2013-10-18 "},{"name":"argon","description":"Function argument processing and validation","url":null,"keywords":"validation","version":"0.3.0","words":"argon function argument processing and validation =trevorburnham =trevorburnham validation","author":"=TrevorBurnham =trevorburnham","date":"2012-03-09 "},{"name":"argonaut","description":"A CLI JSON Editor","url":null,"keywords":"json cli","version":"0.1.1","words":"argonaut a cli json editor =tedslittlerobot json cli","author":"=tedslittlerobot","date":"2013-08-02 "},{"name":"argonaut-client","description":"A hypermedia client library for the argo media type","url":null,"keywords":"","version":"0.1.0","words":"argonaut-client a hypermedia client library for the argo media type =theefer","author":"=theefer","date":"2014-01-12 "},{"name":"argot","description":"A language for the Internet of Things.","url":null,"keywords":"","version":"0.1.10","words":"argot a language for the internet of things. =drex","author":"=drex","date":"2014-03-14 "},{"name":"argot-browser","description":"Argot in the browser","url":null,"keywords":"","version":"0.1.4","words":"argot-browser argot in the browser =drex","author":"=drex","date":"2014-04-19 "},{"name":"argp","description":"Command-line option parser","url":null,"keywords":"cli options parser commands arguments getopt argparse","version":"1.0.4","words":"argp command-line option parser =gagle cli options parser commands arguments getopt argparse","author":"=gagle","date":"2014-03-31 "},{"name":"argparse","description":"Very powerful CLI arguments parser. Native port of argparse - python's options parsing library","url":null,"keywords":"cli parser argparse option args","version":"0.1.15","words":"argparse very powerful cli arguments parser. native port of argparse - python's options parsing library =vitaly cli parser argparse option args","author":"=vitaly","date":"2013-05-12 "},{"name":"argparser","description":"object to parse commandline-args and options.","url":null,"keywords":"getopt arguments option getopts command","version":"0.2.2","words":"argparser object to parse commandline-args and options. =shinout getopt arguments option getopts command","author":"=shinout","date":"2014-05-12 "},{"name":"args","description":"Command line arguments parser","url":null,"keywords":"args cli arguments parser toolset","version":"0.0.3","words":"args command line arguments parser =dimsmol args cli arguments parser toolset","author":"=dimsmol","date":"2013-10-16 "},{"name":"args-expect","description":"An tiny tool to make sure all arguments are as expected.","url":null,"keywords":"util arguments expect assertion","version":"0.2.1","words":"args-expect an tiny tool to make sure all arguments are as expected. =threeday0905 util arguments expect assertion","author":"=threeday0905","date":"2014-08-20 "},{"name":"args-js","description":"Create javascript functions with optional, default and named paramaters.","url":null,"keywords":"function args arguments paramaters api","version":"0.10.5","words":"args-js create javascript functions with optional, default and named paramaters. =joebain function args arguments paramaters api","author":"=joebain","date":"2014-07-29 "},{"name":"args-list","description":"Extract method arguments names into array.","url":null,"keywords":"injector injection dependency","version":"0.3.3","words":"args-list extract method arguments names into array. =scottcorgan injector injection dependency","author":"=scottcorgan","date":"2014-08-19 "},{"name":"args.js","description":"Another argument parser for node.js","url":null,"keywords":"args arg argument arguments command parser","version":"0.3.0","words":"args.js another argument parser for node.js =tniessen args arg argument arguments command parser","author":"=tniessen","date":"2013-10-08 "},{"name":"argsarray","description":"get arguments to a function as an array, withouth deoptimizing","url":null,"keywords":"arguments args","version":"0.0.1","words":"argsarray get arguments to a function as an array, withouth deoptimizing =cwmma arguments args","author":"=cwmma","date":"2014-03-19 "},{"name":"argsbytype","description":"Provide say `[1, 'asd']` and get back `{number:[1], string:['asd']}`. Very useful for agnostic argument orders.","url":null,"keywords":"a b c","version":"1.0.0","words":"argsbytype provide say `[1, 'asd']` and get back `{number:[1], string:['asd']}`. very useful for agnostic argument orders. =balupton a b c","author":"=balupton","date":"2014-07-03 "},{"name":"argsjs","description":"Makes managing javascript function's arguments a pleasure.","url":null,"keywords":"","version":"0.0.2","words":"argsjs makes managing javascript function's arguments a pleasure. =mstumpp","author":"=mstumpp","date":"2012-08-30 "},{"name":"argsnip","description":"Snips arguments off of callback functions.","url":null,"keywords":"","version":"0.1.1","words":"argsnip snips arguments off of callback functions. =tomfrost","author":"=TomFrost","date":"2012-06-28 "},{"name":"argsparser","description":"A tiny command line arguments parser","url":null,"keywords":"arguments options command line parser","version":"0.0.6","words":"argsparser a tiny command line arguments parser =kof arguments options command line parser","author":"=kof","date":"2011-09-07 "},{"name":"argsplit","description":"Split a string of arguments into an array","url":null,"keywords":"args argv array","version":"0.0.1","words":"argsplit split a string of arguments into an array =evanlucas args argv array","author":"=evanlucas","date":"2014-03-27 "},{"name":"argstype","description":"Deep function arguments type check","url":null,"keywords":"arguments deep type check","version":"0.0.1","words":"argstype deep function arguments type check =glukki arguments deep type check","author":"=glukki","date":"2013-08-29 "},{"name":"argtype","description":"JavaScript function arguments type checker","url":null,"keywords":"","version":"0.2.0","words":"argtype javascript function arguments type checker =torvalamo","author":"=torvalamo","date":"2011-01-29 "},{"name":"argtypes","description":"JavaScript function arguments type parser","url":null,"keywords":"argument arguments parser function","version":"0.1.0","words":"argtypes javascript function arguments type parser =cwolves argument arguments parser function","author":"=cwolves","date":"2012-03-21 "},{"name":"arguable","description":"Usage-first argument parser.","url":null,"keywords":"command option parser prompt cli stdin args arguments console glob","version":"0.0.22","words":"arguable usage-first argument parser. =bigeasy command option parser prompt cli stdin args arguments console glob","author":"=bigeasy","date":"2014-07-10 "},{"name":"arguably","description":"Command line arguments parser","url":null,"keywords":"arguments parser command line utility","version":"0.1.6","words":"arguably command line arguments parser =radubrehar arguments parser command line utility","author":"=radubrehar","date":"2014-02-06 "},{"name":"argue","description":"Describes signature of arguments passed to a function.","url":null,"keywords":"function signature arguments argue","version":"0.0.1","words":"argue describes signature of arguments passed to a function. =regality =grobot function signature arguments argue","author":"=regality =grobot","date":"2014-01-27 "},{"name":"argue-cli","description":"Node-CLI step-by-step arguments handler.","url":null,"keywords":"cli arguments","version":"0.0.9","words":"argue-cli node-cli step-by-step arguments handler. =dangreen cli arguments","author":"=dangreen","date":"2014-08-27 "},{"name":"arguee","description":"Arguee lets you check types and function arguments","url":null,"keywords":"","version":"0.0.2","words":"arguee arguee lets you check types and function arguments =orion","author":"=orion","date":"2013-01-30 "},{"name":"arguejs","description":"ArgueJS is a library that allows you to delightfully extend your methods's signatures with optional parameters, default values and type-checking.","url":null,"keywords":"arguejs argue arguments parameters","version":"0.2.3","words":"arguejs arguejs is a library that allows you to delightfully extend your methods's signatures with optional parameters, default values and type-checking. =zvictor arguejs argue arguments parameters","author":"=zvictor","date":"2013-05-13 "},{"name":"arguer","description":"Normalizes arguments for JavaScript functions with optional arguments and provides optional typing.","url":null,"keywords":"argument parameter overload function normalize optional","version":"1.0.0","words":"arguer normalizes arguments for javascript functions with optional arguments and provides optional typing. =bretcope argument parameter overload function normalize optional","author":"=bretcope","date":"2014-07-13 "},{"name":"arguman","description":"(work in progress)","url":null,"keywords":"","version":"0.1.0-beta1","words":"arguman (work in progress) =pouriamaleki","author":"=pouriamaleki","date":"2013-11-28 "},{"name":"argument","description":"Argument testing for idiot proofing code.","url":null,"keywords":"testing argument","version":"0.0.2","words":"argument argument testing for idiot proofing code. =cblanquera testing argument","author":"=cblanquera","date":"2014-09-08 "},{"name":"argument-injector","description":"arguments injector for node","url":null,"keywords":"","version":"0.0.0","words":"argument-injector arguments injector for node =minond","author":"=minond","date":"2014-09-06 "},{"name":"argument-parser","description":"provide intelligent argument objects","url":null,"keywords":"","version":"0.1.2","words":"argument-parser provide intelligent argument objects =simonfan","author":"=simonfan","date":"2014-01-18 "},{"name":"argument-validator","description":"Argument Valitator for JavaScript","url":null,"keywords":"argument-validator argument validator validator","version":"0.0.6","words":"argument-validator argument valitator for javascript =deividy argument-validator argument validator validator","author":"=deividy","date":"2014-08-10 "},{"name":"argumenta","description":"Social argument collaboration for the web.","url":null,"keywords":"","version":"0.1.5","words":"argumenta social argument collaboration for the web. =qualiabyte","author":"=qualiabyte","date":"2014-04-21 "},{"name":"argumenta-widgets","description":"JavaScript Widgets for Argumenta.","url":null,"keywords":"argumenta widgets components","version":"0.0.9-beta1","words":"argumenta-widgets javascript widgets for argumenta. =qualiabyte argumenta widgets components","author":"=qualiabyte","date":"2014-04-21 "},{"name":"argumentative","description":"Handle positional, named, and type-delimited arguments within coffeescript functions.","url":null,"keywords":"javascript function arguments","version":"0.1.5","words":"argumentative handle positional, named, and type-delimited arguments within coffeescript functions. =ckirby javascript function arguments","author":"=ckirby","date":"2013-02-17 "},{"name":"argumenter","description":"abstraction for function arguments","url":null,"keywords":"","version":"0.0.2","words":"argumenter abstraction for function arguments =trecenti","author":"=trecenti","date":"2013-12-06 "},{"name":"argumentify","description":"From JSDoc info make sure that your arguments are valid appending validation code at the beginning of your functions using falafel.","url":null,"keywords":"arguments falafel browserify jsdoc","version":"0.0.1","words":"argumentify from jsdoc info make sure that your arguments are valid appending validation code at the beginning of your functions using falafel. =llafuente arguments falafel browserify jsdoc","author":"=llafuente","date":"2014-06-16 "},{"name":"argumentor","description":"function tool that takes care of parameters","url":null,"keywords":"function parameters","version":"0.5.1","words":"argumentor function tool that takes care of parameters =zaphod1984 function parameters","author":"=zaphod1984","date":"2014-07-07 "},{"name":"arguments","description":"Yet Another command-line parser for node.js","url":null,"keywords":"argv getopt command-line","version":"1.0.0","words":"arguments yet another command-line parser for node.js =frangossauro =fczuardi argv getopt command-line","author":"=frangossauro =fczuardi","date":"prehistoric"},{"name":"arguments-extended","description":"Utilities for working with arguments object","url":null,"keywords":"arguments utils extended extender monad monads","version":"0.0.3","words":"arguments-extended utilities for working with arguments object =damartin arguments utils extended extender monad monads","author":"=damartin","date":"2013-06-06 "},{"name":"argumentum","description":"Option parser with generated usage and commands","url":null,"keywords":"arguments option parser command line options parser nomnom","version":"0.6.0","words":"argumentum option parser with generated usage and commands =paulmillr arguments option parser command line options parser nomnom","author":"=paulmillr","date":"2012-04-16 "},{"name":"argun","description":"Javascript function argument validation.","url":null,"keywords":"argument validation","version":"0.0.1","words":"argun javascript function argument validation. =ajmesa89 argument validation","author":"=ajmesa89","date":"2014-03-10 "},{"name":"argus","description":"Complex CLI argument parser","url":null,"keywords":"","version":"0.0.2","words":"argus complex cli argument parser =fractal","author":"=fractal","date":"2012-06-20 "},{"name":"arguto","description":"nodejs arguments parser","url":null,"keywords":"","version":"0.1.0","words":"arguto nodejs arguments parser =lotus","author":"=lotus","date":"2013-06-15 "},{"name":"argv","description":"CLI Argument Parser","url":null,"keywords":"cli argv options","version":"0.0.2","words":"argv cli argument parser =codenothing cli argv options","author":"=codenothing","date":"2013-05-19 "},{"name":"argv-parser","description":"Argv-parser is a small and simple node.js module to parser `process.argv`.","url":null,"keywords":"argv parser argument-vector cleaner simple","version":"0.1.4","words":"argv-parser argv-parser is a small and simple node.js module to parser `process.argv`. =kael argv parser argument-vector cleaner simple","author":"=kael","date":"2013-09-26 "},{"name":"argv-split","description":"Split argv(argument vector) and handle special cases, such as quoted values.","url":null,"keywords":"argv argument-vector split quote quoted-value","version":"0.1.1","words":"argv-split split argv(argument vector) and handle special cases, such as quoted values. =kael argv argument-vector split quote quoted-value","author":"=kael","date":"2014-08-13 "},{"name":"argv2http","description":"Easily create declarative CLI wrappers for HTTP API's","url":null,"keywords":"","version":"0.0.2","words":"argv2http easily create declarative cli wrappers for http api's =grncdr","author":"=grncdr","date":"2013-10-09 "},{"name":"argvee","description":"argv parsing (that is actually useful)","url":null,"keywords":"","version":"0.1.1","words":"argvee argv parsing (that is actually useful) =jakeluer","author":"=jakeluer","date":"2013-12-07 "},{"name":"argyle","description":"Basic SOCKS5 server libary","url":null,"keywords":"socks","version":"0.0.1","words":"argyle basic socks5 server libary =tec27 socks","author":"=tec27","date":"2012-06-18 "},{"name":"argyll","description":"Asynchronous Result Gathering Library","url":null,"keywords":"javascript nodejs asynchronous result gathering","version":"0.1.0","words":"argyll asynchronous result gathering library =bradford653 javascript nodejs asynchronous result gathering","author":"=bradford653","date":"2014-09-20 "},{"name":"ari-client","description":"JavaScript client for Asterisk REST Interface.","url":null,"keywords":"Asterisk ARI","version":"0.1.4","words":"ari-client javascript client for asterisk rest interface. =samuelg =danjenkins asterisk ari","author":"=samuelg =danjenkins","date":"2014-09-15 "},{"name":"aria","description":"A client library for Aria API","url":null,"keywords":"aria api client soap","version":"0.2.1","words":"aria a client library for aria api =sintaxi aria api client soap","author":"=sintaxi","date":"2011-10-12 "},{"name":"aria2","description":"Library for aria2, \"The next generation download utility.\"","url":null,"keywords":"aria2 download bittorrent","version":"0.0.6","words":"aria2 library for aria2, \"the next generation download utility.\" =sonny aria2 download bittorrent","author":"=sonny","date":"2014-04-13 "},{"name":"aria_fox_gpio","description":"Acmesystems Aria/Fox GPIO manager","url":null,"keywords":"gpio embedded interrupt interrupts aria fox daisy acmesystsems arm linux","version":"1.1.0","words":"aria_fox_gpio acmesystems aria/fox gpio manager =mgesmundo gpio embedded interrupt interrupts aria fox daisy acmesystsems arm linux","author":"=mgesmundo","date":"2013-11-06 "},{"name":"ariadne","description":"A node.js frontend wrapper for Thrift backends.","url":null,"keywords":"frontend wrapper backend thrift","version":"0.1.1","words":"ariadne a node.js frontend wrapper for thrift backends. =dkorolev frontend wrapper backend thrift","author":"=dkorolev","date":"2014-04-23 "},{"name":"arialinter","description":"AriaLinter provides a simple accesibility linter for HTML documents.","url":null,"keywords":"","version":"0.3.1","words":"arialinter arialinter provides a simple accesibility linter for html documents. =sabarasaba =eabait","author":"=sabarasaba =eabait","date":"2014-04-16 "},{"name":"ariatemplates","description":"Aria Templates (aka AT) is an application framework written in JavaScript for building rich and large-scaled enterprise web applications.","url":null,"keywords":"","version":"1.6.5","words":"ariatemplates aria templates (aka at) is an application framework written in javascript for building rich and large-scaled enterprise web applications. =ariatemplates","author":"=ariatemplates","date":"2014-09-15 "},{"name":"ariel","description":"continuously test and cover files using mocha and coveraje. Note: ariel requires an index.js in root as entry point for now.","url":null,"keywords":"","version":"0.0.9","words":"ariel continuously test and cover files using mocha and coveraje. note: ariel requires an index.js in root as entry point for now. =matthiasg","author":"=matthiasg","date":"2012-04-12 "},{"name":"aries","url":null,"keywords":"","version":"0.0.1","words":"aries =edjafarov","author":"=edjafarov","date":"2011-09-28 "},{"name":"AriesNode","url":null,"keywords":"","version":"0.0.1","words":"ariesnode =edjafarov","author":"=edjafarov","date":"2011-09-16 "},{"name":"arion","description":"A library to look up the currency exchange rate provided by arion","url":null,"keywords":"","version":"0.1.0","words":"arion a library to look up the currency exchange rate provided by arion =kristjanmik","author":"=kristjanmik","date":"2014-08-08 "},{"name":"ariregister","description":"Dekodeeri äriregistri captcha","url":null,"keywords":"","version":"0.1.0","words":"ariregister dekodeeri äriregistri captcha =andris","author":"=andris","date":"2012-11-08 "},{"name":"arise","description":"arise =====","url":null,"keywords":"","version":"0.0.1","words":"arise arise ===== =donbonifacio","author":"=donbonifacio","date":"2013-06-17 "},{"name":"arise-mongo-db","description":"arise-monbodb =============","url":null,"keywords":"","version":"0.0.1","words":"arise-mongo-db arise-monbodb ============= =donbonifacio","author":"=donbonifacio","date":"2013-06-07 "},{"name":"aristocrat","keywords":"","version":[],"words":"aristocrat","author":"","date":"2014-04-05 "},{"name":"aristotle","description":"turns your browsers cursor into aristotle the cat if you enter the konami code","url":null,"keywords":"","version":"4503.0.0","words":"aristotle turns your browsers cursor into aristotle the cat if you enter the konami code =maxogden","author":"=maxogden","date":"2014-02-18 "},{"name":"arities","description":"Arities - A small function overloading framework","url":null,"keywords":"","version":"0.0.2","words":"arities arities - a small function overloading framework =gausby","author":"=gausby","date":"2014-02-10 "},{"name":"arity","description":"Makes sure that JavaScript functions are called with the expected number and/or types of parameters.","url":null,"keywords":"arity","version":"1.3.2","words":"arity makes sure that javascript functions are called with the expected number and/or types of parameters. =jonabrams arity","author":"=jonabrams","date":"2013-09-03 "},{"name":"arity-constructor","description":"A utility for construction objects with runtime arity","url":null,"keywords":"constructor arity","version":"0.1.3","words":"arity-constructor a utility for construction objects with runtime arity =josephmoniz constructor arity","author":"=josephmoniz","date":"2013-05-26 "},{"name":"ark","description":"Packages code for the browser as Node modules.","url":null,"keywords":"node npm require web browser","version":"0.5.2","words":"ark packages code for the browser as node modules. =dyoder =automatthew =maheshyellai node npm require web browser","author":"=dyoder =automatthew =maheshyellai","date":"2014-07-09 "},{"name":"ark-sdk","description":"A node package that simplifies the use of the ark API.","url":null,"keywords":"ark api sdk people search","version":"0.0.5","words":"ark-sdk a node package that simplifies the use of the ark api. =goofyahead ark api sdk people search","author":"=goofyahead","date":"2013-11-06 "},{"name":"arkhaios","description":"the opinionated Node.js gallery","url":null,"keywords":"gallery photo photographs","version":"0.2.0","words":"arkhaios the opinionated node.js gallery =nherment gallery photo photographs","author":"=nherment","date":"2013-08-20 "},{"name":"arkive","description":"Streaming archive/unarchive in various formats.","url":null,"keywords":"","version":"0.1.0","words":"arkive streaming archive/unarchive in various formats. =jakeluer","author":"=jakeluer","date":"2013-09-10 "},{"name":"arl_catalogue","description":"catalogue of ARL's","url":null,"keywords":"","version":"0.0.4","words":"arl_catalogue catalogue of arl's =iamcoder","author":"=iamcoder","date":"2014-06-12 "},{"name":"arm","description":"Rapid frontend development framework for enterprise web application","url":null,"keywords":"","version":"0.0.1","words":"arm rapid frontend development framework for enterprise web application =smyleh","author":"=smyleh","date":"2014-04-22 "},{"name":"armada","description":"node-armada ===========","url":null,"keywords":"","version":"0.0.3","words":"armada node-armada =========== =architectd","author":"=architectd","date":"2014-02-14 "},{"name":"armadillo","description":"Interface to the C++ Armadillo linear algebra library","url":null,"keywords":"linear-algebra mathematics matrices","version":"0.0.2","words":"armadillo interface to the c++ armadillo linear algebra library =planeshifter linear-algebra mathematics matrices","author":"=planeshifter","date":"2014-05-26 "},{"name":"armature","description":"Small app framework with plugins capabilities","url":null,"keywords":"","version":"0.0.2","words":"armature small app framework with plugins capabilities =bornholm","author":"=bornholm","date":"2013-12-03 "},{"name":"armjs","description":"Rapid frontend development framework for enterprise web application","url":null,"keywords":"","version":"0.0.1","words":"armjs rapid frontend development framework for enterprise web application =smyleh","author":"=smyleh","date":"2014-04-22 "},{"name":"armor","description":"Armor Payments API bindings for Node.JS","url":null,"keywords":"escrow armor armor payments payment gateway","version":"0.0.3","words":"armor armor payments api bindings for node.js =typefoo escrow armor armor payments payment gateway","author":"=typefoo","date":"2014-02-27 "},{"name":"armory","description":"A wrapper for the WoW Armory API.","url":null,"keywords":"wow warcraft armory api blizzard mmo gaming","version":"0.6.1","words":"armory a wrapper for the wow armory api. =xtian wow warcraft armory api blizzard mmo gaming","author":"=xtian","date":"2013-03-11 "},{"name":"armrest","description":"A high-level HTTP / REST client for Node","url":null,"keywords":"","version":"4.2.1","words":"armrest a high-level http / rest client for node =dchester =rubikzube","author":"=dchester =rubikzube","date":"2014-07-23 "},{"name":"armstrong","description":"A JavaScript framework for a wonderful world","url":null,"keywords":"framework browser micro data-binding template","version":"0.2.2","words":"armstrong a javascript framework for a wonderful world =passcod framework browser micro data-binding template","author":"=passcod","date":"2013-08-27 "},{"name":"armstrong-cms","description":"Lightweight CMS engine designed to sit on top of Elasticsearch","url":null,"keywords":"","version":"0.0.8","words":"armstrong-cms lightweight cms engine designed to sit on top of elasticsearch =richmarr","author":"=richmarr","date":"2014-07-09 "},{"name":"army","description":"_Check Spec.md for the planned features_","url":null,"keywords":"","version":"0.1.0","words":"army _check spec.md for the planned features_ =drewyoung1","author":"=drewyoung1","date":"2012-11-26 "},{"name":"arnold","description":"Tiny JavaScript library for string manipulation.","url":null,"keywords":"","version":"0.1.0","words":"arnold tiny javascript library for string manipulation. =baggz","author":"=baggz","date":"2011-07-24 "},{"name":"arnold-js","description":"Beef up your JS functions, by doing some Benchmarks!","url":null,"keywords":"node.js nodeJS node javascript browser benchmarks performace stats","version":"0.1.0","words":"arnold-js beef up your js functions, by doing some benchmarks! =jstty node.js nodejs node javascript browser benchmarks performace stats","author":"=jstty","date":"2014-08-03 "},{"name":"aroma","description":"Command line utility to compile [CoffeeScript](http://coffeescript.org/) objects into [property list](http://en.wikipedia.org/wiki/Property_list) files.","url":null,"keywords":"","version":"0.0.2","words":"aroma command line utility to compile [coffeescript](http://coffeescript.org/) objects into [property list](http://en.wikipedia.org/wiki/property_list) files. =jisaacks","author":"=jisaacks","date":"2013-08-31 "},{"name":"aronze.test.censorify","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.4","words":"aronze.test.censorify censors words out of text =aronze censor words","author":"=aronze","date":"2014-05-06 "},{"name":"around","description":"Aspect oriented programming for JavaScript","url":null,"keywords":"AOP aspect oriented programming","version":"0.0.1","words":"around aspect oriented programming for javascript =evanmoran aop aspect oriented programming","author":"=evanmoran","date":"2013-10-11 "},{"name":"aroundfn","description":"Execute a function around another function.","url":null,"keywords":"aop functional","version":"0.0.1","words":"aroundfn execute a function around another function. =timoxley aop functional","author":"=timoxley","date":"2014-09-12 "},{"name":"arouter","description":"A very simple router","url":null,"keywords":"router","version":"0.0.2","words":"arouter a very simple router =radicality router","author":"=radicality","date":"2011-08-06 "},{"name":"aroxy","description":"local Proxy for static assets","url":null,"keywords":"","version":"0.0.4","words":"aroxy local proxy for static assets =maxbbn","author":"=maxbbn","date":"2013-02-22 "},{"name":"arp","description":"Read the ARP table to find MAC addresses","url":null,"keywords":"","version":"0.0.1","words":"arp read the arp table to find mac addresses =teknopaul","author":"=teknopaul","date":"2011-11-29 "},{"name":"arp-a","description":"node.js native implementation (when possible) of 'arp -a'","url":null,"keywords":"arp arp table","version":"0.4.2","words":"arp-a node.js native implementation (when possible) of 'arp -a' =mrose17 arp arp table","author":"=mrose17","date":"2014-06-11 "},{"name":"arp-parse","description":"A streaming, cross-platform ARP table parser.","url":null,"keywords":"ARP parse","version":"0.0.2","words":"arp-parse a streaming, cross-platform arp table parser. =michaelrhodes arp parse","author":"=michaelrhodes","date":"2013-10-11 "},{"name":"arp-table","description":"Provides basic cross-platform access to system ARP tables.","url":null,"keywords":"arp arp table cross-platform","version":"0.0.0","words":"arp-table provides basic cross-platform access to system arp tables. =michaelrhodes arp arp table cross-platform","author":"=michaelrhodes","date":"2013-09-11 "},{"name":"arpackage","description":"abc","url":null,"keywords":"abc","version":"0.0.2","words":"arpackage abc =jser abc","author":"=jser","date":"2013-05-25 "},{"name":"arpad","description":"An implementation of the ELO Rating System","url":null,"keywords":"elo arpad rating scoring matchmaking chess pvp","version":"0.1.0","words":"arpad an implementation of the elo rating system =tlhunter elo arpad rating scoring matchmaking chess pvp","author":"=tlhunter","date":"2014-08-24 "},{"name":"arpeggio","description":"Musical API to create chords, scales, intervals. ","url":null,"keywords":"music interval chord arpeggio scale notation","version":"0.1.11","words":"arpeggio musical api to create chords, scales, intervals. =sasquatch music interval chord arpeggio scale notation","author":"=sasquatch","date":"2014-06-18 "},{"name":"arphenproject1","description":"My project","url":null,"keywords":"","version":"0.0.0","words":"arphenproject1 my project =arphen","author":"=arphen","date":"2014-07-03 "},{"name":"arpjs","description":"Send ARP packets and read ARP tables using Javascript","url":null,"keywords":"arp mitm arp poison man in the midddle gratuitous arp arp spoofing packets","version":"1.0.0","words":"arpjs send arp packets and read arp tables using javascript =skepticfx arp mitm arp poison man in the midddle gratuitous arp arp spoofing packets","author":"=skepticfx","date":"2014-05-09 "},{"name":"arpulate","description":"A utility that populates the system ARP table by pinging a range of surrounding IP addresses.","url":null,"keywords":"arp ping","version":"0.1.0","words":"arpulate a utility that populates the system arp table by pinging a range of surrounding ip addresses. =michaelrhodes arp ping","author":"=michaelrhodes","date":"2013-10-12 "},{"name":"arr-cache","description":"Simple cache module using array as storage","url":null,"keywords":"cache array storage","version":"0.0.7","words":"arr-cache simple cache module using array as storage =djelich cache array storage","author":"=djelich","date":"2014-02-19 "},{"name":"arrandom","description":"Randomize the items in an array and return a new array","url":null,"keywords":"array random randomize","version":"0.0.3","words":"arrandom randomize the items in an array and return a new array =tjkrusinski array random randomize","author":"=tjkrusinski","date":"2014-04-13 "},{"name":"arrangekeys","description":"Returns a copy of a JavaScript object with the keys arranged in a specified order. Useful for formatting JSON files.","url":null,"keywords":"json objects keys","version":"1.0.0","words":"arrangekeys returns a copy of a javascript object with the keys arranged in a specified order. useful for formatting json files. =balupton json objects keys","author":"=balupton","date":"2014-07-27 "},{"name":"array","description":"a vocal, functional array","url":null,"keywords":"array functional vocal enumerable","version":"0.4.3","words":"array a vocal, functional array =mattmueller array functional vocal enumerable","author":"=mattmueller","date":"2014-02-12 "},{"name":"array-all","description":"Boolean ALL an array","url":null,"keywords":"all boolean","version":"1.0.0","words":"array-all boolean all an array =andrewwinterman all boolean","author":"=andrewwinterman","date":"2014-01-20 "},{"name":"array-assert","description":"Array case and accent insensitive assertion for MongoDB queries","url":null,"keywords":"","version":"0.0.2","words":"array-assert array case and accent insensitive assertion for mongodb queries =nescalante","author":"=nescalante","date":"2014-04-11 "},{"name":"array-async","description":"FuturesJS/ArrayAsync - The diet cola of asynchronous array utilities.","url":null,"keywords":"futuresjs forEach every some map reduce reduceRight filter forEachAsync everyAsync someAsync mapAsync reduceAsync reduceRightAsync filterAsync async","version":"3.0.0","words":"array-async futuresjs/arrayasync - the diet cola of asynchronous array utilities. =coolaj86 futuresjs foreach every some map reduce reduceright filter foreachasync everyasync someasync mapasync reduceasync reducerightasync filterasync async","author":"=coolaj86","date":"2014-01-13 "},{"name":"array-buffers","description":"Treat a collection of ArrayBuffers as a single contiguous ArrayBuffer.","url":null,"keywords":"array buffer ArrayBuffer ArrayBuffers TypedArray","version":"0.0.12","words":"array-buffers treat a collection of arraybuffers as a single contiguous arraybuffer. =ttaubert array buffer arraybuffer arraybuffers typedarray","author":"=ttaubert","date":"2013-09-24 "},{"name":"array-chunks","description":"array-chunks ============","url":null,"keywords":"","version":"0.0.0","words":"array-chunks array-chunks ============ =jedireza","author":"=jedireza","date":"2014-02-20 "},{"name":"array-compact","keywords":"","version":[],"words":"array-compact","author":"","date":"2014-07-07 "},{"name":"array-comprehension","description":"Declaratively construct arrays.","url":null,"keywords":"array list comprehension builder iterate functional haskell","version":"0.1.1","words":"array-comprehension declaratively construct arrays. =the_swerve array list comprehension builder iterate functional haskell","author":"=the_swerve","date":"2013-09-06 "},{"name":"array-control","description":"method extensions of Array.prototype","url":null,"keywords":"array extension prototype","version":"0.2.0","words":"array-control method extensions of array.prototype =jakub.knejzlik array extension prototype","author":"=jakub.knejzlik","date":"2014-09-11 "},{"name":"array-dedup","description":"```bash $ npm install array-dedup ```","url":null,"keywords":"array dedup","version":"0.0.0","words":"array-dedup ```bash $ npm install array-dedup ``` =poying array dedup","author":"=poying","date":"2014-03-28 "},{"name":"array-diff","description":"diff arrays recognizing ordering changes","url":null,"keywords":"","version":"0.0.1","words":"array-diff diff arrays recognizing ordering changes =mirkok","author":"=mirkok","date":"2012-12-09 "},{"name":"array-differ","description":"Create an array with values that are present in the first input array but not additional ones","url":null,"keywords":"array difference diff differ filter exclude","version":"1.0.0","words":"array-differ create an array with values that are present in the first input array but not additional ones =sindresorhus array difference diff differ filter exclude","author":"=sindresorhus","date":"2014-08-13 "},{"name":"array-difference","description":"Utility method for finding the difference between arrays","url":null,"keywords":"utility array","version":"0.0.1","words":"array-difference utility method for finding the difference between arrays =jugglinmike utility array","author":"=jugglinmike","date":"2013-08-01 "},{"name":"array-enhancements","description":"Many helpful functions for javascript Arrays","url":null,"keywords":"array arrays enhancements","version":"0.1.1","words":"array-enhancements many helpful functions for javascript arrays =llafuente array arrays enhancements","author":"=llafuente","date":"2014-03-03 "},{"name":"array-entries","description":"[].entries() polyfill.","url":null,"keywords":"array entries","version":"1.2.1","words":"array-entries [].entries() polyfill. =totherik array entries","author":"=totherik","date":"2014-06-19 "},{"name":"array-equal","description":"check if two arrays are equal","url":null,"keywords":"","version":"1.0.0","words":"array-equal check if two arrays are equal =jongleberry =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"array-events","description":"Events and more for arrays","url":null,"keywords":"array async events","version":"0.1.3-beta","words":"array-events events and more for arrays =khrome array async events","author":"=khrome","date":"2014-03-28 "},{"name":"array-exclude","description":"Copy an array without the first n and last n indexes","url":null,"keywords":"exclude without array","version":"0.0.1","words":"array-exclude copy an array without the first n and last n indexes =jaycetde exclude without array","author":"=jaycetde","date":"2014-02-02 "},{"name":"array-extended","description":"Additional array extensions with a chainable api","url":null,"keywords":"Array extender utilities","version":"0.0.11","words":"array-extended additional array extensions with a chainable api =damartin array extender utilities","author":"=damartin","date":"2014-04-01 "},{"name":"array-fill","description":"[].fill","url":null,"keywords":"array","version":"0.1.0","words":"array-fill [].fill =1000ch array","author":"=1000ch","date":"2014-06-01 "},{"name":"array-filter","description":"Array#filter for older browsers.","url":null,"keywords":"array filter browser html browserify","version":"0.2.0","words":"array-filter array#filter for older browsers. =juliangruber array filter browser html browserify","author":"=juliangruber","date":"2013-12-29 "},{"name":"array-find","description":"Find array elements. Executes a callback for each element, returns the first element for which its callback returns a truthy value.","url":null,"keywords":"array find","version":"0.1.1","words":"array-find find array elements. executes a callback for each element, returns the first element for which its callback returns a truthy value. =dubban array find","author":"=dubban","date":"2014-03-24 "},{"name":"array-findindex","description":"## Usage","url":null,"keywords":"array findindex","version":"0.1.0","words":"array-findindex ## usage =dubban array findindex","author":"=dubban","date":"2014-03-12 "},{"name":"array-flatten","description":"Flatten a multi-dimensional array.","url":null,"keywords":"array flatten","version":"1.0.0","words":"array-flatten flatten a multi-dimensional array. =blakeembrey array flatten","author":"=blakeembrey","date":"2014-08-17 "},{"name":"array-flatten-using-concat","description":"array flatten using Array.prototype.concat","url":null,"keywords":"array flatten","version":"0.1.0","words":"array-flatten-using-concat array flatten using array.prototype.concat =undozen array flatten","author":"=undozen","date":"2014-08-10 "},{"name":"array-foreach-faster","description":"A replacement of Array.prototype.forEach that is faster","url":null,"keywords":"","version":"0.0.1","words":"array-foreach-faster a replacement of array.prototype.foreach that is faster =aaronup","author":"=aaronup","date":"2014-08-23 "},{"name":"array-grid","description":"Two-dimensional implementation of ndarray to avoid dynamic code generation eval.","url":null,"keywords":"2d array ndarray grid xy two dimensions","version":"1.3.0","words":"array-grid two-dimensional implementation of ndarray to avoid dynamic code generation eval. =mmckegg 2d array ndarray grid xy two dimensions","author":"=mmckegg","date":"2014-08-09 "},{"name":"array-helper","description":"Collection of array helper functions.","url":null,"keywords":"","version":"0.0.1","words":"array-helper collection of array helper functions. =hillmanov","author":"=hillmanov","date":"2012-06-19 "},{"name":"array-index","description":"Invoke getter/setter functions on array-like objects","url":null,"keywords":"index array getter setter proxy","version":"0.1.0","words":"array-index invoke getter/setter functions on array-like objects =tootallnate index array getter setter proxy","author":"=tootallnate","date":"2013-12-02 "},{"name":"array-index-of-property","description":"A helpful function to find object index by one of its properties","url":null,"keywords":"Array Prototype Property Index","version":"0.0.2","words":"array-index-of-property a helpful function to find object index by one of its properties =rafaelmenta array prototype property index","author":"=rafaelmenta","date":"2014-08-24 "},{"name":"array-indexer","description":"Create indexes based on arrays of objects","url":null,"keywords":"index array object","version":"0.0.2","words":"array-indexer create indexes based on arrays of objects =wankdanker index array object","author":"=wankdanker","date":"2012-09-20 "},{"name":"array-indexofobject","description":"Like Array#indexOf but for objects used like hashes","url":null,"keywords":"utilities array object","version":"0.0.1","words":"array-indexofobject like array#indexof but for objects used like hashes =danmactough utilities array object","author":"=danmactough","date":"2013-02-02 "},{"name":"array-interlace","description":"Interlace the contents of an array","url":null,"keywords":"","version":"0.0.1","words":"array-interlace interlace the contents of an array =domharrington","author":"=domharrington","date":"2014-05-22 "},{"name":"array-invert","description":"invert a JavaScript array","url":null,"keywords":"array invert simple","version":"1.0.2","words":"array-invert invert a javascript array =yoshuawuyts array invert simple","author":"=yoshuawuyts","date":"2014-09-05 "},{"name":"array-iterator","description":"array iterator fallback until node has them","url":null,"keywords":"array iterator generator","version":"0.0.1","words":"array-iterator array iterator fallback until node has them =jb55 array iterator generator","author":"=jb55","date":"2014-04-30 "},{"name":"array-jumper","description":"Jump forward or backward through an array by an index based on an item already in the array.","url":null,"keywords":"util array index","version":"1.0.0","words":"array-jumper jump forward or backward through an array by an index based on an item already in the array. =henrikjoreteg util array index","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"array-last","description":"Get the last element in an array.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.0","words":"array-last get the last element in an array. =jonschlinkert docs documentation generate generator markdown templates verb","author":"=jonschlinkert","date":"2014-06-28 "},{"name":"array-like","description":"An inheritable Class that behaves like an Array","url":null,"keywords":"javascript js array list collection array-like","version":"0.1.0","words":"array-like an inheritable class that behaves like an array =jhamlet javascript js array list collection array-like","author":"=jhamlet","date":"2013-01-06 "},{"name":"array-map","description":"`[].map(f)` for older browsers","url":null,"keywords":"array map browser es5 shim ie6 ie7 ie8","version":"0.0.0","words":"array-map `[].map(f)` for older browsers =substack array map browser es5 shim ie6 ie7 ie8","author":"=substack","date":"2013-12-24 "},{"name":"array-math","description":"Do math on arrays: find divisors or factors of a number, sum or multiply an array, and much more!","url":null,"keywords":"factor divisor prime range sum multiply factorial largest smallest","version":"1.1.0","words":"array-math do math on arrays: find divisors or factors of a number, sum or multiply an array, and much more! =artskydj factor divisor prime range sum multiply factorial largest smallest","author":"=artskydj","date":"2014-08-09 "},{"name":"array-matrix","description":"create a matrix","url":null,"keywords":"matrix array","version":"1.0.0","words":"array-matrix create a matrix =tjholowaychuk matrix array","author":"=tjholowaychuk","date":"2014-02-27 "},{"name":"array-merge","description":"3-way merging of arrays","url":null,"keywords":"","version":"0.0.3","words":"array-merge 3-way merging of arrays =mirkok","author":"=mirkok","date":"2012-12-12 "},{"name":"array-merger","description":"A small library provoding method to merge two sorted array","url":null,"keywords":"merege sorted array merge array merge sorted array","version":"0.1.1","words":"array-merger a small library provoding method to merge two sorted array =jayram merege sorted array merge array merge sorted array","author":"=jayram","date":"2014-07-25 "},{"name":"array-model","description":"Extension of native Array object to make it a collection model","url":null,"keywords":"array prototype extension model collection","version":"0.0.1","words":"array-model extension of native array object to make it a collection model =tenphi array prototype extension model collection","author":"=tenphi","date":"2013-09-14 "},{"name":"array-navigator","description":"Splits array into rows and columns and navigates via up, down, right and left commands","url":null,"keywords":"array navigation","version":"0.0.9","words":"array-navigator splits array into rows and columns and navigates via up, down, right and left commands =andreasboden array navigation","author":"=andreasboden","date":"2014-05-04 "},{"name":"array-next","description":"Advance to the next item in the array looping when hitting the end.","url":null,"keywords":"util array index","version":"0.0.1","words":"array-next advance to the next item in the array looping when hitting the end. =henrikjoreteg util array index","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"array-nocomplex","description":"Array.prototype augmentations, no complex","url":null,"keywords":"","version":"0.0.22","words":"array-nocomplex array.prototype augmentations, no complex =cagosta","author":"=cagosta","date":"2014-01-26 "},{"name":"array-norepeat","description":"return an array that removing duplicate elements of the given array, still keep the order of the elements.","url":null,"keywords":"array duplicate norepeat","version":"0.0.2","words":"array-norepeat return an array that removing duplicate elements of the given array, still keep the order of the elements. =nswbmw array duplicate norepeat","author":"=nswbmw","date":"2014-03-25 "},{"name":"array-pack-2d","description":"Quickly pack a nested 2D array into a typed array – useful for flattening point data into a WebGL-friendly format","url":null,"keywords":"array 2d pack mesh points nested flat","version":"0.1.0","words":"array-pack-2d quickly pack a nested 2d array into a typed array – useful for flattening point data into a webgl-friendly format =hughsk array 2d pack mesh points nested flat","author":"=hughsk","date":"2014-04-21 "},{"name":"array-parallel","description":"Call an array of asynchronous functions in parallel","url":null,"keywords":"","version":"0.1.3","words":"array-parallel call an array of asynchronous functions in parallel =jongleberry =tootallnate =juliangruber =yields =ianstormtaylor =tjholowaychuk =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =juliangruber =yields =ianstormtaylor =tjholowaychuk =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"array-pivot","description":"Pivot arrays of objects by key into a single object with a superset of keys containing arrays of each record's values.","url":null,"keywords":"pivot pivottable table","version":"1.0.1","words":"array-pivot pivot arrays of objects by key into a single object with a superset of keys containing arrays of each record's values. =bryce pivot pivottable table","author":"=bryce","date":"2013-10-05 "},{"name":"array-pluck","description":"Extract a list of property values from array with objects","url":null,"keywords":"array list pluck property","version":"0.1.0","words":"array-pluck extract a list of property values from array with objects =frozzare array list pluck property","author":"=frozzare","date":"2014-06-22 "},{"name":"array-promise","description":"Act on asynchronously loaded arrays via forEach, map, etc without the usual, messy callback interface.","url":null,"keywords":"node promise array","version":"0.0.1","words":"array-promise act on asynchronously loaded arrays via foreach, map, etc without the usual, messy callback interface. =bnoguchi node promise array","author":"=bnoguchi","date":"2011-01-28 "},{"name":"array-query","description":"Provides an interface to pull objects out of a JavaScript array with minimal code. Useful for Backbone collections and similar scenarios.","url":null,"keywords":"array database query select where","version":"0.1.1","words":"array-query provides an interface to pull objects out of a javascript array with minimal code. useful for backbone collections and similar scenarios. =jacwright array database query select where","author":"=jacwright","date":"2014-05-19 "},{"name":"array-reader","description":"Read forwards and backwards in an array","url":null,"keywords":"string reader","version":"0.5.0","words":"array-reader read forwards and backwards in an array =brianc string reader","author":"=brianc","date":"2014-09-03 "},{"name":"array-reduce","description":"`[].reduce()` for old browsers","url":null,"keywords":"array reduce es5 ie6 ie7 ie8 fold","version":"0.0.0","words":"array-reduce `[].reduce()` for old browsers =substack array reduce es5 ie6 ie7 ie8 fold","author":"=substack","date":"2013-12-25 "},{"name":"array-remove-by-value","description":"A simple function for removing values from arrays","url":null,"keywords":"array remove prototype value","version":"1.0.1","words":"array-remove-by-value a simple function for removing values from arrays =zeke array remove prototype value","author":"=zeke","date":"2014-09-02 "},{"name":"array-repeat","description":"Create an array with repeating elements","url":null,"keywords":"","version":"0.0.0","words":"array-repeat create an array with repeating elements =cheeseen","author":"=cheeseen","date":"2014-04-23 "},{"name":"array-sample","description":"Array extension to sample random elements","url":null,"keywords":"","version":"0.1.0","words":"array-sample array extension to sample random elements =jonahss","author":"=jonahss","date":"2013-12-08 "},{"name":"array-sample-interval","description":"Array extension to sample random intervals","url":null,"keywords":"","version":"0.1.0","words":"array-sample-interval array extension to sample random intervals =jonahss","author":"=jonahss","date":"2013-12-08 "},{"name":"array-series","description":"Call an array of asynchronous functions in series","url":null,"keywords":"","version":"0.1.5","words":"array-series call an array of asynchronous functions in series =jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"array-shuffle","description":"Randomize the order of items in an array","url":null,"keywords":"array arr list shuffle sort random rand fisher yates","version":"1.0.0","words":"array-shuffle randomize the order of items in an array =sindresorhus array arr list shuffle sort random rand fisher yates","author":"=sindresorhus","date":"2014-08-13 "},{"name":"array-slice","description":"Lo-dash's array-slice method. Slices `array` from the `start` index up to, but not including, the `end` index.","url":null,"keywords":"array slice","version":"0.1.1","words":"array-slice lo-dash's array-slice method. slices `array` from the `start` index up to, but not including, the `end` index. =jonschlinkert array slice","author":"=jonschlinkert","date":"2014-07-04 "},{"name":"array-splice","description":"A splice method for arrays that doesn't require adding each element individually","url":null,"keywords":"","version":"0.1.1","words":"array-splice a splice method for arrays that doesn't require adding each element individually =seldo","author":"=seldo","date":"2013-06-29 "},{"name":"array-stream","description":"Convert a stream to an array","url":null,"keywords":"","version":"0.1.1","words":"array-stream convert a stream to an array =raynos","author":"=raynos","date":"2013-01-29 "},{"name":"array-sugar","description":"adds last, first, remove, contains, isEmpty and few more methods/properties to Array utilizing Object.defineProperty","url":null,"keywords":"array array-methods extend sugar syntactic sugar","version":"0.2.4","words":"array-sugar adds last, first, remove, contains, isempty and few more methods/properties to array utilizing object.defineproperty =capaj array array-methods extend sugar syntactic sugar","author":"=capaj","date":"2013-10-25 "},{"name":"array-sum","description":"Add up all of the numbers in an array of numbers.","url":null,"keywords":"add sum summarize array numbers","version":"0.1.0","words":"array-sum add up all of the numbers in an array of numbers. =jonschlinkert add sum summarize array numbers","author":"=jonschlinkert","date":"2014-06-15 "},{"name":"array-swap","description":"Swapping two items in a javascript array - Array.prototype.swap","url":null,"keywords":"array swap Array.prototype.swap","version":"0.0.4","words":"array-swap swapping two items in a javascript array - array.prototype.swap =markoj array swap array.prototype.swap","author":"=markoj","date":"2014-04-23 "},{"name":"array-ting","keywords":"","version":[],"words":"array-ting","author":"","date":"2014-06-09 "},{"name":"array-to-btree","description":"Helper Method to flatten an array to Binary Tree","url":null,"keywords":"algorithms array to btree","version":"1.0.1","words":"array-to-btree helper method to flatten an array to binary tree =rameshrm algorithms array to btree","author":"=rameshrm","date":"2014-05-21 "},{"name":"array-to-object","description":"Converts arrays into objects","url":null,"keywords":"array object convert","version":"1.0.0","words":"array-to-object converts arrays into objects =quim array object convert","author":"=quim","date":"2014-05-17 "},{"name":"array-to-set","description":"JS function for turning an Array into a set (a plain JS object with keys pointing to true)","url":null,"keywords":"array set invert map inclusion test includes","version":"1.0.0","words":"array-to-set js function for turning an array into a set (a plain js object with keys pointing to true) =ccheever array set invert map inclusion test includes","author":"=ccheever","date":"2014-05-17 "},{"name":"array-to-sll","description":"Simple utility to convert an Array to a simple, iteratable Singly Linked List","url":null,"keywords":"","version":"0.0.0","words":"array-to-sll simple utility to convert an array to a simple, iteratable singly linked list =ajcrites","author":"=ajcrites","date":"2014-08-27 "},{"name":"array-tools","description":"Useful functions for working with arrays","url":null,"keywords":"pluck arrayify exists where findWhere without union commonSequence unique spliceWhile","version":"1.3.0","words":"array-tools useful functions for working with arrays =75lb pluck arrayify exists where findwhere without union commonsequence unique splicewhile","author":"=75lb","date":"2014-07-16 "},{"name":"array-tracker","description":"Statefully tracks arrays for additions and deletions.","url":null,"keywords":"array track changes diff observe watch","version":"0.0.5","words":"array-tracker statefully tracks arrays for additions and deletions. =kmccanless array track changes diff observe watch","author":"=kmccanless","date":"2013-10-16 "},{"name":"array-trie","description":"A trie data structure for arrays","url":null,"keywords":"array trie int float boolean character","version":"1.0.0","words":"array-trie a trie data structure for arrays =mikolalysenko array trie int float boolean character","author":"=mikolalysenko","date":"2014-05-01 "},{"name":"array-trim","description":"JavaScript module for trimming empty values from an array. Empty values are '', undefined, null, [], {}, and objects with no enumerable properties.","url":null,"keywords":"array-trim","version":"0.1.4","words":"array-trim javascript module for trimming empty values from an array. empty values are '', undefined, null, [], {}, and objects with no enumerable properties. =kastor array-trim","author":"=kastor","date":"2013-09-17 "},{"name":"array-union","description":"Create an array of unique values, in order, from the input arrays","url":null,"keywords":"array arr set uniq unique duplicate remove union combine merge","version":"1.0.0","words":"array-union create an array of unique values, in order, from the input arrays =sindresorhus array arr set uniq unique duplicate remove union combine merge","author":"=sindresorhus","date":"2014-08-13 "},{"name":"array-uniq","description":"Create an array without duplicates","url":null,"keywords":"array arr set uniq unique es6 duplicate remove","version":"1.0.0","words":"array-uniq create an array without duplicates =sindresorhus array arr set uniq unique es6 duplicate remove","author":"=sindresorhus","date":"2014-08-13 "},{"name":"array-util","description":"Array utils for misc. but useful things, so far just compares arrays","url":null,"keywords":"array equals compare util toObject","version":"0.0.4","words":"array-util array utils for misc. but useful things, so far just compares arrays =webmech array equals compare util toobject","author":"=webmech","date":"2013-11-14 "},{"name":"array-utils","description":"Hangs some useful methods off of Array.prototype.","url":null,"keywords":"array","version":"0.0.1","words":"array-utils hangs some useful methods off of array.prototype. =rdub array","author":"=rdub","date":"2014-06-02 "},{"name":"array-zip","description":"Merges together the values of each of the arrays","url":null,"keywords":"array list zip merge","version":"0.1.0","words":"array-zip merges together the values of each of the arrays =frozzare array list zip merge","author":"=frozzare","date":"2014-06-23 "},{"name":"array.from","description":"A robust & optimized `Array.from` polyfill, based on the ECMAScript 6 specification.","url":null,"keywords":"array es6 ecmascript polyfill","version":"0.2.0","words":"array.from a robust & optimized `array.from` polyfill, based on the ecmascript 6 specification. =mathias array es6 ecmascript polyfill","author":"=mathias","date":"2014-08-18 "},{"name":"array.js","keywords":"","version":[],"words":"array.js","author":"","date":"2013-11-26 "},{"name":"array.of","description":"A robust & optimized `Array.of` polyfill, based on the ECMAScript 6 specification.","url":null,"keywords":"string unicode es6 ecmascript polyfill","version":"0.1.0","words":"array.of a robust & optimized `array.of` polyfill, based on the ecmascript 6 specification. =mathias string unicode es6 ecmascript polyfill","author":"=mathias","date":"2013-12-22 "},{"name":"array.prototype.fill","description":"Array.prototype.fill polyfill","url":null,"keywords":"Array.prototype.fill fill es6 ecmascript 6 polyfill","version":"1.0.0","words":"array.prototype.fill array.prototype.fill polyfill =ahutchings array.prototype.fill fill es6 ecmascript 6 polyfill","author":"=ahutchings","date":"2014-09-16 "},{"name":"array.prototype.find","description":"Array.prototype.find ES6 polyfill.","url":null,"keywords":"Array.prototype.find find es6 ecmascript 6 polyfill","version":"1.0.0","words":"array.prototype.find array.prototype.find es6 polyfill. =paulmillr array.prototype.find find es6 ecmascript 6 polyfill","author":"=paulmillr","date":"2014-08-14 "},{"name":"array.prototype.findindex","description":"Array.prototype.findIndex ES6 polyfill.","url":null,"keywords":"Array.prototype.findIndex findIndex es6","version":"1.0.0","words":"array.prototype.findindex array.prototype.findindex es6 polyfill. =paulmillr array.prototype.findindex findindex es6","author":"=paulmillr","date":"2014-08-14 "},{"name":"Array.prototype.forEachAsync","description":"The Array.prototype.forEachAsync module of FuturesJS (Ender.JS and Node.JS)","url":null,"keywords":"flow-control async asynchronous futures Array.prototype.forEachAsync chain step util browser","version":"2.1.2","words":"array.prototype.foreachasync the array.prototype.foreachasync module of futuresjs (ender.js and node.js) =coolaj86 flow-control async asynchronous futures array.prototype.foreachasync chain step util browser","author":"=coolaj86","date":"2014-01-13 "},{"name":"array2d","description":"Utility library for working with 2D arrays (arrays of arrays) in JavaScript","url":null,"keywords":"","version":"0.0.5","words":"array2d utility library for working with 2d arrays (arrays of arrays) in javascript =matthewtoast","author":"=matthewtoast","date":"2014-08-26 "},{"name":"array_decoder","description":"Like string_decoder but for arrays","url":null,"keywords":"string_decoder array stream","version":"0.1.0","words":"array_decoder like string_decoder but for arrays =tonistiigi string_decoder array stream","author":"=tonistiigi","date":"2012-12-16 "},{"name":"array_flatten","description":"Function makes array flatten","url":null,"keywords":"array flatten","version":"1.0.0","words":"array_flatten function makes array flatten =siterra array flatten","author":"=siterra","date":"2014-03-21 "},{"name":"array_pinch","description":"Remove a slice in an array that matches a pair of values/functions.","url":null,"keywords":"array slice pinch","version":"0.2.0","words":"array_pinch remove a slice in an array that matches a pair of values/functions. =da99 array slice pinch","author":"=da99","date":"2012-08-26 "},{"name":"array_remove_index","description":"removes a member from a deduped array, by index","url":null,"keywords":"array.slice array.concat","version":"0.0.1","words":"array_remove_index removes a member from a deduped array, by index =mark116 array.slice array.concat","author":"=mark116","date":"2014-07-20 "},{"name":"array_surgeon","description":"Find a sequence of values in an Array and replace/remove them.","url":null,"keywords":"array surgeon","version":"0.5.0","words":"array_surgeon find a sequence of values in an array and replace/remove them. =da99 array surgeon","author":"=da99","date":"2012-09-14 "},{"name":"arraybuffer-slice","description":"Polyfill for ArrayBuffer.prototype.slice.","url":null,"keywords":"array buffer ArrayBuffer slice","version":"0.1.2","words":"arraybuffer-slice polyfill for arraybuffer.prototype.slice. =ttaubert array buffer arraybuffer slice","author":"=ttaubert","date":"2014-06-02 "},{"name":"arraybuffer.slice","description":"Exports a function for slicing ArrayBuffers (no polyfilling)","url":null,"keywords":"","version":"0.0.6","words":"arraybuffer.slice exports a function for slicing arraybuffers (no polyfilling) =rase-","author":"=rase-","date":"2014-03-06 "},{"name":"arraydb","description":"Use arrays as basic DB tables, and make queries on them","url":null,"keywords":"array database","version":"0.1.3","words":"arraydb use arrays as basic db tables, and make queries on them =bfontaine array database","author":"=bfontaine","date":"2014-02-17 "},{"name":"arraydiff","description":"Diff two arrays, finding inserts, removes, and moves","url":null,"keywords":"","version":"0.1.1","words":"arraydiff diff two arrays, finding inserts, removes, and moves =nateps =josephg =ishbu","author":"=nateps =josephg =ishbu","date":"2014-07-02 "},{"name":"arrayemitter","description":"EventEmitter emittin array-iteration events.","url":null,"keywords":"","version":"0.0.2","words":"arrayemitter eventemitter emittin array-iteration events. =shinout","author":"=shinout","date":"2011-11-16 "},{"name":"arrayext.js","description":"Javascript Library to Extend Javascript's array functionalities","url":null,"keywords":"array javascript extension","version":"1.0.6","words":"arrayext.js javascript library to extend javascript's array functionalities =haas array javascript extension","author":"=haas","date":"2013-04-16 "},{"name":"arrayify","description":"Convert array like items or individual items into arrays","url":null,"keywords":"","version":"1.0.0","words":"arrayify convert array like items or individual items into arrays =forbeslindesay","author":"=forbeslindesay","date":"2014-05-09 "},{"name":"arrayify-compact","description":"Similar to Lo-Dash's compact method, but coerces values to arrays first, then returns a flattened array with all falsey values removed. The values false, null, 0, \"\", undefined, and NaN are all falsey.","url":null,"keywords":"array arrayify boolean compact falsey flat flatten flattened to-array toArray values","version":"0.1.0","words":"arrayify-compact similar to lo-dash's compact method, but coerces values to arrays first, then returns a flattened array with all falsey values removed. the values false, null, 0, \"\", undefined, and nan are all falsey. =jonschlinkert array arrayify boolean compact falsey flat flatten flattened to-array toarray values","author":"=jonschlinkert","date":"2014-07-07 "},{"name":"arrayify-merge.s","description":"Wraps packets of streams into array","url":null,"keywords":"pipeland stream arrayify","version":"0.1.2","words":"arrayify-merge.s wraps packets of streams into array =burkostya pipeland stream arrayify","author":"=burkostya","date":"2014-03-05 "},{"name":"arrayize","description":"Return input if it is an array, otherwise return input wrapped in an array. If input is null or undefined, return empty array.","url":null,"keywords":"array","version":"0.1.3","words":"arrayize return input if it is an array, otherwise return input wrapped in an array. if input is null or undefined, return empty array. =tauren array","author":"=tauren","date":"2014-03-05 "},{"name":"arraylike","description":"Array like object to be used in templates","url":null,"keywords":"array template","version":"0.0.1","words":"arraylike array like object to be used in templates =xananax array template","author":"=xananax","date":"2014-06-30 "},{"name":"arraylist","description":"List based on Array","url":null,"keywords":"array list arraylist collection","version":"0.1.0","words":"arraylist list based on array =marianopardo array list arraylist collection","author":"=marianopardo","date":"2014-03-15 "},{"name":"arrayof","description":"Array#of for older browsers and node compat","url":null,"keywords":"base64 b64 encode decode buffer","version":"0.1.0","words":"arrayof array#of for older browsers and node compat =mhernandez base64 b64 encode decode buffer","author":"=mhernandez","date":"2014-02-19 "},{"name":"arraypromise","description":"An promise, on which you can apply array methods. For when you are sure the promise will return an array!\n","url":null,"keywords":"promises array","version":"0.1.7","words":"arraypromise an promise, on which you can apply array methods. for when you are sure the promise will return an array! =dralletje promises array","author":"=dralletje","date":"2013-10-05 "},{"name":"arrays","description":"Ruby like arrays","url":null,"keywords":"arrays","version":"0.1.1","words":"arrays ruby like arrays =santosh79 arrays","author":"=santosh79","date":"2013-12-21 "},{"name":"arrayslicer","description":"Node.JS module that implements an optimized binary search over a given array of objects","url":null,"keywords":"array search binary slice","version":"1.2.1","words":"arrayslicer node.js module that implements an optimized binary search over a given array of objects =gabmontes array search binary slice","author":"=gabmontes","date":"2014-07-31 "},{"name":"arraystream","description":"ReadableStream of arrays and hash variables.","url":null,"keywords":"ReadableStream array object stream","version":"0.0.5","words":"arraystream readablestream of arrays and hash variables. =shinout readablestream array object stream","author":"=shinout","date":"2012-03-07 "},{"name":"arraytools","description":"Collection of array processing tools","url":null,"keywords":"math array matrix vector processing","version":"1.0.0","words":"arraytools collection of array processing tools =bpostlethwaite math array matrix vector processing","author":"=bpostlethwaite","date":"2014-08-25 "},{"name":"arres-jwt-bucket","keywords":"","version":[],"words":"arres-jwt-bucket","author":"","date":"2014-03-26 "},{"name":"arrest","description":"REST framework for Node.js, Express and MongoDB","url":null,"keywords":"node node.js rest mongodb express connect angularjs","version":"1.0.11","words":"arrest rest framework for node.js, express and mongodb =0xfede node node.js rest mongodb express connect angularjs","author":"=0xfede","date":"2014-05-22 "},{"name":"arrest-couchbase","description":"REST framework for Node.js, Express and CouchBase","url":null,"keywords":"node node.js rest couchbase express connect angularjs","version":"1.0.4","words":"arrest-couchbase rest framework for node.js, express and couchbase =matsiya node node.js rest couchbase express connect angularjs","author":"=matsiya","date":"2014-05-23 "},{"name":"arrest-jwt-bucket","description":"REST framework for Node.js, Express and MongoDB","url":null,"keywords":"node node.js rest mongodb express connect angularjs","version":"1.1.9","words":"arrest-jwt-bucket rest framework for node.js, express and mongodb =matsiya node node.js rest mongodb express connect angularjs","author":"=matsiya","date":"2014-09-10 "},{"name":"arrg","description":"Unify arguments in the project","url":null,"keywords":"arguments","version":"0.1.3","words":"arrg unify arguments in the project =laoshanlung arguments","author":"=laoshanlung","date":"2014-01-23 "},{"name":"arrival","description":"Know when your elements and their children have transitionended.","url":null,"keywords":"transitionended transition","version":"1.0.0","words":"arrival know when your elements and their children have transitionended. =icelab transitionended transition","author":"=icelab","date":"2014-05-19 "},{"name":"arrjs","description":"HTTP and WebSocket application request routing","url":null,"keywords":"routing http application web","version":"0.1.0","words":"arrjs http and websocket application request routing =tjanczuk routing http application web","author":"=tjanczuk","date":"2012-02-07 "},{"name":"arrow","description":"Create sequence diagrams","url":null,"keywords":"sequencediagram sequence diagram","version":"0.1.2","words":"arrow create sequence diagrams =hildjj sequencediagram sequence diagram","author":"=hildjj","date":"2013-05-10 "},{"name":"arrow-keys","description":"A stream of arrow keys","url":null,"keywords":"","version":"1.0.0","words":"arrow-keys a stream of arrow keys =raynos =mattesch","author":"=raynos =mattesch","date":"2013-01-05 "},{"name":"arrowbreaker-sup","description":"An Express.js application that pings your urls and warns you about HTTP status code changes by email","url":null,"keywords":"ping monitoring uptime downtime alerts","version":"1.2.1","words":"arrowbreaker-sup an express.js application that pings your urls and warns you about http status code changes by email =enome ping monitoring uptime downtime alerts","author":"=enome","date":"2013-04-12 "},{"name":"arrows","description":"helps user apply transformations over domains from yaml","url":null,"keywords":"Function function function object expressions lambda","version":"0.1.1","words":"arrows helps user apply transformations over domains from yaml =harsha-mudi function function function object expressions lambda","author":"=harsha-mudi","date":"2014-05-19 "},{"name":"arrr","description":"Observable array","url":null,"keywords":"observable array","version":"0.3.0","words":"arrr observable array =enome observable array","author":"=enome","date":"2013-04-20 "},{"name":"arsenal","description":"A collection of various useful mechanisms for javascript applications","url":null,"keywords":"arsenal mechanisms collection library binding event functional grid hatch sequence throttle trigger","version":"1.4.0","words":"arsenal a collection of various useful mechanisms for javascript applications =dj-notyet arsenal mechanisms collection library binding event functional grid hatch sequence throttle trigger","author":"=dj-notyet","date":"2014-05-23 "},{"name":"arsenic-logger","description":"Simple, easy to read log statements with stack trace in Node.js. Now supports the ArsenicLogger cloud logging service.","url":null,"keywords":"logger stack trace cloud logging color","version":"0.3.6","words":"arsenic-logger simple, easy to read log statements with stack trace in node.js. now supports the arseniclogger cloud logging service. =thepipster logger stack trace cloud logging color","author":"=thepipster","date":"2014-09-18 "},{"name":"arsenic-mysql-session-store","description":"A MySQL Session store for connect/express","url":null,"keywords":"mysql session session store express","version":"1.0.0","words":"arsenic-mysql-session-store a mysql session store for connect/express =thepipster mysql session session store express","author":"=thepipster","date":"2013-09-10 "},{"name":"arshad-github-example","description":"get a list of github user repos","url":null,"keywords":"","version":"0.0.0","words":"arshad-github-example get a list of github user repos =arshad-example-user","author":"=arshad-example-user","date":"2013-12-09 "},{"name":"arsinh","description":"area hyperbolic sine","url":null,"keywords":"","version":"0.0.0","words":"arsinh area hyperbolic sine =jeffpeterson","author":"=jeffpeterson","date":"2014-09-08 "},{"name":"arslugify","description":"generate clean and slugified urls for Arabic letters","url":null,"keywords":"arabic slugify url","version":"1.0.1","words":"arslugify generate clean and slugified urls for arabic letters =eyadof arabic slugify url","author":"=eyadof","date":"2014-09-08 "},{"name":"arso","description":"Weather from ARSO","url":null,"keywords":"weather slovenia","version":"0.0.1","words":"arso weather from arso =dz0ny weather slovenia","author":"=dz0ny","date":"2013-06-01 "},{"name":"art","description":"Cross-browser Vector Graphics","url":null,"keywords":"art canvas svg vml","version":"0.9.2","words":"art cross-browser vector graphics =kamicane =sebmarkbage =zpao art canvas svg vml","author":"=kamicane =sebmarkbage =zpao","date":"2014-05-29 "},{"name":"art-cli","description":"Another ascii art cli tool with js, based on asciimo.","url":null,"keywords":"","version":"0.0.4","words":"art-cli another ascii art cli tool with js, based on asciimo. =tinple","author":"=tinple","date":"2014-08-26 "},{"name":"art-template","description":"JavaScript Template Engine","url":null,"keywords":"util functional template","version":"3.0.3","words":"art-template javascript template engine =aui util functional template","author":"=aui","date":"2014-08-20 "},{"name":"artanis","description":"web framework for nodejs like sinatra ","url":null,"keywords":"web framework sinatra","version":"1.0.0","words":"artanis web framework for nodejs like sinatra =song940 web framework sinatra","author":"=song940","date":"2014-09-17 "},{"name":"arte7dl","description":"Arte Downloader","url":null,"keywords":"arte downloader","version":"0.0.3","words":"arte7dl arte downloader =bafs arte downloader","author":"=bafs","date":"2014-07-30 "},{"name":"artefact.js","keywords":"","version":[],"words":"artefact.js","author":"","date":"2014-07-07 "},{"name":"artefactjs","description":"Generates text-files based on template and model","url":null,"keywords":"generate text generator template templates","version":"0.0.3","words":"artefactjs generates text-files based on template and model =drdrej generate text generator template templates","author":"=drdrej","date":"2014-07-08 "},{"name":"artefactjs-java-enum-obj-pattern","description":"EXÜERIMENTAL: artefactjs extension to create EnumObjectPattern artefacts","url":null,"keywords":"artefactjs extension plugin java pattern","version":"0.0.9","words":"artefactjs-java-enum-obj-pattern exüerimental: artefactjs extension to create enumobjectpattern artefacts =drdrej artefactjs extension plugin java pattern","author":"=drdrej","date":"2014-07-08 "},{"name":"artefactjs-java-enumobjpattern","description":"artefactjs extension to create EnumObjectPattern artefacts","keywords":"","version":[],"words":"artefactjs-java-enumobjpattern artefactjs extension to create enumobjectpattern artefacts =drdrej","author":"=drdrej","date":"2014-07-06 "},{"name":"artefactjs-loader","description":"load config for artefatjs.","url":null,"keywords":"","version":"0.0.9","words":"artefactjs-loader load config for artefatjs. =drdrej","author":"=drdrej","date":"2014-07-16 "},{"name":"artemis","description":"Blue Horizon ============","url":null,"keywords":"","version":"0.1.0","words":"artemis blue horizon ============ =nherment","author":"=nherment","date":"2013-02-18 "},{"name":"artemisjs","description":"A Javascript port of the entity component framwork Artemis","url":null,"keywords":"","version":"0.0.2","words":"artemisjs a javascript port of the entity component framwork artemis =dongbat","author":"=dongbat","date":"2014-01-11 "},{"name":"arteplus7","description":"Node client for the arte+7 website","url":null,"keywords":"arte replay","version":"0.1.0","words":"arteplus7 node client for the arte+7 website =thibauts arte replay","author":"=thibauts","date":"2014-03-18 "},{"name":"artery","description":"Express-like API to create scalable and maintainable applications in your browser","url":null,"keywords":"express artery framework api app maintainable reusable html5 web","version":"0.1.1","words":"artery express-like api to create scalable and maintainable applications in your browser =bredele express artery framework api app maintainable reusable html5 web","author":"=bredele","date":"2014-04-06 "},{"name":"arth-redis-lua","description":"Lua scripts helper for RedisClient","url":null,"keywords":"node redis lua","version":"0.0.2","words":"arth-redis-lua lua scripts helper for redisclient =vparth node redis lua","author":"=vparth","date":"2014-01-25 "},{"name":"arthur","description":"Converts files to uppercase","url":null,"keywords":"upper case file","version":"0.1.1","words":"arthur converts files to uppercase =arthurfigueiredo upper case file","author":"=arthurfigueiredo","date":"2014-01-10 "},{"name":"arthus","description":"Yet another web framework.","url":null,"keywords":"framework","version":"0.0.14","words":"arthus yet another web framework. =simme framework","author":"=simme","date":"2013-11-14 "},{"name":"artic","description":"Artic, for blogs.","url":null,"keywords":"","version":"0.0.2","words":"artic artic, for blogs. =nfour","author":"=nfour","date":"2013-11-09 "},{"name":"article","description":"Analyze a stream of HTML and outsputs the article title, text, and image","url":null,"keywords":"article reader","version":"1.1.0","words":"article analyze a stream of html and outsputs the article title, text, and image =andreasmadsen article reader","author":"=andreasmadsen","date":"2014-01-31 "},{"name":"article-title","description":"Extract the article title of a HTML document","url":null,"keywords":"cli bin article title post page heading extract parse find infer","version":"1.0.0","words":"article-title extract the article title of a html document =sindresorhus cli bin article title post page heading extract parse find infer","author":"=sindresorhus","date":"2014-08-13 "},{"name":"articlefinder","description":"A way to get the content of an article. Similar to readability.","url":null,"keywords":"article readability content scraper","version":"0.0.2","words":"articlefinder a way to get the content of an article. similar to readability. =ifrins article readability content scraper","author":"=ifrins","date":"2012-02-19 "},{"name":"articles","description":"Utility to determine the indirect article (in English) for a given word, using the method described at http://stackoverflow.com/questions/1288291/how-can-i-correctly-prefix-a-word-with-a-and-an/1288473#1288473 and the data provided at http://home.nerbonne.org/A-vs-An/","url":null,"keywords":"linguistics nlp","version":"0.2.1","words":"articles utility to determine the indirect article (in english) for a given word, using the method described at http://stackoverflow.com/questions/1288291/how-can-i-correctly-prefix-a-word-with-a-and-an/1288473#1288473 and the data provided at http://home.nerbonne.org/a-vs-an/ =ckirby linguistics nlp","author":"=ckirby","date":"2013-06-07 "},{"name":"articulate","description":"A document preparation system","url":null,"keywords":"","version":"0.1.0","words":"articulate a document preparation system =oconnore","author":"=oconnore","date":"2014-08-17 "},{"name":"artifact","description":"Artifact Graph Node Client.","url":null,"keywords":"","version":"0.4.3","words":"artifact artifact graph node client. =dbmeads =mikesmithson =sajidmohammed =srikanthanusuri =vamship","author":"=dbmeads =mikesmithson =sajidmohammed =srikanthanusuri =vamship","date":"2014-07-21 "},{"name":"artifi-glossy","description":"Syslog parser and producer. It is fork of https://github.com/squeeks/glossy - please check thatout","url":null,"keywords":"","version":"0.0.10","words":"artifi-glossy syslog parser and producer. it is fork of https://github.com/squeeks/glossy - please check thatout =dreamlab","author":"=dreamlab","date":"2012-01-05 "},{"name":"artifice","description":"Entity System, functional-esque game framework","url":null,"keywords":"entity system component functional","version":"0.1.0","words":"artifice entity system, functional-esque game framework =hughfdjackson entity system component functional","author":"=hughfdjackson","date":"2012-07-14 "},{"name":"artificer","description":"Markdown to html site generator.","url":null,"keywords":"static site generator","version":"0.0.3","words":"artificer markdown to html site generator. =vanetix static site generator","author":"=vanetix","date":"2013-06-10 "},{"name":"artillerie","description":"artillerie ==========","url":null,"keywords":"","version":"0.1.3","words":"artillerie artillerie ========== =larryaubstore","author":"=larryaubstore","date":"2013-01-03 "},{"name":"artillery","description":"CLI for artillery.io","url":null,"keywords":"load testing stress artillery","version":"0.0.2","words":"artillery cli for artillery.io =hhvhhv load testing stress artillery","author":"=hhvhhv","date":"2014-09-15 "},{"name":"artisan","description":"Opinionated Module Boilerplate Generator for Node.js","url":null,"keywords":"artisan boilerplate generator","version":"0.1.2","words":"artisan opinionated module boilerplate generator for node.js =kevintcoughlin artisan boilerplate generator","author":"=kevintcoughlin","date":"2013-06-25 "},{"name":"artisan-delegator","description":"Connect based routing middleware","url":null,"keywords":"url delegator middleware connect router","version":"1.0.1","words":"artisan-delegator connect based routing middleware =danielknell url delegator middleware connect router","author":"=danielknell","date":"2013-01-21 "},{"name":"artisan-pg","description":"a lightweight rapper around node-pg","url":null,"keywords":"","version":"0.0.62","words":"artisan-pg a lightweight rapper around node-pg =bendyorke","author":"=bendyorke","date":"2014-03-30 "},{"name":"artist","description":"Template engine for node.js built on fest","url":null,"keywords":"template templating html xml","version":"0.1.5","words":"artist template engine for node.js built on fest =eprev template templating html xml","author":"=eprev","date":"2013-03-03 "},{"name":"artit-nosql-layer","description":"Artit NOSQL Layer","url":null,"keywords":"artit nosql layer","version":"0.0.1","words":"artit-nosql-layer artit nosql layer =artit91 artit nosql layer","author":"=artit91","date":"2014-03-31 "},{"name":"artnet","description":"Module to send commands to an Art-Net node","url":null,"keywords":"Art-Net artnet dmx DMX512 stage lighting LED rgb","version":"0.0.2","words":"artnet module to send commands to an art-net node =hobbyquaker art-net artnet dmx dmx512 stage lighting led rgb","author":"=hobbyquaker","date":"2014-08-19 "},{"name":"artnet-node","description":"Art-Net server and client module for Node.JS","url":null,"keywords":"dmx artnet client","version":"0.1.0","words":"artnet-node art-net server and client module for node.js =brianmmcclain dmx artnet client","author":"=brianmmcclain","date":"2013-02-05 "},{"name":"artpacks","description":"cascading texture/sound artwork pack loader","url":null,"keywords":"art artwork packs textures","version":"0.3.3","words":"artpacks cascading texture/sound artwork pack loader =deathcap art artwork packs textures","author":"=deathcap","date":"2014-06-14 "},{"name":"artpacks-ui","description":"user interface for artpacks module","url":null,"keywords":"art assets artpacks resources ui","version":"0.1.0","words":"artpacks-ui user interface for artpacks module =deathcap art assets artpacks resources ui","author":"=deathcap","date":"2014-03-23 "},{"name":"arts-test-example","keywords":"","version":[],"words":"arts-test-example","author":"","date":"2014-03-24 "},{"name":"artsholland","description":"Access the Arts Holland API","url":null,"keywords":"artsholland api middleware culture tourism","version":"0.1.0","words":"artsholland access the arts holland api =franklin artsholland api middleware culture tourism","author":"=franklin","date":"2012-09-12 "},{"name":"artsy-backbone-mixins","description":"A library of Backbone mixins that DRY up some common domain logic and Artsy API rabbit holes..","url":null,"keywords":"backbone helpers mixins util","version":"0.0.13","words":"artsy-backbone-mixins a library of backbone mixins that dry up some common domain logic and artsy api rabbit holes.. =craigspaeth backbone helpers mixins util","author":"=craigspaeth","date":"2014-01-27 "},{"name":"artsy-gemini-upload","description":"Wrapper for gemini uploads","url":null,"keywords":"","version":"0.0.6","words":"artsy-gemini-upload wrapper for gemini uploads =mzikherman","author":"=mzikherman","date":"2014-07-28 "},{"name":"artsy-passport","description":"Wires up the common auth handlers for Artsy's [Ezel](ezeljs.com)-based apps using [passport](http://passportjs.org/).","url":null,"keywords":"artsy passport auth authentication","version":"0.1.7","words":"artsy-passport wires up the common auth handlers for artsy's [ezel](ezeljs.com)-based apps using [passport](http://passportjs.org/). =craigspaeth =zamiang artsy passport auth authentication","author":"=craigspaeth =zamiang","date":"2014-09-17 "},{"name":"artsy-xapp-middleware","description":"Node middleware that fetches an xapp token from Artsy, stores it in res.locals, and expires it.","url":null,"keywords":"","version":"0.1.2","words":"artsy-xapp-middleware node middleware that fetches an xapp token from artsy, stores it in res.locals, and expires it. =craigspaeth","author":"=craigspaeth","date":"2013-12-09 "},{"name":"artur.rudyuk","description":"Math stuff","url":null,"keywords":"\"math\" \"example\" \"addition\" \"subtraction\" \"multiplication\" \"division\" \"fibonacci\"","version":"0.0.0","words":"artur.rudyuk math stuff =aru \"math\" \"example\" \"addition\" \"subtraction\" \"multiplication\" \"division\" \"fibonacci\"","author":"=aru","date":"2013-12-04 "},{"name":"artusi-auth","description":"Base implementation of an SSOUP Auth for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-auth base implementation of an ssoup auth for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-drawer","description":"Base implementation of an SSOUP Drawer for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-drawer base implementation of an ssoup drawer for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-elevator","description":"Base implementation of an SSOUP Elevator for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-elevator base implementation of an ssoup elevator for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-filesystem-drawer","description":"Implementation of SSOUP Filesystem Drawer for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-filesystem-drawer implementation of ssoup filesystem drawer for artusi =alebellu","author":"=alebellu","date":"2013-12-28 "},{"name":"artusi-github-auth","description":"Implementation of SSOUP GitHub Auth for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-github-auth implementation of ssoup github auth for artusi =alebellu","author":"=alebellu","date":"2013-11-01 "},{"name":"artusi-github-drawer","description":"Implementation of SSOUP GitHub Drawer for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-github-drawer implementation of ssoup github drawer for artusi =alebellu","author":"=alebellu","date":"2013-11-01 "},{"name":"artusi-hob","description":"Base implementation of an SSOUP Hob for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-hob base implementation of an ssoup hob for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-kitchen","description":"Implementation of SSOUP Kitchen for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-kitchen implementation of ssoup kitchen for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-kitchen-assistant","description":"Implementation of SSOUP Kitchen Assistant for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-kitchen-assistant implementation of ssoup kitchen assistant for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-kitchen-tools","description":"Tools for the Artusi Kitchen","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-kitchen-tools tools for the artusi kitchen =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-memory-drawer","description":"Memory Drawer for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-memory-drawer memory drawer for artusi ssoup =alebellu","author":"=alebellu","date":"2013-11-01 "},{"name":"artusi-mongo-auth","description":"MongoDB Auth for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-mongo-auth mongodb auth for artusi ssoup =alebellu","author":"=alebellu","date":"2013-11-01 "},{"name":"artusi-mongo-drawer","description":"MongoDB Drawer for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-mongo-drawer mongodb drawer for artusi ssoup =alebellu","author":"=alebellu","date":"2013-11-01 "},{"name":"artusi-pan","description":"Base implementation of an SSOUP Pan for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-pan base implementation of an ssoup pan for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-shelf","description":"Implementation of SSOUP Shelf for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-shelf implementation of ssoup shelf for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-ssoup","description":"JS Implementation of SSOUP for Web Browsers","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-ssoup js implementation of ssoup for web browsers =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusi-worktop","description":"Implementation of SSOUP Worktop for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusi-worktop implementation of ssoup worktop for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi","description":"Base ingredients for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi base ingredients for artusi ssoup =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-bootstrap-pan","description":"Artusi BI Bootstrap Pan","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-bootstrap-pan artusi bi bootstrap pan =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-ckeditor-pan","description":"Artusi BI CK Editor Pan","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-ckeditor-pan artusi bi ck editor pan =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-document-manipulation","description":"Artusi BI Document Manipulation","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-document-manipulation artusi bi document manipulation =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-filesystem-drawer","description":"Implementation of SSOUP Filesystem Drawer for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-filesystem-drawer implementation of ssoup filesystem drawer for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-github-auth","description":"Implementation of SSOUP GitHub Auth for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-github-auth implementation of ssoup github auth for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-github-drawer","description":"Implementation of SSOUP GitHub Drawer for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-github-drawer implementation of ssoup github drawer for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-list-manipulation","description":"Artusi BI List Manipulation","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-list-manipulation artusi bi list manipulation =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-memory-drawer","description":"Memory Drawer for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-memory-drawer memory drawer for artusi ssoup =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-mongo-auth","description":"MongoDB Auth for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-mongo-auth mongodb auth for artusi ssoup =alebellu","author":"=alebellu","date":"2013-12-28 "},{"name":"artusibi-mongo-drawer","description":"MongoDB Drawer for Artusi SSOUP","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-mongo-drawer mongodb drawer for artusi ssoup =alebellu","author":"=alebellu","date":"2013-12-28 "},{"name":"artusibi-resource-manipulation","description":"Artusi BI Resource Manipulation","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-resource-manipulation artusi bi resource manipulation =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-rest-elevator","description":"Implementation of SSOUP REST Elevator for Artusi","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-rest-elevator implementation of ssoup rest elevator for artusi =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-underscore-pan","description":"Artusi BI Underscore Pan","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-underscore-pan artusi bi underscore pan =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artusibi-visualization-hob","description":"Artusi BI Visualization Hob","url":null,"keywords":"","version":"0.1.0-1","words":"artusibi-visualization-hob artusi bi visualization hob =alebellu","author":"=alebellu","date":"2013-11-02 "},{"name":"artycles","description":"Content creation module","url":null,"keywords":"node content create aws","version":"0.1.0","words":"artycles content creation module =makesites node content create aws","author":"=makesites","date":"2014-05-07 "},{"name":"arubedo","description":"Translate Al Bhed language into Japanese","url":null,"keywords":"","version":"0.0.5","words":"arubedo translate al bhed language into japanese =frederick-s","author":"=frederick-s","date":"2014-09-01 "},{"name":"aruco-marker","description":"Library for generating Aruco marker images","url":null,"keywords":"aruco image augmented reality","version":"1.0.0","words":"aruco-marker library for generating aruco marker images =bhollis aruco image augmented reality","author":"=bhollis","date":"2014-02-16 "},{"name":"arun","keywords":"","version":[],"words":"arun","author":"","date":"2014-06-03 "},{"name":"arvernorix-utils","description":"Just a simple Node.JS utility library","url":null,"keywords":"utility library","version":"0.0.0","words":"arvernorix-utils just a simple node.js utility library =arvernorix utility library","author":"=arvernorix","date":"2014-01-22 "},{"name":"arvina","description":"Library to translate english to pig-latin","url":null,"keywords":"pig latin translator arvina","version":"0.0.2","words":"arvina library to translate english to pig-latin =contejious pig latin translator arvina","author":"=contejious","date":"2014-07-07 "},{"name":"arvinmodule","description":"A module for learning","url":null,"keywords":"","version":"0.0.1","words":"arvinmodule a module for learning =arvin","author":"=arvin","date":"2013-08-03 "},{"name":"arvo","url":null,"keywords":"","version":"0.0.1","words":"arvo =arvo","author":"=arvo","date":"2014-07-30 "},{"name":"arx","description":"TBD","url":null,"keywords":"","version":"0.1.0","words":"arx tbd =dmitryshimkin","author":"=dmitryshimkin","date":"2014-07-31 "},{"name":"ary","description":"Clips function argument lengths.","url":null,"keywords":"arity n-ary unary binary ternary function arguments restrict length","version":"0.1.0","words":"ary clips function argument lengths. =pluma arity n-ary unary binary ternary function arguments restrict length","author":"=pluma","date":"2014-03-19 "},{"name":"arykow-http","description":"Arykow's HTTP library","url":null,"keywords":"","version":"0.1.0","words":"arykow-http arykow's http library =kdridi","author":"=kdridi","date":"2013-12-06 "},{"name":"arykow-iframely-client","description":"Arykow's IFramely client","url":null,"keywords":"","version":"0.1.1","words":"arykow-iframely-client arykow's iframely client =kdridi","author":"=kdridi","date":"2013-12-09 "},{"name":"arykow-image","description":"Arykow's Image library","url":null,"keywords":"","version":"0.1.1","words":"arykow-image arykow's image library =kdridi","author":"=kdridi","date":"2013-12-06 "},{"name":"arykow-mime","description":"Arykow's MIME library","url":null,"keywords":"","version":"0.1.3","words":"arykow-mime arykow's mime library =kdridi","author":"=kdridi","date":"2013-12-06 "},{"name":"arykow-npm","description":"Arykow's NPM library","url":null,"keywords":"","version":"0.2.0","words":"arykow-npm arykow's npm library =kdridi","author":"=kdridi","date":"2013-12-07 "},{"name":"as","keywords":"","version":[],"words":"as","author":"","date":"2013-10-26 "},{"name":"as-array","description":"Make any value an array","url":null,"keywords":"array convert argument","version":"0.1.2","words":"as-array make any value an array =scottcorgan array convert argument","author":"=scottcorgan","date":"2014-03-10 "},{"name":"as-cli","description":"Command line tool suite for ArchivesSpace","url":null,"keywords":"archivesspace cli","version":"0.0.3","words":"as-cli command line tool suite for archivesspace =kopfschmerzen archivesspace cli","author":"=kopfschmerzen","date":"2014-08-14 "},{"name":"as-node","keywords":"","version":[],"words":"as-node","author":"","date":"2014-07-07 "},{"name":"as-number","description":"typeof number, or use a default","url":null,"keywords":"typeof type of is number num default arg arguments opt opts options","version":"1.0.0","words":"as-number typeof number, or use a default =mattdesl typeof type of is number num default arg arguments opt opts options","author":"=mattdesl","date":"2014-09-17 "},{"name":"as-replace-instances","description":"Safely replace all instances in AWS AutoScaling Group","url":null,"keywords":"","version":"0.1.0","words":"as-replace-instances safely replace all instances in aws autoscaling group =ianshward","author":"=ianshward","date":"2014-04-29 "},{"name":"as-stream","description":"Represent stream, buffer an object or a list of those as a stream","url":null,"keywords":"stream","version":"0.1.1","words":"as-stream represent stream, buffer an object or a list of those as a stream =andreypopp stream","author":"=andreypopp","date":"2013-10-01 "},{"name":"as_eco","description":"Asynchronous, streaming embedded CoffeeScript templating engine.","url":null,"keywords":"","version":"0.1.1","words":"as_eco asynchronous, streaming embedded coffeescript templating engine. =kevingoslar","author":"=kevingoslar","date":"2013-01-31 "},{"name":"as_ejs","description":"Asynchronous, streaming embedded Javascript templating engine.","url":null,"keywords":"","version":"0.2.3","words":"as_ejs asynchronous, streaming embedded javascript templating engine. =kevingoslar","author":"=kevingoslar","date":"2013-01-30 "},{"name":"asa","description":"as soon as something, do something","url":null,"keywords":"","version":"0.1.1","words":"asa as soon as something, do something =spro","author":"=spro","date":"2013-11-10 "},{"name":"asana","description":"A node.js client for the Asana API","url":null,"keywords":"asana api oauth","version":"0.1.2","words":"asana a node.js client for the asana api =pspeter3 asana api oauth","author":"=pspeter3","date":"2014-07-24 "},{"name":"asana-api","description":"A nodejs client implementation for Asana API","url":null,"keywords":"asana api project management","version":"0.2.0","words":"asana-api a nodejs client implementation for asana api =indexzero asana api project management","author":"=indexzero","date":"2013-05-20 "},{"name":"asana-api-oauth","description":"A nodejs client implementation for Asana API with OAuth","url":null,"keywords":"asana api project management","version":"0.2.1","words":"asana-api-oauth a nodejs client implementation for asana api with oauth =productiveme asana api project management","author":"=productiveme","date":"2014-03-22 "},{"name":"asana-cli","description":"Command-line interface to Asana (asana.com)","url":null,"keywords":"","version":"0.0.2","words":"asana-cli command-line interface to asana (asana.com) =tlevine","author":"=tlevine","date":"2013-12-12 "},{"name":"asana-rest-api","description":"A Node.js implementation for the Asana REST API.","url":null,"keywords":"","version":"0.6.0","words":"asana-rest-api a node.js implementation for the asana rest api. =joeyvandijk","author":"=joeyvandijk","date":"2014-09-03 "},{"name":"asana-summary","description":"Generating a summary of the last week's tasks from Asana.","url":null,"keywords":"","version":"0.0.1","words":"asana-summary generating a summary of the last week's tasks from asana. =admc","author":"=admc","date":"2013-01-24 "},{"name":"asanabot","description":"Bot to poll Asana for task updates and POST them to webhook","url":null,"keywords":"asana poll tasks bot update change","version":"0.0.8","words":"asanabot bot to poll asana for task updates and post them to webhook =doublerebel asana poll tasks bot update change","author":"=doublerebel","date":"2014-08-18 "},{"name":"asap","description":"High-priority task queue for Node.js and browsers","url":null,"keywords":"event task queue","version":"1.0.0","words":"asap high-priority task queue for node.js and browsers =kriskowal event task queue","author":"=kriskowal","date":"2013-07-09 "},{"name":"asapi","description":"node js archivesspace rest client","url":null,"keywords":"archivesspace rest client","version":"0.0.2","words":"asapi node js archivesspace rest client =kopfschmerzen archivesspace rest client","author":"=kopfschmerzen","date":"2014-08-14 "},{"name":"asarray","description":"convert array-like objects to arrays","url":null,"keywords":"array interface convert reify","version":"0.1.0","words":"asarray convert array-like objects to arrays =deathcap array interface convert reify","author":"=deathcap","date":"2014-04-27 "},{"name":"asc","description":"A middleware layer between a service and a client. The service could be an in-process library, a file, an external web service, anything. Any time the results from a resource call can be cached, you can use ASC as a proxy to that resource.","url":null,"keywords":"cache service proxy ttl cache batch lookup","version":"0.1.2","words":"asc a middleware layer between a service and a client. the service could be an in-process library, a file, an external web service, anything. any time the results from a resource call can be cached, you can use asc as a proxy to that resource. =ahildoer =bluerival cache service proxy ttl cache batch lookup","author":"=ahildoer =bluerival","date":"2013-04-30 "},{"name":"ascend","description":"going on up","url":null,"keywords":"","version":"0.0.1","words":"ascend going on up =davidrekow","author":"=davidrekow","date":"2014-08-23 "},{"name":"ascentis","description":"a client library for the Ascentis Web API","url":null,"keywords":"ascentis HRIS human resources","version":"0.1.2","words":"ascentis a client library for the ascentis web api =brozeph ascentis hris human resources","author":"=brozeph","date":"2013-09-12 "},{"name":"ascii","description":"convert pictures to ascii arts based on node-canvas","url":null,"keywords":"ascii ascii-arts canvas","version":"0.1.0","words":"ascii convert pictures to ascii arts based on node-canvas =turing ascii ascii-arts canvas","author":"=turing","date":"2014-09-06 "},{"name":"ascii-anim-preview","description":"Tiny command-line utility to preview ASCII art animations","url":null,"keywords":"","version":"0.0.1","words":"ascii-anim-preview tiny command-line utility to preview ascii art animations =tancredi","author":"=tancredi","date":"2014-05-01 "},{"name":"ascii-animator","description":"A flimsy little thing to animate characters inside an html page","url":null,"keywords":"","version":"0.0.2","words":"ascii-animator a flimsy little thing to animate characters inside an html page =thomax","author":"=thomax","date":"2013-05-13 "},{"name":"ascii-art","description":"A package for ansi codes, figlet fonts, and ascii art","url":null,"keywords":"ascii figlet ansi","version":"0.0.2-alpha","words":"ascii-art a package for ansi codes, figlet fonts, and ascii art =khrome ascii figlet ansi","author":"=khrome","date":"2013-02-02 "},{"name":"ascii-art-reverse","description":"reverses ascii art. caution, uses magic.","url":null,"keywords":"magic unicorn ascii art","version":"0.0.0","words":"ascii-art-reverse reverses ascii art. caution, uses magic. =regality magic unicorn ascii art","author":"=regality","date":"2012-08-27 "},{"name":"ascii-banner","description":"Create ASCIIMO Easy Banners!","url":null,"keywords":"banner asciimo help intro","version":"0.0.2","words":"ascii-banner create asciimo easy banners! =mpeg banner asciimo help intro","author":"=mpeg","date":"2013-11-22 "},{"name":"ascii-chart","description":"Ascii bar chart","url":null,"keywords":"ascii chart bar stats data cli terminal","version":"1.1.0","words":"ascii-chart ascii bar chart =tjholowaychuk ascii chart bar stats data cli terminal","author":"=tjholowaychuk","date":"2014-02-27 "},{"name":"ascii-dance","description":"¯\\_(ツ)_/¯ _/¯(ツ)¯\\_ ¯\\_(ツ)¯\\_ _/¯(ツ)_/¯","url":null,"keywords":"ascii dance dancing","version":"1.0.0","words":"ascii-dance ¯\\_(ツ)_/¯ _/¯(ツ)¯\\_ ¯\\_(ツ)¯\\_ _/¯(ツ)_/¯ =davidmason ascii dance dancing","author":"=davidmason","date":"2014-07-02 "},{"name":"ascii-frames","description":"Create ASCII animations in Terminal using ASCII frames.","url":null,"keywords":"ascii frames animations terminal","version":"0.2.0","words":"ascii-frames create ascii animations in terminal using ascii frames. =ionicabizau ascii frames animations terminal","author":"=ionicabizau","date":"2014-05-21 "},{"name":"ascii-github","description":"GitHub CLI Client","url":null,"keywords":"","version":"0.0.0-alpha1","words":"ascii-github github cli client =ionicabizau","author":"=ionicabizau","date":"2014-08-13 "},{"name":"ascii-histogram","description":"Ascii histograms","url":null,"keywords":"ascii histogram stats data cli terminal","version":"1.2.1","words":"ascii-histogram ascii histograms =tjholowaychuk ascii histogram stats data cli terminal","author":"=tjholowaychuk","date":"2014-02-28 "},{"name":"ascii-images","description":"Convert `.png` images to ASCII characters","url":null,"keywords":"","version":"0.1.1","words":"ascii-images convert `.png` images to ascii characters =michalbe","author":"=michalbe","date":"2014-07-25 "},{"name":"ascii-json","description":"Generates ASCII-only JSON with escaped non-ASCII chracters.","url":null,"keywords":"ascii json","version":"0.2.0","words":"ascii-json generates ascii-only json with escaped non-ascii chracters. =donpark ascii json","author":"=donpark","date":"2013-04-05 "},{"name":"ascii-math","description":"ascii-math to MathML conversion on the server side","url":null,"keywords":"","version":"2.0.0","words":"ascii-math ascii-math to mathml conversion on the server side =forbeslindesay =psalaets","author":"=forbeslindesay =psalaets","date":"2014-05-04 "},{"name":"ascii-table","description":"Easy tables for your console data","url":null,"keywords":"table ascii console","version":"0.0.4","words":"ascii-table easy tables for your console data =sorensen table ascii console","author":"=sorensen","date":"2013-12-02 "},{"name":"ascii-text","description":"a node module for inputing a ascii text pattern to console","url":null,"keywords":"","version":"0.1.0","words":"ascii-text a node module for inputing a ascii text pattern to console =kitemao","author":"=kitemao","date":"2014-04-22 "},{"name":"ascii-tree","description":"A node module for generating a text tree in ASCII","url":null,"keywords":"tree text ascii node javascript","version":"0.1.1","words":"ascii-tree a node module for generating a text tree in ascii =liushuping tree text ascii node javascript","author":"=liushuping","date":"2014-07-24 "},{"name":"ascii-webkit","description":"A retro ascii renderer for WebKit.","url":null,"keywords":"webkit ascii retro","version":"1.0.2","words":"ascii-webkit a retro ascii renderer for webkit. =brianleroux webkit ascii retro","author":"=brianleroux","date":"2012-10-26 "},{"name":"asciidoc-dependency-graph","description":"Create asciidoc dependency graph to JSON.","url":null,"keywords":"","version":"0.0.4","words":"asciidoc-dependency-graph create asciidoc dependency graph to json. =azu","author":"=azu","date":"2014-05-31 "},{"name":"asciidoctor.js","description":"A JavaScript AsciiDoc processor, cross-compiled from the Ruby-based AsciiDoc implementation, Asciidoctor, using Opal","url":null,"keywords":"asciidoc asciidoctor opal javascript library","version":"1.5.0","words":"asciidoctor.js a javascript asciidoc processor, cross-compiled from the ruby-based asciidoc implementation, asciidoctor, using opal =anthonny.querouil asciidoc asciidoctor opal javascript library","author":"=anthonny.querouil","date":"2014-08-23 "},{"name":"asciidoctorjs-npm-wrapper","description":"Npm wrapper for Asciidoctor.js","url":null,"keywords":"asciidoc asciidoctor.js npm","version":"0.1.3","words":"asciidoctorjs-npm-wrapper npm wrapper for asciidoctor.js =anthonny.querouil asciidoc asciidoctor.js npm","author":"=anthonny.querouil","date":"2014-05-26 "},{"name":"asciify","description":"Plain text awesomizer. A hybrid npm module and CLI for turning plain text into ascii art.","url":null,"keywords":"ascii art figlet banner text","version":"1.3.5","words":"asciify plain text awesomizer. a hybrid npm module and cli for turning plain text into ascii art. =olizilla =alanshaw ascii art figlet banner text","author":"=olizilla =alanshaw","date":"2014-02-04 "},{"name":"asciify-string","description":"Convert a unicode string to a readable ascii-only string.","url":null,"keywords":"ascii unicode","version":"0.1.1","words":"asciify-string convert a unicode string to a readable ascii-only string. =tstrimple ascii unicode","author":"=tstrimple","date":"2014-01-31 "},{"name":"asciimo","description":"create awesome ascii art with javascript! works in node.js or the browser.","url":null,"keywords":"ascii text art","version":"0.3.1","words":"asciimo create awesome ascii art with javascript! works in node.js or the browser. =marak ascii text art","author":"=marak","date":"prehistoric"},{"name":"asciipack","description":"AsciiPack is an object serialization inspired by MessagePack.","url":null,"keywords":"MessagePack serialize","version":"0.1.2","words":"asciipack asciipack is an object serialization inspired by messagepack. =ksss messagepack serialize","author":"=ksss","date":"2013-10-13 "},{"name":"asciiparse","description":"Parse ascii tables into rows and columns.","url":null,"keywords":"","version":"0.1.1","words":"asciiparse parse ascii tables into rows and columns. =dlauritzen","author":"=dlauritzen","date":"2013-11-26 "},{"name":"asciiporn","description":"i love asciiporn!","keywords":"","version":[],"words":"asciiporn i love asciiporn! =kaizhu","author":"=kaizhu","date":"2012-01-24 "},{"name":"asciitable","description":"Render tables in text for tabular terminal fun times!","url":null,"keywords":"ascii table render console terminal text","version":"0.0.7","words":"asciitable render tables in text for tabular terminal fun times! =deoxxa ascii table render console terminal text","author":"=deoxxa","date":"2013-05-25 "},{"name":"ascio","description":"ASCIO AWS node implementation","url":null,"keywords":"ascio domains","version":"0.0.7","words":"ascio ascio aws node implementation =apocas ascio domains","author":"=apocas","date":"2014-05-19 "},{"name":"ascli","description":"A uniform foundation for unobtrusive (ASCII art in) cli apps.","url":null,"keywords":"ansi terminal colors ascii","version":"0.3.0","words":"ascli a uniform foundation for unobtrusive (ascii art in) cli apps. =dcode ansi terminal colors ascii","author":"=dcode","date":"2013-05-28 "},{"name":"ascolor","description":"a simple ascii color library","url":null,"keywords":"ascii colors color code terminal colors","version":"0.0.1","words":"ascolor a simple ascii color library =influx6 ascii colors color code terminal colors","author":"=influx6","date":"2012-09-27 "},{"name":"ascoltatori","description":"The pub/sub library for node backed by Redis, MongoDB, AMQP (RabbitMQ), ZeroMQ, MQTT (Mosquitto) or just plain node!","url":null,"keywords":"publish subscribe pubsub rabbitmq zeromq 0mq mqtt amqp mosquitto mongodb mongo pub sub","version":"0.16.0","words":"ascoltatori the pub/sub library for node backed by redis, mongodb, amqp (rabbitmq), zeromq, mqtt (mosquitto) or just plain node! =matteo.collina publish subscribe pubsub rabbitmq zeromq 0mq mqtt amqp mosquitto mongodb mongo pub sub","author":"=matteo.collina","date":"2014-08-07 "},{"name":"ascribe","description":"ASCII bar chart","url":null,"keywords":"","version":"0.1.0","words":"ascribe ascii bar chart =automatthew","author":"=automatthew","date":"2013-02-07 "},{"name":"ascs","description":"provide the async/await like C# 4.5","url":null,"keywords":"async await javascript C#","version":"0.2.2","words":"ascs provide the async/await like c# 4.5 =drzlab async await javascript c#","author":"=drzlab","date":"2014-05-27 "},{"name":"asd","description":"assist system develop","url":null,"keywords":"","version":"0.0.7","words":"asd assist system develop =linkwisdom","author":"=linkwisdom","date":"2014-08-04 "},{"name":"asdasdasd","keywords":"","version":[],"words":"asdasdasd","author":"","date":"2014-06-17 "},{"name":"asdasdaws","description":"12","url":null,"keywords":"123","version":"1.0.0","words":"asdasdaws 12 =tk1905345 123","author":"=tk1905345","date":"2013-08-07 "},{"name":"asdfasdfasdf","description":"asdfasdfasdf update","url":null,"keywords":"","version":"0.0.2","words":"asdfasdfasdf asdfasdfasdf update =badunk","author":"=badunk","date":"2013-08-13 "},{"name":"asdfsfdfasfdasdffffffffffsssssf","keywords":"","version":[],"words":"asdfsfdfasfdasdffffffffffsssssf","author":"","date":"2014-05-14 "},{"name":"ase","description":"gossip-like protocol to maintain a distributed network of peers","url":null,"keywords":"gossip nodes failure detection distributed peer network","version":"0.1.4","words":"ase gossip-like protocol to maintain a distributed network of peers =ramitos gossip nodes failure detection distributed peer network","author":"=ramitos","date":"2013-11-17 "},{"name":"asearch","description":"ambiguity text search","url":null,"keywords":"ambiguity text search","version":"0.0.7","words":"asearch ambiguity text search =shokai ambiguity text search","author":"=shokai","date":"2014-01-31 "},{"name":"asemaphore","keywords":"","version":[],"words":"asemaphore","author":"","date":"2014-05-12 "},{"name":"asereje","description":"Asereje is a library that builds your assets on demand","url":null,"keywords":"build assets css javascript","version":"0.1.0","words":"asereje asereje is a library that builds your assets on demand =masylum build assets css javascript","author":"=masylum","date":"2011-12-08 "},{"name":"aserver","description":"a server","url":null,"keywords":"","version":"0.0.2","words":"aserver a server =alexshen","author":"=alexshen","date":"2014-08-02 "},{"name":"asEvented","description":"Micro event emitter which provides the observer pattern to JavaScript object.","url":null,"keywords":"events emitter bind trigger observer","version":"0.4.3","words":"asevented micro event emitter which provides the observer pattern to javascript object. =mkuklis events emitter bind trigger observer","author":"=mkuklis","date":"2013-10-27 "},{"name":"asf-parser","description":"streaming ASF audio file metdata parser","url":null,"keywords":"audio ASF windows media wma parser","version":"0.3.0","words":"asf-parser streaming asf audio file metdata parser =theporchrat audio asf windows media wma parser","author":"=theporchrat","date":"2014-04-06 "},{"name":"asflow","description":"Asynchronous flow control library for JavaScript and Nodejs","url":null,"keywords":"async asynchronous flow control serial parallel limit","version":"0.0.2","words":"asflow asynchronous flow control library for javascript and nodejs =hholmgren async asynchronous flow control serial parallel limit","author":"=hholmgren","date":"2013-02-25 "},{"name":"asgard","description":"service manager with http interface","url":null,"keywords":"","version":"0.0.0","words":"asgard service manager with http interface =groundwater","author":"=groundwater","date":"2014-06-17 "},{"name":"ash","description":"Ash is a distributed presentation framework for the bohemian web developer.","url":null,"keywords":"framework web","version":"0.0.2","words":"ash ash is a distributed presentation framework for the bohemian web developer. =capecodehq =mountainmansoftware framework web","author":"=capecodehq =mountainmansoftware","date":"2012-09-07 "},{"name":"ashanan-howler","description":"Awooo!","url":null,"keywords":"","version":"0.1.0","words":"ashanan-howler awooo! =ashanan","author":"=ashanan","date":"2014-07-25 "},{"name":"asher","description":"nothing to do","url":null,"keywords":"","version":"0.0.1","words":"asher nothing to do =asher","author":"=asher","date":"2013-12-22 "},{"name":"ashleshajs","description":"AshleshaJS is a framework to build high performance and maintainable single page web applications. It uses ExpressJS and YUI3 as foundation. It is tightly coupled with Twitter Bootstrap for the CSS framework but you can use any other framework as well. ","url":null,"keywords":"NodeJS node YUI3 Express Bootstrap","version":"1.0.0","words":"ashleshajs ashleshajs is a framework to build high performance and maintainable single page web applications. it uses expressjs and yui3 as foundation. it is tightly coupled with twitter bootstrap for the css framework but you can use any other framework as well. =akshar nodejs node yui3 express bootstrap","author":"=akshar","date":"2012-11-16 "},{"name":"asif","description":"testing","url":null,"keywords":"","version":"0.0.0","words":"asif testing =sham","author":"=sham","date":"2014-07-15 "},{"name":"asifier","description":"A tool for inspecting where ASI occurs.","url":null,"keywords":"","version":"0.1.0","words":"asifier a tool for inspecting where asi occurs. =jussi-kalliokoski","author":"=jussi-kalliokoski","date":"2012-05-06 "},{"name":"asimov","description":"A better toolkit for building awesome websites and apps","url":null,"keywords":"","version":"0.20.2","words":"asimov a better toolkit for building awesome websites and apps =adamrenklint","author":"=adamrenklint","date":"2014-07-11 "},{"name":"asimov-app-template","keywords":"","version":[],"words":"asimov-app-template","author":"","date":"2014-03-27 "},{"name":"asimov-build","description":"Grunt tasks to compile an Asimov project","url":null,"keywords":"","version":"1.0.0","words":"asimov-build grunt tasks to compile an asimov project =xzyfer","author":"=xzyfer","date":"2014-05-22 "},{"name":"asimov-collection","description":"Collection and model classes for asimov.js","url":null,"keywords":"","version":"0.1.3","words":"asimov-collection collection and model classes for asimov.js =adamrenklint","author":"=adamrenklint","date":"2014-05-06 "},{"name":"asimov-core","description":"Base classes and toolkit for asimov.js","url":null,"keywords":"","version":"0.2.3","words":"asimov-core base classes and toolkit for asimov.js =adamrenklint","author":"=adamrenklint","date":"2014-05-10 "},{"name":"asimov-deploy-hubot","url":null,"keywords":"","version":"0.1.0","words":"asimov-deploy-hubot =torkelo","author":"=torkelo","date":"2014-03-10 "},{"name":"asimov-deploy-ui","description":"Web UI For Assimov Deploy (distributed deploy system)","url":null,"keywords":"deploy continuous integration deployment","version":"0.6.34","words":"asimov-deploy-ui web ui for assimov deploy (distributed deploy system) =torkelo =asimov-deploy deploy continuous integration deployment","author":"=torkelo =asimov-deploy","date":"2014-08-19 "},{"name":"asimov-framework","keywords":"","version":[],"words":"asimov-framework","author":"","date":"2014-03-27 "},{"name":"asimov-markup-plugin","keywords":"","version":[],"words":"asimov-markup-plugin","author":"","date":"2014-03-27 "},{"name":"asimov-server","description":"High performance static server cluster plugin for asimov.js","url":null,"keywords":"asimov asimov.js asimov-plugin cluster static server","version":"0.0.1","words":"asimov-server high performance static server cluster plugin for asimov.js =adamrenklint asimov asimov.js asimov-plugin cluster static server","author":"=adamrenklint","date":"2014-07-30 "},{"name":"asimov-static","description":"Awesome static site generator, based on asimov and asimov-server","url":null,"keywords":"","version":"0.1.9","words":"asimov-static awesome static site generator, based on asimov and asimov-server =adamrenklint","author":"=adamrenklint","date":"2014-08-27 "},{"name":"asimov-test","description":"Testing toolkit for asimov.js","url":null,"keywords":"","version":"0.2.5","words":"asimov-test testing toolkit for asimov.js =adamrenklint","author":"=adamrenklint","date":"2014-06-13 "},{"name":"asimov.js","description":"A better way to build awesome websites and apps, with javascript and textfiles","url":null,"keywords":"","version":"0.17.25","words":"asimov.js a better way to build awesome websites and apps, with javascript and textfiles =adamrenklint =mlabod","author":"=adamrenklint =mlabod","date":"2014-07-09 "},{"name":"asimovjs-template-project","description":"asimov.js template project ==========================","url":null,"keywords":"","version":"0.3.0","words":"asimovjs-template-project asimov.js template project ========================== =adamrenklint","author":"=adamrenklint","date":"2014-04-05 "},{"name":"asis","description":"A Simple Image Server","url":null,"keywords":"","version":"0.0.2","words":"asis a simple image server =ninjakttty","author":"=ninjakttty","date":"2012-06-06 "},{"name":"asJam","description":"A jam of ActionScript","url":null,"keywords":"","version":"0.1.6","words":"asjam a jam of actionscript =strager","author":"=strager","date":"2012-04-17 "},{"name":"asjs","description":"async/await for js","url":null,"keywords":"","version":"1.0.0","words":"asjs async/await for js =xmm","author":"=xmm","date":"2014-08-18 "},{"name":"ask","description":"ask user prompt for nodejs","url":null,"keywords":"javascript prompt cake coffeescript","version":"0.1.0","words":"ask ask user prompt for nodejs =twilson63 javascript prompt cake coffeescript","author":"=twilson63","date":"2011-12-15 "},{"name":"ask-for","description":"Node.js readline utility","url":null,"keywords":"","version":"0.0.3","words":"ask-for node.js readline utility =juliangruber","author":"=juliangruber","date":"2013-11-22 "},{"name":"ask-js","description":"JavaScript implementation of the Ask query language.","url":null,"keywords":"ask Wikidata Semantic MediaWiki Wikibase","version":"0.0.1","words":"ask-js javascript implementation of the ask query language. =jeroendedauw ask wikidata semantic mediawiki wikibase","author":"=jeroendedauw","date":"2013-08-07 "},{"name":"ask11-storage","description":"Functional wrapper around localForage","url":null,"keywords":"offline storage localForage browserify","version":"0.5.0","words":"ask11-storage functional wrapper around localforage =ask11 offline storage localforage browserify","author":"=ask11","date":"2014-07-10 "},{"name":"aska","description":"ask cmd line","url":null,"keywords":"","version":"0.0.1","words":"aska ask cmd line =iskedk","author":"=iskedk","date":"2012-04-24 "},{"name":"asker","description":"http.request wrapper with request retries and http.Agent tuning","url":null,"keywords":"http request client","version":"0.4.6","words":"asker http.request wrapper with request retries and http.agent tuning =twilightfeel http request client","author":"=twilightfeel","date":"2014-06-26 "},{"name":"asker-hat","description":"Wrapper for Asker module for dumping of the received data, and usage of the collected dump instead of actual http requests.","url":null,"keywords":"asker http dump mock","version":"0.0.2","words":"asker-hat wrapper for asker module for dumping of the received data, and usage of the collected dump instead of actual http requests. =twilightfeel asker http dump mock","author":"=twilightfeel","date":"2013-07-30 "},{"name":"askfast","description":"Library to create AskFast agents","url":null,"keywords":"askfast ivr sms","version":"0.2.2","words":"askfast library to create askfast agents =svenstam askfast ivr sms","author":"=svenstam","date":"2013-09-06 "},{"name":"askfor","description":"[![NPM][1]](https://nodei.co/npm/askfor/)","url":null,"keywords":"","version":"0.0.3","words":"askfor [![npm][1]](https://nodei.co/npm/askfor/) =sergeyt","author":"=sergeyt","date":"2013-11-24 "},{"name":"askgeo","description":"Simple wrapper for the AskGeo web API","url":null,"keywords":"askgeo timezone","version":"0.0.2","words":"askgeo simple wrapper for the askgeo web api =trevorgerhardt askgeo timezone","author":"=trevorgerhardt","date":"2013-09-03 "},{"name":"askr","description":"A simple utility to ask questions on the command line with node.js.","url":null,"keywords":"","version":"0.2.7","words":"askr a simple utility to ask questions on the command line with node.js. =romainfrancez","author":"=romainfrancez","date":"2014-03-15 "},{"name":"asks","description":"An altered fork of inquirer.js, a collection of common interactive command line user interfaces.","url":null,"keywords":"command prompt stdin cli","version":"1.0.3","words":"asks an altered fork of inquirer.js, a collection of common interactive command line user interfaces. =kael command prompt stdin cli","author":"=kael","date":"2014-08-21 "},{"name":"aslincmodule","description":"A module for learning nodejs","url":null,"keywords":"Learning AslinC","version":"0.1.1","words":"aslincmodule a module for learning nodejs =aslinc learning aslinc","author":"=aslinc","date":"2014-06-04 "},{"name":"asm","description":"Allocate and run chunks of executable code","url":null,"keywords":"","version":"0.0.1","words":"asm allocate and run chunks of executable code =evanw","author":"=evanw","date":"2013-03-22 "},{"name":"asm.js","description":"Tools for the asm.js subset of JavaScript","url":null,"keywords":"javascript asm.js validator","version":"0.0.2","words":"asm.js tools for the asm.js subset of javascript =dherman javascript asm.js validator","author":"=dherman","date":"2013-11-01 "},{"name":"asm.js-lint","description":"asm.js lint plug-in for CodeMirror","url":null,"keywords":"asm.js CodeMirror","version":"0.1.3","words":"asm.js-lint asm.js lint plug-in for codemirror =brettz9 asm.js codemirror","author":"=brettz9","date":"2014-06-19 "},{"name":"asmx","description":"Asmx web service interface client helper","url":null,"keywords":"webservice asmx","version":"0.0.2","words":"asmx asmx web service interface client helper =birchroad webservice asmx","author":"=birchroad","date":"2014-04-11 "},{"name":"asn1","description":"Contains parsers and serializers for ASN.1 (currently BER only)","url":null,"keywords":"","version":"0.2.2","words":"asn1 contains parsers and serializers for asn.1 (currently ber only) =mcavage","author":"=mcavage","date":"2014-09-03 "},{"name":"asn1.js","description":"ASN.1 encoder and decoder","url":null,"keywords":"asn.1 der","version":"0.5.0","words":"asn1.js asn.1 encoder and decoder =fedor.indutny =indutny asn.1 der","author":"=fedor.indutny =indutny","date":"2014-08-24 "},{"name":"asn1.js-rfc2560","description":"RFC2560 structures for asn1.js","url":null,"keywords":"asn1 rfc2560 der","version":"0.5.0","words":"asn1.js-rfc2560 rfc2560 structures for asn1.js =fedor.indutny =indutny asn1 rfc2560 der","author":"=fedor.indutny =indutny","date":"2014-08-24 "},{"name":"asn1.js-rfc3280","description":"RFC3280 structures for asn1.js","url":null,"keywords":"asn1 rfc3280 der","version":"0.5.0","words":"asn1.js-rfc3280 rfc3280 structures for asn1.js =fedor.indutny =indutny asn1 rfc3280 der","author":"=fedor.indutny =indutny","date":"2014-08-24 "},{"name":"asn1js","description":"ASN1js is a pure JavaScript library implementing this standard. ASN.1 is the basis of all X.509 related data structures and numerous other protocols used on the web","url":null,"keywords":"","version":"1.0.1","words":"asn1js asn1js is a pure javascript library implementing this standard. asn.1 is the basis of all x.509 related data structures and numerous other protocols used on the web =yury.strozhevsky","author":"=yury.strozhevsky","date":"2014-07-16 "},{"name":"asnew","description":"minimum to start a site, or test some shit ","url":null,"keywords":"start","version":"0.0.2","words":"asnew minimum to start a site, or test some shit =qustosh start","author":"=qustosh","date":"2013-10-13 "},{"name":"ason","description":"Advanced JSON - pluggable JSON logic inspired by GYP","url":null,"keywords":"json config","version":"0.1.0","words":"ason advanced json - pluggable json logic inspired by gyp =euforic json config","author":"=euforic","date":"2013-03-01 "},{"name":"aspa","description":"An opinionated, lightweight and simple to use web asset packager.","url":null,"keywords":"jade less css stylesheets coffee-script coco livescript iced-coffee-script scripts assets compiler compressor optimizer packager builder","version":"0.4.7","words":"aspa an opinionated, lightweight and simple to use web asset packager. =icflorescu jade less css stylesheets coffee-script coco livescript iced-coffee-script scripts assets compiler compressor optimizer packager builder","author":"=icflorescu","date":"2014-01-18 "},{"name":"aspa-express","description":"Simple, lightweight, dependency-free Connect module for using web assets packaged by aspa.","url":null,"keywords":"jade less css stylesheets coffee-script coco livescript iced-coffee-script scripts assets compiler compressor optimizer packager builder express connect middleware","version":"0.4.5","words":"aspa-express simple, lightweight, dependency-free connect module for using web assets packaged by aspa. =icflorescu jade less css stylesheets coffee-script coco livescript iced-coffee-script scripts assets compiler compressor optimizer packager builder express connect middleware","author":"=icflorescu","date":"2014-01-18 "},{"name":"asparagus","description":"Flexible template compiler","url":null,"keywords":"jade template node build tool gulp compile","version":"0.0.1","words":"asparagus flexible template compiler =josephchapman jade template node build tool gulp compile","author":"=josephchapman","date":"2014-09-19 "},{"name":"aspax","description":"The simple Node.js asset packager.","url":null,"keywords":"coffee iced ls jade less stylus js css assets compilation concatenation minification fingerprinting automation workflow","version":"1.1.1","words":"aspax the simple node.js asset packager. =icflorescu coffee iced ls jade less stylus js css assets compilation concatenation minification fingerprinting automation workflow","author":"=icflorescu","date":"2014-09-20 "},{"name":"aspax-coffee-handler","description":"Plugin enabling ASPAX to handle CoffeeScript files.","url":null,"keywords":"aspax coffee coffeescript js compilation","version":"0.7.6","words":"aspax-coffee-handler plugin enabling aspax to handle coffeescript files. =icflorescu aspax coffee coffeescript js compilation","author":"=icflorescu","date":"2014-09-14 "},{"name":"aspax-express","description":"Module enabling Express.js to handle assets built and packaged by ASPAX.","url":null,"keywords":"express.js connect coffee iced ls jade less stylus js css assets compilation concatenation minification fingerprinting automation workflow","version":"0.7.5","words":"aspax-express module enabling express.js to handle assets built and packaged by aspax. =icflorescu express.js connect coffee iced ls jade less stylus js css assets compilation concatenation minification fingerprinting automation workflow","author":"=icflorescu","date":"2014-02-12 "},{"name":"aspax-iced-handler","description":"Plugin enabling ASPAX to handle IcedCoffeeScript files.","url":null,"keywords":"aspax iced coffee ics icedcoffeescript js compilation","version":"0.7.9","words":"aspax-iced-handler plugin enabling aspax to handle icedcoffeescript files. =icflorescu aspax iced coffee ics icedcoffeescript js compilation","author":"=icflorescu","date":"2014-09-20 "},{"name":"aspax-jade-handler","description":"Plugin enabling ASPAX to handle Jade files.","url":null,"keywords":"aspax jade template js compilation","version":"0.9.0","words":"aspax-jade-handler plugin enabling aspax to handle jade files. =icflorescu aspax jade template js compilation","author":"=icflorescu","date":"2014-09-20 "},{"name":"aspax-less-handler","description":"Plugin enabling ASPAX to handle LESS files.","url":null,"keywords":"aspax less css compilation","version":"0.8.6","words":"aspax-less-handler plugin enabling aspax to handle less files. =icflorescu aspax less css compilation","author":"=icflorescu","date":"2014-09-20 "},{"name":"aspax-ls-handler","description":"Plugin enabling ASPAX to handle LiveScript files.","url":null,"keywords":"aspax ls LiveScript js compilation","version":"0.7.2","words":"aspax-ls-handler plugin enabling aspax to handle livescript files. =icflorescu aspax ls livescript js compilation","author":"=icflorescu","date":"2014-02-12 "},{"name":"aspax-styl-handler","description":"Plugin enabling ASPAX to handle Stylus files.","url":null,"keywords":"aspax stylus css compilation","version":"0.9.1","words":"aspax-styl-handler plugin enabling aspax to handle stylus files. =icflorescu aspax stylus css compilation","author":"=icflorescu","date":"2014-09-20 "},{"name":"aspect","description":"dojo aspect function","url":null,"keywords":"dojo aspect aop","version":"0.0.1","words":"aspect dojo aspect function =agebrock dojo aspect aop","author":"=agebrock","date":"2012-05-15 "},{"name":"aspect-oriented","description":"Aspect Oriented Programming for JavaScript","url":null,"keywords":"aspect oriented aop","version":"0.0.1","words":"aspect-oriented aspect oriented programming for javascript =fundon aspect oriented aop","author":"=fundon","date":"2014-05-08 "},{"name":"aspect-ratios","description":"calculate aspect ratios","url":null,"keywords":"","version":"0.0.1","words":"aspect-ratios calculate aspect ratios =tomkp","author":"=tomkp","date":"2013-07-29 "},{"name":"aspectos","description":"Small and simple AOP library","url":null,"keywords":"aspectos aop aspect ender","version":"1.0.1","words":"aspectos small and simple aop library =lawrencec aspectos aop aspect ender","author":"=lawrencec","date":"2012-08-12 "},{"name":"aspects","description":"A Node/JS module for aspects.","url":null,"keywords":"","version":"0.1.2","words":"aspects a node/js module for aspects. =100hz","author":"=100hz","date":"2013-06-12 "},{"name":"aspell","description":"A module that parses aspell output.","url":null,"keywords":"aspell spell check aspell parser","version":"0.1.0","words":"aspell a module that parses aspell output. =xavi aspell spell check aspell parser","author":"=xavi","date":"2013-12-01 "},{"name":"aspell-stream","description":"Readable and writable stream that spell checks your text and parses aspell output to an understandable format","url":null,"keywords":"aspell spellcheck spelling","version":"0.1.0","words":"aspell-stream readable and writable stream that spell checks your text and parses aspell output to an understandable format =rexxars aspell spellcheck spelling","author":"=rexxars","date":"2014-07-09 "},{"name":"aspen","description":"A NodeJS web framework that makes the most of the filesystem.","url":null,"keywords":"","version":"1.1.0","words":"aspen a nodejs web framework that makes the most of the filesystem. =whit537","author":"=whit537","date":"2013-02-15 "},{"name":"aspfe","description":"aspfe tools","url":null,"keywords":"aspfe","version":"0.0.1-13","words":"aspfe aspfe tools =ielgnaw aspfe","author":"=ielgnaw","date":"2013-12-17 "},{"name":"aspic","description":"An arbitrary key-value store for node and the browser.","url":null,"keywords":"store table","version":"0.0.7","words":"aspic an arbitrary key-value store for node and the browser. =asciiascetic store table","author":"=asciiascetic","date":"2014-08-25 "},{"name":"aspir","description":"Check for and find object values using a string path.","url":null,"keywords":"object key nested string","version":"0.2.2","words":"aspir check for and find object values using a string path. =fiveisprime object key nested string","author":"=fiveisprime","date":"2014-04-26 "},{"name":"aspl","description":"Fetch .js assets on CDN that in an html file to current directory by just one command","url":null,"keywords":"assets file pull","version":"0.0.4","words":"aspl fetch .js assets on cdn that in an html file to current directory by just one command =vansteki assets file pull","author":"=vansteki","date":"2014-02-10 "},{"name":"aspm","keywords":"","version":[],"words":"aspm","author":"","date":"2014-06-09 "},{"name":"aspnet-formsauthentication","description":"A minimal JavaScript implementation of ASP.NET FormsAuthentication Encrypt() and Decrypt() methods","url":null,"keywords":"authentication asp.net","version":"0.0.4","words":"aspnet-formsauthentication a minimal javascript implementation of asp.net formsauthentication encrypt() and decrypt() methods =pleblond authentication asp.net","author":"=pleblond","date":"2013-11-11 "},{"name":"asposecloud","description":"Aspose Cloud SDK for NodeJS","url":null,"keywords":"Aspose Cloud Pdf Storage Words Worksheet Slides Emails Tasks","version":"1.0.3","words":"asposecloud aspose cloud sdk for nodejs =asposemarketplace aspose cloud pdf storage words worksheet slides emails tasks","author":"=asposemarketplace","date":"2014-06-23 "},{"name":"aspromise","description":"Micro promise implementation which behaves well with any object.","url":null,"keywords":"promise future deferred","version":"0.1.0","words":"aspromise micro promise implementation which behaves well with any object. =mkuklis promise future deferred","author":"=mkuklis","date":"2012-11-21 "},{"name":"aspsms","description":"Send SMS text messages through aspsms.com","url":null,"keywords":"sms text message short message service aspsms","version":"0.1.1","words":"aspsms send sms text messages through aspsms.com =maxkueng sms text message short message service aspsms","author":"=maxkueng","date":"2013-05-28 "},{"name":"asq","description":"Synchronous slideshow mixed with a classroom clicker.","url":null,"keywords":"node.js","version":"0.1.1","words":"asq synchronous slideshow mixed with a classroom clicker. =jacques.dafflon node.js","author":"=jacques.dafflon","date":"2014-04-08 "},{"name":"asq-microformat","description":"Microformat parser and markup generator for ASQ","url":null,"keywords":"","version":"0.3.2","words":"asq-microformat microformat parser and markup generator for asq =triglian","author":"=triglian","date":"2014-09-19 "},{"name":"asq-visualization","description":"Visualization for ASQ","url":null,"keywords":"asq viz visualization d3 d3js","version":"0.0.1","words":"asq-visualization visualization for asq =jacques.dafflon asq viz visualization d3 d3js","author":"=jacques.dafflon","date":"2014-04-15 "},{"name":"asqs-mdb","description":"asqs-mdb is an application for handling Amazon Simple Queue Service (SQS) messages and saving into a MongoDB database.","url":null,"keywords":"amazon aws sqs asqs queue mongodb","version":"1.0.0","words":"asqs-mdb asqs-mdb is an application for handling amazon simple queue service (sqs) messages and saving into a mongodb database. =cmfatih amazon aws sqs asqs queue mongodb","author":"=cmfatih","date":"2014-07-04 "},{"name":"ass","description":"A flexible node code coverage library with multiple-process support.","url":null,"keywords":"","version":"0.0.6","words":"ass a flexible node code coverage library with multiple-process support. =lloyd =gene_wood =jrgm","author":"=lloyd =gene_wood =jrgm","date":"2014-09-05 "},{"name":"assailant","keywords":"","version":[],"words":"assailant","author":"","date":"2014-04-05 "},{"name":"assassin","description":"An Access Control Framework written in Node.js","url":null,"keywords":"access control framework util server client","version":"0.1.1","words":"assassin an access control framework written in node.js =tsjamm access control framework util server client","author":"=tsjamm","date":"2013-03-06 "},{"name":"assault","description":"A load testing tool written in nodeJS","url":null,"keywords":"","version":"0.0.7","words":"assault a load testing tool written in nodejs =sourcec0de","author":"=sourcec0de","date":"2013-11-21 "},{"name":"assay","description":"make assertion functions into boolean tests","url":null,"keywords":"try catch throw assertion utility","version":"1.0.0","words":"assay make assertion functions into boolean tests =nathan7 try catch throw assertion utility","author":"=nathan7","date":"2013-05-22 "},{"name":"assemblage","description":"Manage master + workers with the help of Redis","url":null,"keywords":"","version":"0.1.5","words":"assemblage manage master + workers with the help of redis =andris =martin.tajur","author":"=andris =martin.tajur","date":"2014-07-31 "},{"name":"assemble","description":"Static site generator for Grunt.js, Yeoman and Node.js. Used by Zurb Foundation, Zurb Ink, H5BP/Effeckt, Less.js / lesscss.org, Topcoat, Web Experience Toolkit, and hundreds of other projects to build sites, themes, components, documentation, blogs and gh","url":null,"keywords":"HTML alternative blog boilerplate boilerplates bootstrap build builder components deployment front generator generators grunt gruntplugin handlebars handlebars-helper-eachitems helpers javascript jekyll matter node node.js pages partial partials scaffold scaffolds site static task templates templating website yaml yeoman","version":"0.4.42","words":"assemble static site generator for grunt.js, yeoman and node.js. used by zurb foundation, zurb ink, h5bp/effeckt, less.js / lesscss.org, topcoat, web experience toolkit, and hundreds of other projects to build sites, themes, components, documentation, blogs and gh =jonschlinkert =doowb html alternative blog boilerplate boilerplates bootstrap build builder components deployment front generator generators grunt gruntplugin handlebars handlebars-helper-eachitems helpers javascript jekyll matter node node.js pages partial partials scaffold scaffolds site static task templates templating website yaml yeoman","author":"=jonschlinkert =doowb","date":"2014-08-22 "},{"name":"assemble-anchor","description":"Assemble plugin for creating anchor tags from generated html.","url":null,"keywords":"assemble plugin anchor","version":"0.0.1","words":"assemble-anchor assemble plugin for creating anchor tags from generated html. =doowb =jonschlinkert assemble plugin anchor","author":"=doowb =jonschlinkert","date":"2013-11-11 "},{"name":"assemble-blog","description":"Assemble plugin to assist with generating blog pages for posts and archive lists.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.0","words":"assemble-blog assemble plugin to assist with generating blog pages for posts and archive lists. =doowb =jonschlinkert docs documentation generate generator markdown templates verb","author":"=doowb =jonschlinkert","date":"2014-04-30 "},{"name":"assemble-boilerplate","description":"Boilerplate for Assemble, the static site generator for Node.js, Grunt.js and Yeoman.","url":null,"keywords":"assemble assembleboilerplate assemble boilerplate assemble-contrib-wordcount blog generator boilerplate component generator generator grunt static site generator handlebars handlebars-helper-ghbtns handlebars-helper-isactive handlebars-helper-prettify handlebars-helper-slugify handlebars-helper-twitter site generator static site generator templates yeoman static site generator","version":"0.1.1","words":"assemble-boilerplate boilerplate for assemble, the static site generator for node.js, grunt.js and yeoman. =jonschlinkert assemble assembleboilerplate assemble boilerplate assemble-contrib-wordcount blog generator boilerplate component generator generator grunt static site generator handlebars handlebars-helper-ghbtns handlebars-helper-isactive handlebars-helper-prettify handlebars-helper-slugify handlebars-helper-twitter site generator static site generator templates yeoman static site generator","author":"=jonschlinkert","date":"2013-12-21 "},{"name":"assemble-bootstrap","description":"Build Bootstrap using Assemble instead of Jekyll. Assemble is a site-generator built as a Grunt.js plugin, so it runs entirely on Node.js.","url":null,"keywords":"assemble boilerplate assemble example assemble assembleboilerplate blog generator boilerplate bootstrap node.js bootstrap build component generator grunt task grunt handlebars node.js bootstrap node.js jekyll node.js site generator site builder site generator templates","version":"0.2.0","words":"assemble-bootstrap build bootstrap using assemble instead of jekyll. assemble is a site-generator built as a grunt.js plugin, so it runs entirely on node.js. =jonschlinkert assemble boilerplate assemble example assemble assembleboilerplate blog generator boilerplate bootstrap node.js bootstrap build component generator grunt task grunt handlebars node.js bootstrap node.js jekyll node.js site generator site builder site generator templates","author":"=jonschlinkert","date":"2013-08-07 "},{"name":"assemble-collection-context","description":"Assemble.io plugin for sharing collection context between build targets.","url":null,"keywords":"assemble assembleplugin assemble plugin","version":"0.1.0","words":"assemble-collection-context assemble.io plugin for sharing collection context between build targets. =vseventer assemble assembleplugin assemble plugin","author":"=vseventer","date":"2014-08-12 "},{"name":"assemble-collections","description":"Node library for managing collections of items in or out of Assemble.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.9","words":"assemble-collections node library for managing collections of items in or out of assemble. =doowb =jonschlinkert docs documentation generate generator markdown templates verb","author":"=doowb =jonschlinkert","date":"2014-07-21 "},{"name":"assemble-contrib-anchors","description":"Assemble plugin for creating anchor tags from headings in generated html using Cheerio.js.","url":null,"keywords":"anchor anchors assemble assembleplugin cheerio handlebars-helper-prettify html icon links markdown plugin tag","version":"0.2.2","words":"assemble-contrib-anchors assemble plugin for creating anchor tags from headings in generated html using cheerio.js. =jonschlinkert =doowb anchor anchors assemble assembleplugin cheerio handlebars-helper-prettify html icon links markdown plugin tag","author":"=jonschlinkert =doowb","date":"2014-05-01 "},{"name":"assemble-contrib-contextual","description":"Generates a JSON file with the context of each page. Basic plugin to help see what's happening in the build.","url":null,"keywords":"assemble assembleplugin plugin","version":"0.2.0","words":"assemble-contrib-contextual generates a json file with the context of each page. basic plugin to help see what's happening in the build. =jonschlinkert =doowb assemble assembleplugin plugin","author":"=jonschlinkert =doowb","date":"2014-05-02 "},{"name":"assemble-contrib-decompress","description":"Assemble plugin for extracting zip, tar and tar.gz archives.","url":null,"keywords":"assemble assembleplugin assemblecontrib assemble plugin assemble contrib compress decompress zip unzip gzip grunt","version":"0.1.4","words":"assemble-contrib-decompress assemble plugin for extracting zip, tar and tar.gz archives. =jonschlinkert =doowb assemble assembleplugin assemblecontrib assemble plugin assemble contrib compress decompress zip unzip gzip grunt","author":"=jonschlinkert =doowb","date":"2014-05-02 "},{"name":"assemble-contrib-download","description":"Assemble plugin for downloading files from GitHub.","url":null,"keywords":"assemble assembleplugin assemblecontrib assemble plugin assemble contrib download grunt","version":"0.1.3","words":"assemble-contrib-download assemble plugin for downloading files from github. =jonschlinkert =doowb assemble assembleplugin assemblecontrib assemble plugin assemble contrib download grunt","author":"=jonschlinkert =doowb","date":"2014-05-02 "},{"name":"assemble-contrib-drafts","description":"Assemble plugin (v0.5.0) for preventing drafts from being built.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.2","words":"assemble-contrib-drafts assemble plugin (v0.5.0) for preventing drafts from being built. =jonschlinkert docs documentation generate generator markdown templates verb","author":"=jonschlinkert","date":"2014-05-01 "},{"name":"assemble-contrib-i18n","description":"Plugin for adding i18n support to Assemble projects.","url":null,"keywords":"assemble assemblecontribcollection assembleplugin i18n internationalize language local localize plugin","version":"0.1.3","words":"assemble-contrib-i18n plugin for adding i18n support to assemble projects. =jonschlinkert =laurentgoderre =doowb assemble assemblecontribcollection assembleplugin i18n internationalize language local localize plugin","author":"=jonschlinkert =laurentgoderre =doowb","date":"2014-05-02 "},{"name":"assemble-contrib-lunr","description":"Assemble plugin for adding search capabilities to your static site, with lunr.js.","url":null,"keywords":"assemble assembleplugin plugin search","version":"0.1.0","words":"assemble-contrib-lunr assemble plugin for adding search capabilities to your static site, with lunr.js. =doowb =jonschlinkert assemble assembleplugin plugin search","author":"=doowb =jonschlinkert","date":"2014-05-02 "},{"name":"assemble-contrib-markdown","keywords":"","version":[],"words":"assemble-contrib-markdown","author":"","date":"2013-11-16 "},{"name":"assemble-contrib-navigation","description":"Assemble plugin to automatically generate Bootstrap-style, multi-level side navigation. See the sidenav on assemble.io for a demonstration.","url":null,"keywords":"assemble assembleplugin blog post nav words grunt","version":"0.2.0","words":"assemble-contrib-navigation assemble plugin to automatically generate bootstrap-style, multi-level side navigation. see the sidenav on assemble.io for a demonstration. =jonschlinkert assemble assembleplugin blog post nav words grunt","author":"=jonschlinkert","date":"2014-05-01 "},{"name":"assemble-contrib-pagination","description":"Pagination plugin for Assemble, the static site generator for Grunt.js and Yeoman. This plugin enables pagable list pages.","url":null,"keywords":"assemble plugin","version":"0.1.2","words":"assemble-contrib-pagination pagination plugin for assemble, the static site generator for grunt.js and yeoman. this plugin enables pagable list pages. =jonschlinkert assemble plugin","author":"=jonschlinkert","date":"2014-05-01 "},{"name":"assemble-contrib-permalinks","description":"Permalinks plugin for Assemble, the static site generator for Grunt.js, Yeoman and Node.js. This plugin enables powerful and configurable URI patterns, [Moment.js](http://momentjs.com/) for parsing dates, much more.","url":null,"keywords":"assemble assemblecollection assembleplugin blog handlebars-helper-eachitems handlebars-helper-paginate moment moment.js parse url permalink permalinks post pretty links SEO slug static site generator uri url yaml front matter","version":"0.3.6","words":"assemble-contrib-permalinks permalinks plugin for assemble, the static site generator for grunt.js, yeoman and node.js. this plugin enables powerful and configurable uri patterns, [moment.js](http://momentjs.com/) for parsing dates, much more. =jonschlinkert =doowb assemble assemblecollection assembleplugin blog handlebars-helper-eachitems handlebars-helper-paginate moment moment.js parse url permalink permalinks post pretty links seo slug static site generator uri url yaml front matter","author":"=jonschlinkert =doowb","date":"2014-05-13 "},{"name":"assemble-contrib-rss","description":"RSS generator plugin for Assemble, the static site generator for Yeoman, Grunt.js and Node.js.","url":null,"keywords":"blog moment moment.js parse url RSS post pretty links slug uri url yaml front matter","version":"0.1.0","words":"assemble-contrib-rss rss generator plugin for assemble, the static site generator for yeoman, grunt.js and node.js. =pburtchaell blog moment moment.js parse url rss post pretty links slug uri url yaml front matter","author":"=pburtchaell","date":"2014-07-20 "},{"name":"assemble-contrib-sitemap","description":"Sitemap generator plugin for Assemble","url":null,"keywords":"assemble assembleplugin sitemap generator sitemap plugins seo static site generator","version":"0.2.2","words":"assemble-contrib-sitemap sitemap generator plugin for assemble =hariadi =jonschlinkert =doowb assemble assembleplugin sitemap generator sitemap plugins seo static site generator","author":"=hariadi =jonschlinkert =doowb","date":"2014-03-25 "},{"name":"assemble-contrib-toc","description":"Assemble plugin for adding a Table of Contents (TOC) to any HTML page.","url":null,"keywords":"assemble assembleplugin plugin toc table of contents","version":"0.1.3","words":"assemble-contrib-toc assemble plugin for adding a table of contents (toc) to any html page. =jonschlinkert =doowb assemble assembleplugin plugin toc table of contents","author":"=jonschlinkert =doowb","date":"2014-05-02 "},{"name":"assemble-contrib-wordcount","description":"Assemble plugin for displaying wordcount and average reading time on blog posts or pages.","url":null,"keywords":"assemble assembleplugin blog grunt post wordcount words","version":"0.4.1","words":"assemble-contrib-wordcount assemble plugin for displaying wordcount and average reading time on blog posts or pages. =jonschlinkert =doowb assemble assembleplugin blog grunt post wordcount words","author":"=jonschlinkert =doowb","date":"2014-05-02 "},{"name":"assemble-docs","description":"Documentation site for Assemble, the Grunt-based site generator that makes it dead simple to build modular sites, documentation and components from reusable templates and data.","url":null,"keywords":"assemble assemble docs assemble documentation grunt task grunt templates grunt handlebars","version":"0.1.4","words":"assemble-docs documentation site for assemble, the grunt-based site generator that makes it dead simple to build modular sites, documentation and components from reusable templates and data. =jonschlinkert assemble assemble docs assemble documentation grunt task grunt templates grunt handlebars","author":"=jonschlinkert","date":"2013-08-05 "},{"name":"assemble-front-matter","description":"Utilities for extracting front matter from source files.","url":null,"keywords":"assemble front matter jekyll metadata static site generator yaml front matter yaml yfm","version":"0.1.2","words":"assemble-front-matter utilities for extracting front matter from source files. =doowb =jonschlinkert assemble front matter jekyll metadata static site generator yaml front matter yaml yfm","author":"=doowb =jonschlinkert","date":"2013-09-28 "},{"name":"assemble-goldcome-functions","description":"Assemble的功能函数集合.","url":null,"keywords":"assemble assembleplugin plugin cheerio function goldcome","version":"0.0.2","words":"assemble-goldcome-functions assemble的功能函数集合. =goldcome assemble assembleplugin plugin cheerio function goldcome","author":"=goldcome","date":"2014-03-08 "},{"name":"assemble-goldcome-highlight","description":"Assemble的markdown语法高亮插件,用到highlight.js,生成html使用Cheerio.js.","url":null,"keywords":"assemble assembleplugin plugin cheerio goldcome","version":"0.0.6","words":"assemble-goldcome-highlight assemble的markdown语法高亮插件,用到highlight.js,生成html使用cheerio.js. =goldcome assemble assembleplugin plugin cheerio goldcome","author":"=goldcome","date":"2014-03-08 "},{"name":"assemble-goldcome-sitemap","description":"Assemble的Sitemap生成插件","url":null,"keywords":"assemble assembleplugin sitemap generator sitemap plugins seo static site generator","version":"0.0.5","words":"assemble-goldcome-sitemap assemble的sitemap生成插件 =goldcome assemble assembleplugin sitemap generator sitemap plugins seo static site generator","author":"=goldcome","date":"2014-03-08 "},{"name":"assemble-goldcome-toc","description":"Assemble目录自动生成插件,生成html使用Cheerio.js.","url":null,"keywords":"assemble assembleplugin plugin cheerio anchor markdown anchor anchor anchor links anchor icon anchor tag anchors","version":"0.0.3","words":"assemble-goldcome-toc assemble目录自动生成插件,生成html使用cheerio.js. =goldcome assemble assembleplugin plugin cheerio anchor markdown anchor anchor anchor links anchor icon anchor tag anchors","author":"=goldcome","date":"2014-03-08 "},{"name":"assemble-handlebars","description":"Handlebars engine plugin for Assemble, the static site generator for Grunt.js and Yeoman.","url":null,"keywords":"assemble assembleengine handlebars handlebars templates handlebars helpers template","version":"0.2.3","words":"assemble-handlebars handlebars engine plugin for assemble, the static site generator for grunt.js and yeoman. =jonschlinkert =doowb assemble assembleengine handlebars handlebars templates handlebars helpers template","author":"=jonschlinkert =doowb","date":"2014-07-20 "},{"name":"assemble-image-resizer","description":"Assemble plugin that allows to resize your images","url":null,"keywords":"assemble image image resizing resizing imagemagick","version":"0.2.1","words":"assemble-image-resizer assemble plugin that allows to resize your images =sirlantis assemble image image resizing resizing imagemagick","author":"=sirlantis","date":"2014-01-16 "},{"name":"assemble-internal","keywords":"","version":[],"words":"assemble-internal","author":"","date":"2013-07-30 "},{"name":"assemble-jade","description":"Assemble engine plugin for processing jade templates.","url":null,"keywords":"","version":"0.1.6","words":"assemble-jade assemble engine plugin for processing jade templates. =welldan97","author":"=welldan97","date":"2014-06-26 "},{"name":"assemble-layouts","description":"Assemble plugin for rendering nested template layouts.","url":null,"keywords":"layout nested layouts template templates assemble assembleplugin","version":"0.1.8","words":"assemble-layouts assemble plugin for rendering nested template layouts. =doowb =jonschlinkert layout nested layouts template templates assemble assembleplugin","author":"=doowb =jonschlinkert","date":"2014-07-24 "},{"name":"assemble-less","description":"Compile LESS to CSS. Adds experimental features that extend Less.js for maintaining UI components, 'bundles' and themes. From Jon Schlinkert, core team member of Less.js. This project is a fork of the popular grunt-contrib-less plugin by the talented Tyler Kellen. Please use that plugin if you require something stable and dependable.","url":null,"keywords":"compile css gruntplugin less css compiler less css framework less css import less css tutorial less css less library less style sheet less styles less stylesheet less to sass less less.js lesscss minify css pre-processor pre-processors preprocessor","version":"0.7.0","words":"assemble-less compile less to css. adds experimental features that extend less.js for maintaining ui components, 'bundles' and themes. from jon schlinkert, core team member of less.js. this project is a fork of the popular grunt-contrib-less plugin by the talented tyler kellen. please use that plugin if you require something stable and dependable. =jonschlinkert compile css gruntplugin less css compiler less css framework less css import less css tutorial less css less library less style sheet less styles less stylesheet less to sass less less.js lesscss minify css pre-processor pre-processors preprocessor","author":"=jonschlinkert","date":"2014-01-01 "},{"name":"assemble-less-variables","description":"Pass variables to Less.js before compiling. From Jon Schlinkert, core team member of Less.js. ","url":null,"keywords":"assemble compile less compile compiler less mixins less variables less nesting css component css modules css preprocessor framework generate generator gh-pages grunt plugin grunt task grunt gruntplugin less css compiler less to sass lesscss less css less css tutorial less css framework less css import less library less style sheet less styles less stylesheet less less.js pre-processor pre-processors preprocessor","version":"0.1.1","words":"assemble-less-variables pass variables to less.js before compiling. from jon schlinkert, core team member of less.js. =jonschlinkert assemble compile less compile compiler less mixins less variables less nesting css component css modules css preprocessor framework generate generator gh-pages grunt plugin grunt task grunt gruntplugin less css compiler less to sass lesscss less css less css tutorial less css framework less css import less library less style sheet less styles less stylesheet less less.js pre-processor pre-processors preprocessor","author":"=jonschlinkert","date":"2014-02-07 "},{"name":"assemble-liquid","description":"Assemble engine plugin for Liquid (liquid-node) templates.","url":null,"keywords":"assemble liquid liquid-node liquid templates liquid-node templates template","version":"2.1.0","words":"assemble-liquid assemble engine plugin for liquid (liquid-node) templates. =sirlantis assemble liquid liquid-node liquid templates liquid-node templates template","author":"=sirlantis","date":"2014-09-08 "},{"name":"assemble-manifest","description":"Generates JSON and/or YAML manifest files from given source files or directories or source files.","url":null,"keywords":"gruntplugin package package manifest directories files json yaml manifest","version":"0.1.3","words":"assemble-manifest generates json and/or yaml manifest files from given source files or directories or source files. =jonschlinkert gruntplugin package package manifest directories files json yaml manifest","author":"=jonschlinkert","date":"2013-05-18 "},{"name":"assemble-markdown-data","description":"An Assemble plugin for automatic parsing of markdown in data.","url":null,"keywords":"assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static HTML static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","version":"0.0.2","words":"assemble-markdown-data an assemble plugin for automatic parsing of markdown in data. =adjohnson916 assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static html static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","author":"=adjohnson916","date":"2013-10-17 "},{"name":"assemble-metalsmith","description":"Assemble v0.6.x plugin for running any metalsmith middlewares","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.1","words":"assemble-metalsmith assemble v0.6.x plugin for running any metalsmith middlewares =doowb =jonschlinkert docs documentation generate generator markdown templates verb","author":"=doowb =jonschlinkert","date":"2014-08-05 "},{"name":"assemble-middleware-add","description":"Add files to your Assemble file stream.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.1","words":"assemble-middleware-add add files to your assemble file stream. =doowb =jonschlinkert docs documentation generate generator markdown templates verb","author":"=doowb =jonschlinkert","date":"2014-06-30 "},{"name":"assemble-middleware-anchors","description":"Assemble plugin for creating anchor tags from headings in generated html using Cheerio.js.","url":null,"keywords":"anchor anchors assemble assembleplugin cheerio handlebars-helper-prettify html icon links markdown plugin tag","version":"0.2.4","words":"assemble-middleware-anchors assemble plugin for creating anchor tags from headings in generated html using cheerio.js. =doowb anchor anchors assemble assembleplugin cheerio handlebars-helper-prettify html icon links markdown plugin tag","author":"=doowb","date":"2014-05-02 "},{"name":"assemble-middleware-blog","description":"Assemble plugin to assist with generating blog pages for posts and archive lists.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.0","words":"assemble-middleware-blog assemble plugin to assist with generating blog pages for posts and archive lists. =doowb docs documentation generate generator markdown templates verb","author":"=doowb","date":"2014-04-30 "},{"name":"assemble-middleware-buffer","description":"Buffer files into a specified array on the Assemble context.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.0","words":"assemble-middleware-buffer buffer files into a specified array on the assemble context. =doowb =jonschlinkert docs documentation generate generator markdown templates verb","author":"=doowb =jonschlinkert","date":"2014-06-30 "},{"name":"assemble-middleware-contextual","description":"Generates a JSON file with the context of each page. Basic plugin to help see what's happening in the build.","url":null,"keywords":"assemble assembleplugin plugin","version":"0.2.2","words":"assemble-middleware-contextual generates a json file with the context of each page. basic plugin to help see what's happening in the build. =doowb =jonschlinkert assemble assembleplugin plugin","author":"=doowb =jonschlinkert","date":"2014-05-02 "},{"name":"assemble-middleware-decompress","description":"Assemble plugin for extracting zip, tar and tar.gz archives.","url":null,"keywords":"assemble assembleplugin assemblecontrib assemble plugin assemble contrib compress decompress zip unzip gzip grunt","version":"0.2.0","words":"assemble-middleware-decompress assemble plugin for extracting zip, tar and tar.gz archives. =doowb =jonschlinkert assemble assembleplugin assemblecontrib assemble plugin assemble contrib compress decompress zip unzip gzip grunt","author":"=doowb =jonschlinkert","date":"2014-05-02 "},{"name":"assemble-middleware-download","description":"Assemble plugin for downloading files from GitHub.","url":null,"keywords":"assemble assembleplugin assemblecontrib assemble plugin assemble contrib download grunt","version":"0.2.0","words":"assemble-middleware-download assemble plugin for downloading files from github. =doowb =jonschlinkert assemble assembleplugin assemblecontrib assemble plugin assemble contrib download grunt","author":"=doowb =jonschlinkert","date":"2014-05-02 "},{"name":"assemble-middleware-drafts","description":"Assemble middleware for preventing drafts from being rendered. Requires Assemble v0.5.0 or greater.","url":null,"keywords":"assemble assemblemiddleware author blog draft drafts middleware page pages plugin post publish","version":"0.1.5","words":"assemble-middleware-drafts assemble middleware for preventing drafts from being rendered. requires assemble v0.5.0 or greater. =jonschlinkert assemble assemblemiddleware author blog draft drafts middleware page pages plugin post publish","author":"=jonschlinkert","date":"2014-05-11 "},{"name":"assemble-middleware-kss","keywords":"","version":[],"words":"assemble-middleware-kss","author":"","date":"2014-05-19 "},{"name":"assemble-middleware-lunr","description":"Assemble plugin for adding search capabilities to your static site, with lunr.js.","url":null,"keywords":"assemble assembleplugin plugin search","version":"0.2.1","words":"assemble-middleware-lunr assemble plugin for adding search capabilities to your static site, with lunr.js. =doowb =jonschlinkert assemble assembleplugin plugin search","author":"=doowb =jonschlinkert","date":"2014-05-02 "},{"name":"assemble-middleware-navigation","description":"Assemble navigation middleware. Automatically generate Bootstrap-style, multi-level side nav. See the sidenav on assemble.io for a demonstration.","url":null,"keywords":"assemble assemblemiddleware assembleplugin middleware nav navigation side side-nav sidenav","version":"0.2.1","words":"assemble-middleware-navigation assemble navigation middleware. automatically generate bootstrap-style, multi-level side nav. see the sidenav on assemble.io for a demonstration. =jonschlinkert assemble assemblemiddleware assembleplugin middleware nav navigation side side-nav sidenav","author":"=jonschlinkert","date":"2014-05-03 "},{"name":"assemble-middleware-permalinks","description":"Permalinks plugin for Assemble, the static site generator for Grunt.js, Yeoman and Node.js. This plugin enables powerful and configurable URI patterns, [Moment.js](http://momentjs.com/) for parsing dates, much more.","url":null,"keywords":"SEO assemble assemblecollection assembleplugin blog front generator handlebars-helper-eachitems handlebars-helper-paginate links matter moment moment.js parse permalink permalinks post pretty site slug static uri url yaml","version":"0.5.2","words":"assemble-middleware-permalinks permalinks plugin for assemble, the static site generator for grunt.js, yeoman and node.js. this plugin enables powerful and configurable uri patterns, [moment.js](http://momentjs.com/) for parsing dates, much more. =doowb =jonschlinkert seo assemble assemblecollection assembleplugin blog front generator handlebars-helper-eachitems handlebars-helper-paginate links matter moment moment.js parse permalink permalinks post pretty site slug static uri url yaml","author":"=doowb =jonschlinkert","date":"2014-05-07 "},{"name":"assemble-middleware-rss","description":"RSS generator plugin for Assemble.","url":null,"keywords":"blog moment moment.js parse url RSS post pretty links slug uri url yaml front matter","version":"0.2.5","words":"assemble-middleware-rss rss generator plugin for assemble. =pburtchaell blog moment moment.js parse url rss post pretty links slug uri url yaml front matter","author":"=pburtchaell","date":"2014-08-01 "},{"name":"assemble-middleware-sitemap","description":"Sitemap middleware for Assemble","url":null,"keywords":"assemble assemblemiddleware assembleplugin generator middleware plugins seo site sitemap static","version":"0.2.5","words":"assemble-middleware-sitemap sitemap middleware for assemble =jonschlinkert =hariadi assemble assemblemiddleware assembleplugin generator middleware plugins seo site sitemap static","author":"=jonschlinkert =hariadi","date":"2014-06-03 "},{"name":"assemble-middleware-styleguide","description":"Styleguide generator plugin for Assemble.","url":null,"keywords":"assemble styleguide kss","version":"0.1.6","words":"assemble-middleware-styleguide styleguide generator plugin for assemble. =tomsky assemble styleguide kss","author":"=tomsky","date":"2014-09-10 "},{"name":"assemble-middleware-toc","description":"Assemble middleware for adding a Table of Contents (TOC) to any HTML page.","url":null,"keywords":"assemble assemblemiddleware assembleplugin middleware plugin table of contents toc","version":"0.2.3","words":"assemble-middleware-toc assemble middleware for adding a table of contents (toc) to any html page. =doowb =jonschlinkert assemble assemblemiddleware assembleplugin middleware plugin table of contents toc","author":"=doowb =jonschlinkert","date":"2014-05-03 "},{"name":"assemble-middleware-wordcount","description":"Assemble middleware for displaying wordcount and average reading time to blog posts or pages.","url":null,"keywords":"assemble assembleplugin assemblemiddleware middleware blog grunt post wordcount reading time words","version":"0.4.5","words":"assemble-middleware-wordcount assemble middleware for displaying wordcount and average reading time to blog posts or pages. =doowb =jonschlinkert assemble assembleplugin assemblemiddleware middleware blog grunt post wordcount reading time words","author":"=doowb =jonschlinkert","date":"2014-05-07 "},{"name":"assemble-middleweare-navigation","keywords":"","version":[],"words":"assemble-middleweare-navigation","author":"","date":"2014-05-03 "},{"name":"assemble-mustache","description":"Assemble engine plugin for processing mustache templates.","url":null,"keywords":"assemble assembleengine mustache markdown","version":"0.1.1","words":"assemble-mustache assemble engine plugin for processing mustache templates. =tomsky assemble assembleengine mustache markdown","author":"=tomsky","date":"2014-09-18 "},{"name":"assemble-package-manager","description":"Utilities for managing packages.","url":null,"keywords":"blog generator blog boilerplate boilerplates bootstrap build and deployment build system build build bootstrap builder compile compiler components conventions deploy example handlebars framework generator gh-pages handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site builder site generator site generators static HTML static site templates templating theme themes tool toolkit utility web development yaml yaml front matter web framework","version":"0.1.1","words":"assemble-package-manager utilities for managing packages. =doowb blog generator blog boilerplate boilerplates bootstrap build and deployment build system build build bootstrap builder compile compiler components conventions deploy example handlebars framework generator gh-pages handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site builder site generator site generators static html static site templates templating theme themes tool toolkit utility web development yaml yaml front matter web framework","author":"=doowb","date":"2013-06-02 "},{"name":"assemble-partial-data","description":"Plugin for Assemble which collects data from partials and groups it by key. Each value in the data hash has a list of associated partials.","url":null,"keywords":"assemble partial data data yfm yaml front matter plugin assemble plugin markdown yaml md partials","version":"0.1.0","words":"assemble-partial-data plugin for assemble which collects data from partials and groups it by key. each value in the data hash has a list of associated partials. =albogdano assemble partial data data yfm yaml front matter plugin assemble plugin markdown yaml md partials","author":"=albogdano","date":"2014-04-06 "},{"name":"assemble-pattern-lab","description":"An easier-to-use and more extensible build system for pattern-lab.","url":null,"keywords":"atoms components handlebars-helper-rel layouts molecules organisms pages pattern lab pattern-lab patterns templates UI","version":"0.1.1","words":"assemble-pattern-lab an easier-to-use and more extensible build system for pattern-lab. =jonschlinkert atoms components handlebars-helper-rel layouts molecules organisms pages pattern lab pattern-lab patterns templates ui","author":"=jonschlinkert","date":"2014-03-15 "},{"name":"assemble-permalink","description":"A stupid permalink plugin for Assemble.","url":null,"keywords":"assemble permalink permalinks","version":"0.1.3","words":"assemble-permalink a stupid permalink plugin for assemble. =caiguanhao assemble permalink permalinks","author":"=caiguanhao","date":"2014-03-05 "},{"name":"assemble-plugin-functions","description":"Assemble的功能函数集合.","url":null,"keywords":"assemble assembleplugin plugin cheerio function goldcome","version":"0.0.3","words":"assemble-plugin-functions assemble的功能函数集合. =goldcome assemble assembleplugin plugin cheerio function goldcome","author":"=goldcome","date":"2014-03-14 "},{"name":"assemble-plugin-highlight","description":"Assemble的markdown语法高亮插件,用到highlight.js,生成html使用Cheerio.js.","url":null,"keywords":"assemble assembleplugin plugin cheerio goldcome","version":"0.0.7","words":"assemble-plugin-highlight assemble的markdown语法高亮插件,用到highlight.js,生成html使用cheerio.js. =goldcome assemble assembleplugin plugin cheerio goldcome","author":"=goldcome","date":"2014-03-15 "},{"name":"assemble-plugin-markdown-data","description":"An Assemble plugin for automatic parsing of markdown in data.","url":null,"keywords":"assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static HTML static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","version":"0.0.1","words":"assemble-plugin-markdown-data an assemble plugin for automatic parsing of markdown in data. =adjohnson916 assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static html static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","author":"=adjohnson916","date":"2014-01-05 "},{"name":"assemble-plugin-related-pages","description":"An Assemble plugin for generating lists of related pages.","url":null,"keywords":"assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static HTML static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","version":"0.0.3","words":"assemble-plugin-related-pages an assemble plugin for generating lists of related pages. =adjohnson916 assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static html static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","author":"=adjohnson916","date":"2013-10-05 "},{"name":"assemble-plugin-sitemap","description":"Assemble的Sitemap生成插件","url":null,"keywords":"assemble assembleplugin sitemap generator sitemap plugins seo static site generator","version":"0.0.6","words":"assemble-plugin-sitemap assemble的sitemap生成插件 =goldcome assemble assembleplugin sitemap generator sitemap plugins seo static site generator","author":"=goldcome","date":"2014-03-15 "},{"name":"assemble-plugin-toc","description":"Assemble目录自动生成插件,生成html使用Cheerio.js.","url":null,"keywords":"assemble assembleplugin plugin cheerio anchor markdown anchor anchor anchor links anchor icon anchor tag anchors","version":"0.0.4","words":"assemble-plugin-toc assemble目录自动生成插件,生成html使用cheerio.js. =goldcome assemble assembleplugin plugin cheerio anchor markdown anchor anchor anchor links anchor icon anchor tag anchors","author":"=goldcome","date":"2014-03-15 "},{"name":"assemble-related-pages","description":"An Assemble plugin for generating lists of related pages.","url":null,"keywords":"assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static HTML static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","version":"0.0.4","words":"assemble-related-pages an assemble plugin for generating lists of related pages. =adjohnson916 assemble assembleplugin blog generator blog boilerplate boilerplates bootstrap build and deployment build bootstrap build system build builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site blog generator site builder site generator site generators site site generator site site generators static html static site templates templating theme themes tool toolkit utility web development web framework yaml front matter yaml","author":"=adjohnson916","date":"2013-10-17 "},{"name":"assemble-sitemap","description":"Sitemap generator plugin for Assemble","url":null,"keywords":"sitemap generator sitemap assemble plugins","version":"0.1.0","words":"assemble-sitemap sitemap generator plugin for assemble =hariadi sitemap generator sitemap assemble plugins","author":"=hariadi","date":"2013-10-16 "},{"name":"assemble-slides","description":"Assemble bundle for building a slide deck.","url":null,"keywords":"docs documentation generate generator markdown templates verb","version":"0.1.0","words":"assemble-slides assemble bundle for building a slide deck. =doowb docs documentation generate generator markdown templates verb","author":"=doowb","date":"2014-08-15 "},{"name":"assemble-swig","description":"Assemble engine plugin for processing swig templates.","url":null,"keywords":"assemble assembleengine gruntplugin","version":"0.1.0","words":"assemble-swig assemble engine plugin for processing swig templates. =jonschlinkert assemble assembleengine gruntplugin","author":"=jonschlinkert","date":"2013-09-12 "},{"name":"assemble-swig-example","description":"Example project using Assemble and Swig.","url":null,"keywords":"grunt task static site generator build filters swig filters underscore mixin site generator component generator blog generator swig templates","version":"0.1.0","words":"assemble-swig-example example project using assemble and swig. =jonschlinkert grunt task static site generator build filters swig filters underscore mixin site generator component generator blog generator swig templates","author":"=jonschlinkert","date":"2013-09-14 "},{"name":"assemble-toc","description":"Assemble a website from templates and data.","url":null,"keywords":"assemble templates handlebars site generator site builder grunt","version":"0.1.0","words":"assemble-toc assemble a website from templates and data. =doowb =jonschlinkert assemble templates handlebars site generator site builder grunt","author":"=doowb =jonschlinkert","date":"2013-11-11 "},{"name":"assemble-utils","description":"Utilities built for the Assemble project.","url":null,"keywords":"blog generator blog boilerplate boilerplates bootstrap build and deployment build system build build bootstrap builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site builder site generator site generators static HTML static site templates templating theme themes tool toolkit utility web development yaml yaml front matter web framework","version":"0.1.0","words":"assemble-utils utilities built for the assemble project. =doowb blog generator blog boilerplate boilerplates bootstrap build and deployment build system build build bootstrap builder compile compiler components conventions deploy example handlebars framework generator gh-pages grunt task grunt gruntplugin handlebars helpers jekyll alternative jekyll static jekyll json mock mocking modules mustache node blog node jekyll parse parser partial partials pre-processor preprocessor render renderer scaffold scaffolds site builder site generator site generators static html static site templates templating theme themes tool toolkit utility web development yaml yaml front matter web framework","author":"=doowb","date":"2013-04-23 "},{"name":"assemble-yaml","description":"Utility library for working with YAML front matter. Works with or without Assemble.","url":null,"keywords":"assemble front matter jekyll metadata static site generator yaml front matter yaml yfm","version":"0.2.1","words":"assemble-yaml utility library for working with yaml front matter. works with or without assemble. =doowb =jonschlinkert assemble front matter jekyll metadata static site generator yaml front matter yaml yfm","author":"=doowb =jonschlinkert","date":"2013-11-01 "},{"name":"assemblejs","description":"A fairly light AMD-style boilerplate for rapid development, using RequireJS, SASS, Backbone, and Handlebars","url":null,"keywords":"boilerplate backbone requirejs","version":"0.2.3","words":"assemblejs a fairly light amd-style boilerplate for rapid development, using requirejs, sass, backbone, and handlebars =njonas boilerplate backbone requirejs","author":"=njonas","date":"2013-01-25 "},{"name":"assembler","description":"Assemble and minify your assets for deployment","url":null,"keywords":"assets css js scripts build minify compress assemble","version":"0.1.3","words":"assembler assemble and minify your assets for deployment =sstur assets css js scripts build minify compress assemble","author":"=sstur","date":"2013-08-20 "},{"name":"assembly","description":"build tool to assemble client side javascript projects","url":null,"keywords":"client backbone templates handlebars middleware web","version":"0.3.1","words":"assembly build tool to assemble client side javascript projects =fitz client backbone templates handlebars middleware web","author":"=fitz","date":"2012-07-14 "},{"name":"assemblyline","description":"Asset management library","url":null,"keywords":"","version":"0.0.1","words":"assemblyline asset management library =xiplias","author":"=xiplias","date":"2013-04-22 "},{"name":"assembot","description":"Simple asset assembly bot for compiling/combining client-side js and css files.","url":null,"keywords":"cli http server assembler compiler transpiler commonjs build","version":"0.2.6","words":"assembot simple asset assembly bot for compiling/combining client-side js and css files. =elucidata cli http server assembler compiler transpiler commonjs build","author":"=elucidata","date":"2013-06-30 "},{"name":"assenius","description":"compress pngs and generate css sprites","url":null,"keywords":"assets png css sprites","version":"0.0.1","words":"assenius compress pngs and generate css sprites =nacmartin assets png css sprites","author":"=nacmartin","date":"2013-01-21 "},{"name":"assert","description":"commonjs assert - node.js api compatible","url":null,"keywords":"assert","version":"1.1.2","words":"assert commonjs assert - node.js api compatible =coolaj86 =shtylman assert","author":"=coolaj86 =shtylman","date":"2014-08-29 "},{"name":"assert-async","description":"Throw an exception if your callback is called synchronously","url":null,"keywords":"assert zalgo","version":"1.0.0","words":"assert-async throw an exception if your callback is called synchronously =omsmith assert zalgo","author":"=omsmith","date":"2014-08-08 "},{"name":"assert-called","description":"Assert that your callback got called","url":null,"keywords":"","version":"0.1.2-1","words":"assert-called assert that your callback got called =mmalecki","author":"=mmalecki","date":"2013-10-28 "},{"name":"assert-diff","description":"Drop-in replacement for assert to give diff on deepEqual.","url":null,"keywords":"assert diff deepEqual object array strict","version":"0.0.4","words":"assert-diff drop-in replacement for assert to give diff on deepequal. =pihvi assert diff deepequal object array strict","author":"=pihvi","date":"2013-07-08 "},{"name":"assert-dir-equal","description":"Assert that the contents of two directories are equal.","url":null,"keywords":"","version":"1.0.1","words":"assert-dir-equal assert that the contents of two directories are equal. =ianstormtaylor","author":"=ianstormtaylor","date":"2014-03-09 "},{"name":"assert-http","description":"HTTP test fixture helper","url":null,"keywords":"","version":"0.0.9","words":"assert-http http test fixture helper =miccolis =jfirebaugh =yhahn =mapbox =dthompson","author":"=miccolis =jfirebaugh =yhahn =mapbox =dthompson","date":"2014-06-24 "},{"name":"assert-in-order","description":"assert a group of assertions are performed in order","url":null,"keywords":"assert test group order","version":"0.0.3","words":"assert-in-order assert a group of assertions are performed in order =grncdr assert test group order","author":"=grncdr","date":"2014-01-12 "},{"name":"assert-keys","description":"assert an object has some keys","url":null,"keywords":"assert keys exist config","version":"1.0.0","words":"assert-keys assert an object has some keys =jonpacker assert keys exist config","author":"=jonpacker","date":"2013-09-30 "},{"name":"assert-paranoid-equal","description":"An addition to Node's assertion library provides a paranoid variant of deepEqual.","url":null,"keywords":"assert paranoid","version":"1.0.2","words":"assert-paranoid-equal an addition to node's assertion library provides a paranoid variant of deepequal. =dervus assert paranoid","author":"=dervus","date":"2012-12-20 "},{"name":"assert-plus","description":"Extra assertions on top of node's assert module","url":null,"keywords":"","version":"0.1.5","words":"assert-plus extra assertions on top of node's assert module =mcavage","author":"=mcavage","date":"2013-11-25 "},{"name":"assert-promise","description":"Assert promise result with expected.","url":null,"keywords":"assert promise","version":"0.0.3","words":"assert-promise assert promise result with expected. =pihvi assert promise","author":"=pihvi","date":"2013-07-23 "},{"name":"assert-responder","description":"Simple assert with a custom handler callback.","url":null,"keywords":"","version":"0.0.2","words":"assert-responder simple assert with a custom handler callback. =danscan","author":"=danscan","date":"2014-03-12 "},{"name":"assert-responselike","description":"An ultra simple all-test-framework friendly utility, meant to be used with the test framework of your choice, decorates the built-in assert object with a new method responseLike(res,exp,msg)","url":null,"keywords":"","version":"0.2.0","words":"assert-responselike an ultra simple all-test-framework friendly utility, meant to be used with the test framework of your choice, decorates the built-in assert object with a new method responselike(res,exp,msg) =osher","author":"=osher","date":"2012-08-02 "},{"name":"assert-runner","description":"runs tests based on node's built in assert","url":null,"keywords":"Node.js assert test runner","version":"1.1.3","words":"assert-runner runs tests based on node's built in assert =rhildred node.js assert test runner","author":"=rhildred","date":"2013-11-29 "},{"name":"assert-stdio","description":"a tool for testing the contents of the stdio stream","url":null,"keywords":"testing asserters stdio cli utilities","version":"0.0.1","words":"assert-stdio a tool for testing the contents of the stdio stream =omardelarosa testing asserters stdio cli utilities","author":"=omardelarosa","date":"2014-07-22 "},{"name":"assert-sugar","description":"Assert additional functions taken from expresso and highly useful in mocha","url":null,"keywords":"assert testing mocha expresso vows","version":"0.0.2","words":"assert-sugar assert additional functions taken from expresso and highly useful in mocha =firebaseco assert testing mocha expresso vows","author":"=firebaseco","date":"2014-05-25 "},{"name":"assert-tap","description":"Assert module but outputs TAP","url":null,"keywords":"","version":"0.1.4","words":"assert-tap assert module but outputs tap =raynos","author":"=raynos","date":"2013-01-29 "},{"name":"assert-test","description":"assert library - Simple Testing Library","url":null,"keywords":"unit test testing","version":"0.4.0","words":"assert-test assert library - simple testing library =frob unit test testing","author":"=frob","date":"2013-09-23 "},{"name":"assert-type","description":"Runtime type assertions","url":null,"keywords":"","version":"0.1.0","words":"assert-type runtime type assertions =mlin","author":"=mlin","date":"2013-02-11 "},{"name":"assert-types","description":"A small JavaScript library for arguments assertion","url":null,"keywords":"util assert types nodejs client browser server","version":"0.2.1","words":"assert-types a small javascript library for arguments assertion =suevalov util assert types nodejs client browser server","author":"=suevalov","date":"2014-08-11 "},{"name":"assert-types.js","keywords":"","version":[],"words":"assert-types.js","author":"","date":"2014-08-10 "},{"name":"assert-validate","description":"Validate schema with `http-assert`","url":null,"keywords":"","version":"0.0.3","words":"assert-validate validate schema with `http-assert` =ntran13","author":"=ntran13","date":"2014-09-06 "},{"name":"assert-version","description":"Check if version mentions match the one from package.json","url":null,"keywords":"","version":"0.0.3","words":"assert-version check if version mentions match the one from package.json =hoho","author":"=hoho","date":"2014-08-11 "},{"name":"assert-x","description":"A Javascript assertion library.","url":null,"keywords":"assert library javascript testing assertions nodejs browser commonjs test","version":"0.0.26","words":"assert-x a javascript assertion library. =xotic750 assert library javascript testing assertions nodejs browser commonjs test","author":"=xotic750","date":"2014-01-17 "},{"name":"assert.js","description":"A better assert","url":null,"keywords":"testing assert","version":"0.5.0","words":"assert.js a better assert =bebraw testing assert","author":"=bebraw","date":"2012-11-19 "},{"name":"assert2","description":"Node.js's assert plus 'emits' and 'doesNotEmit'","url":null,"keywords":"Node.js assert emit","version":"0.1.0","words":"assert2 node.js's assert plus 'emits' and 'doesnotemit' =ballbearing node.js assert emit","author":"=ballbearing","date":"2013-04-04 "},{"name":"assertf","description":"assert with printf message formatting.","url":null,"keywords":"assert format variables sprintf printf assertion testing test error message","version":"1.0.0","words":"assertf assert with printf message formatting. =timoxley assert format variables sprintf printf assertion testing test error message","author":"=timoxley","date":"2014-06-30 "},{"name":"assertion","description":"Assertion Library","url":null,"keywords":"assert assertions test TDD unit test","version":"0.100.6","words":"assertion assertion library =tenbits assert assertions test tdd unit test","author":"=tenbits","date":"2014-06-20 "},{"name":"assertion-error","description":"Error constructor for test and validation frameworks that implements standardized AssertionError specification.","url":null,"keywords":"test assertion assertion-error","version":"1.0.0","words":"assertion-error error constructor for test and validation frameworks that implements standardized assertionerror specification. =jakeluer test assertion assertion-error","author":"=jakeluer","date":"2013-06-08 "},{"name":"assertions","description":"loads of useful assert functions in one package","url":null,"keywords":"","version":"2.3.2","words":"assertions loads of useful assert functions in one package =dominictarr","author":"=dominictarr","date":"2014-03-06 "},{"name":"assertions-counter","description":"A simple assertions counter for asynchronous code testing","url":null,"keywords":"assert test counter","version":"0.0.1","words":"assertions-counter a simple assertions counter for asynchronous code testing =dv assert test counter","author":"=dv","date":"2014-04-17 "},{"name":"assertive","description":"Assertive is a terse yet expressive assertion library, designed and ideally suited for coffee-script","url":null,"keywords":"","version":"1.4.0","words":"assertive assertive is a terse yet expressive assertion library, designed and ideally suited for coffee-script =smassa =ecmanaut","author":"=smassa =ecmanaut","date":"2014-05-29 "},{"name":"assertive-as-promised","description":"Extends assertive with promise support","url":null,"keywords":"","version":"0.1.0","words":"assertive-as-promised extends assertive with promise support =dbushong","author":"=dbushong","date":"2014-04-17 "},{"name":"assertive-chai","description":"Chai.js without Expect or Should","url":null,"keywords":"test assertion assert testing chai","version":"1.0.0","words":"assertive-chai chai.js without expect or should =jokeyrhyme test assertion assert testing chai","author":"=jokeyrhyme","date":"2014-05-23 "},{"name":"assertmessage","description":"A better assert message for node","url":null,"keywords":"assert node","version":"0.0.2","words":"assertmessage a better assert message for node =alevicki assert node","author":"=alevicki","date":"2013-05-09 "},{"name":"asserto","description":"Asserto - expresso style assertions in a module","url":null,"keywords":"","version":"0.2.0","words":"asserto asserto - expresso style assertions in a module =cianclarke","author":"=cianclarke","date":"2013-07-31 "},{"name":"asserts","description":"Test grouping and formatting to make working with vanilla node assert marginally easier","url":null,"keywords":"test assert","version":"4.0.2","words":"asserts test grouping and formatting to make working with vanilla node assert marginally easier =stephenhandley test assert","author":"=stephenhandley","date":"2014-07-06 "},{"name":"assertvanish","description":"assert that an object will vanish","url":null,"keywords":"assert debug vanish","version":"0.0.3-1","words":"assertvanish assert that an object will vanish =thejh assert debug vanish","author":"=thejh","date":"2011-07-22 "},{"name":"asset","description":"Asset manager","url":null,"keywords":"assets javascript css package manager","version":"0.4.13","words":"asset asset manager =tjholowaychuk assets javascript css package manager","author":"=tjholowaychuk","date":"2012-09-26 "},{"name":"asset-bundler","description":"pack and create asset bundles for your static js and css files","url":null,"keywords":"build assets css javascript minify builder compress package","version":"0.6.5","words":"asset-bundler pack and create asset bundles for your static js and css files =sergiokuba build assets css javascript minify builder compress package","author":"=sergiokuba","date":"2012-07-13 "},{"name":"asset-cache","description":"Asset server with caching in node.js. Used for local development","url":null,"keywords":"asset cache development etag","version":"0.0.6","words":"asset-cache asset server with caching in node.js. used for local development =gavinuhma asset cache development etag","author":"=gavinuhma","date":"2012-10-24 "},{"name":"asset-cache-control","description":"control the cache of assets by appending md5 hash to asset url","url":null,"keywords":"gruntplugin,cache control,asset,hash","version":"0.1.0","words":"asset-cache-control control the cache of assets by appending md5 hash to asset url =jessiehan gruntplugin,cache control,asset,hash","author":"=jessiehan","date":"2013-12-17 "},{"name":"asset-collector","description":"A tool to collect assets","url":null,"keywords":"","version":"1.0.6","words":"asset-collector a tool to collect assets =czindel","author":"=czindel","date":"2014-09-18 "},{"name":"asset-compiler","description":"A middleware for connect and union, that compiles and hosts assets (less.js, CoffeeScript, stylus).","url":null,"keywords":"","version":"0.1.2","words":"asset-compiler a middleware for connect and union, that compiles and hosts assets (less.js, coffeescript, stylus). =dmcaulay","author":"=dmcaulay","date":"2012-09-05 "},{"name":"asset-gopher","description":"Promise-based asset loader designed for fetching resources from remote machines in a browser","url":null,"keywords":"promises assetloader","version":"0.0.3","words":"asset-gopher promise-based asset loader designed for fetching resources from remote machines in a browser =skane promises assetloader","author":"=skane","date":"2013-12-10 "},{"name":"asset-inliner","description":"Parses your markup and replaces references to external assets with inline code","url":null,"keywords":"inline markup extract assets css html javascript","version":"0.2.0","words":"asset-inliner parses your markup and replaces references to external assets with inline code =jasonbellamy inline markup extract assets css html javascript","author":"=jasonbellamy","date":"2014-03-18 "},{"name":"asset-loader","description":"Express.js view helper for including style or script tags! Has an easy syntax and supports 'bundle aliases' for grouping files together.","url":null,"keywords":"assets pipeline require","version":"0.1.7","words":"asset-loader express.js view helper for including style or script tags! has an easy syntax and supports 'bundle aliases' for grouping files together. =dylanized assets pipeline require","author":"=dylanized","date":"2013-05-07 "},{"name":"asset-manager","description":"Asset manager built on top of connect-asset for managing multiple asset folders.","url":null,"keywords":"","version":"0.3.8","words":"asset-manager asset manager built on top of connect-asset for managing multiple asset folders. =lynns","author":"=lynns","date":"2013-01-04 "},{"name":"asset-packs","description":"Grunt Plugin/Middleware for packing development source into production assets","url":null,"keywords":"gruntplugin assets packs","version":"0.3.7","words":"asset-packs grunt plugin/middleware for packing development source into production assets =markgardner gruntplugin assets packs","author":"=markgardner","date":"2014-09-11 "},{"name":"asset-pipe","description":"A simple asset templating library that turns html template tags into js and css links","url":null,"keywords":"","version":"0.0.1","words":"asset-pipe a simple asset templating library that turns html template tags into js and css links =theeskhaton","author":"=theeskhaton","date":"2013-08-28 "},{"name":"asset-pipeline","description":"Runtime assets builder for Express 3","url":null,"keywords":"express assets build coffee jade stylus ejs haml markdown","version":"0.3.2","words":"asset-pipeline runtime assets builder for express 3 =rlidwka express assets build coffee jade stylus ejs haml markdown","author":"=rlidwka","date":"2013-07-04 "},{"name":"asset-rack","description":"Static Web Framework for Nodejs","url":null,"keywords":"","version":"2.2.2","words":"asset-rack static web framework for nodejs =brad@techpines.com","author":"=brad@techpines.com","date":"2013-10-14 "},{"name":"asset-rack-bare","keywords":"","version":[],"words":"asset-rack-bare","author":"","date":"2014-02-11 "},{"name":"asset-rack-livescript","description":"Livescript support for asset-rack.","url":null,"keywords":"livescript","version":"1.0.1","words":"asset-rack-livescript livescript support for asset-rack. =drozzy livescript","author":"=drozzy","date":"2013-02-28 "},{"name":"asset-rack-test","description":"Asset management framework for nodejs","url":null,"keywords":"","version":"0.0.1","words":"asset-rack-test asset management framework for nodejs =brad@techpines.com","author":"=brad@techpines.com","date":"2013-02-17 "},{"name":"asset-reflux","description":"Caching build system engine for HTML5 apps","url":null,"keywords":"","version":"0.0.0","words":"asset-reflux caching build system engine for html5 apps =callumlocke","author":"=callumlocke","date":"2014-08-13 "},{"name":"asset-server","description":"A lean RESTful Amazon S3-like asset server that supports subdomain buckets, content hashing and versioning, streaming files directly to the the local filesystem.","url":null,"keywords":"","version":"0.1.58","words":"asset-server a lean restful amazon s3-like asset server that supports subdomain buckets, content hashing and versioning, streaming files directly to the the local filesystem. =juho","author":"=juho","date":"2014-03-25 "},{"name":"asset-server-client","description":"Node.js client module to work with file storage asset-server","url":null,"keywords":"","version":"0.1.59","words":"asset-server-client node.js client module to work with file storage asset-server =juho","author":"=juho","date":"2014-03-24 "},{"name":"asset-smasher","description":"Asset pre-processor, merger, and compressor.","url":null,"keywords":"asset compress merge preprocess","version":"0.3.2","words":"asset-smasher asset pre-processor, merger, and compressor. =jriecken asset compress merge preprocess","author":"=jriecken","date":"2013-06-21 "},{"name":"asset-tag-helper","description":"Rails' AssetTagHelper ported to Javascript","url":null,"keywords":"rails asset-tag-helper","version":"0.0.6","words":"asset-tag-helper rails' assettaghelper ported to javascript =markhuetsch rails asset-tag-helper","author":"=markhuetsch","date":"2012-04-03 "},{"name":"asset-url","description":"Generate url/string for assets","url":null,"keywords":"asset url generate","version":"0.1.0","words":"asset-url generate url/string for assets =doup asset url generate","author":"=doup","date":"2014-04-28 "},{"name":"asset-wrap","description":"Asset management framework for nodejs","url":null,"keywords":"","version":"0.9.4","words":"asset-wrap asset management framework for nodejs =scien","author":"=scien","date":"2014-08-21 "},{"name":"asset_builder","description":"build, concatenate, and compress assets","url":null,"keywords":"","version":"0.3.0","words":"asset_builder build, concatenate, and compress assets =agrieser","author":"=agrieser","date":"2012-08-02 "},{"name":"asset_store","description":"Store assets in places like Amazon S3","url":null,"keywords":"","version":"0.0.13","words":"asset_store store assets in places like amazon s3 =jtsandlund","author":"=jtsandlund","date":"2012-12-04 "},{"name":"asseter","description":"asset server","url":null,"keywords":"","version":"0.1.0","words":"asseter asset server =fww","author":"=fww","date":"2014-09-12 "},{"name":"assetflow","description":"Asset deployment for node","url":null,"keywords":"gruntplugin asset assets asset pipeline deployment deploy pipeline","version":"0.1.6","words":"assetflow asset deployment for node =thanpolas gruntplugin asset assets asset pipeline deployment deploy pipeline","author":"=thanpolas","date":"2013-07-26 "},{"name":"assetgraph","description":"Optimization framework for web pages and applications","url":null,"keywords":"","version":"1.1.7","words":"assetgraph optimization framework for web pages and applications =papandreou =munter =gustavnikolaj","author":"=papandreou =munter =gustavnikolaj","date":"2014-09-17 "},{"name":"assetgraph-builder","description":"Build system for web sites and applications","url":null,"keywords":"assetgraph web build build system single page web application static html cache manifest appcache spriting html css javascript jsdom localization internationalization i18n l10n","version":"1.1.22","words":"assetgraph-builder build system for web sites and applications =papandreou =munter =gustavnikolaj assetgraph web build build system single page web application static html cache manifest appcache spriting html css javascript jsdom localization internationalization i18n l10n","author":"=papandreou =munter =gustavnikolaj","date":"2014-09-17 "},{"name":"assetgraph-middleware","description":"Express middleware for optimizing and manipulating HTML pages and their related assets while serving them","url":null,"keywords":"assetgraph express middleware asset optimization bundling web build","version":"0.0.1","words":"assetgraph-middleware express middleware for optimizing and manipulating html pages and their related assets while serving them =papandreou assetgraph express middleware asset optimization bundling web build","author":"=papandreou","date":"2012-03-08 "},{"name":"assetgraph-sprite","description":"AssetGraph plugin for creating sprites from background images","url":null,"keywords":"","version":"0.6.2","words":"assetgraph-sprite assetgraph plugin for creating sprites from background images =papandreou =munter","author":"=papandreou =munter","date":"2014-07-18 "},{"name":"assetify","description":"Node client-side asset manager tool","url":null,"keywords":"asset assets asset-manager asset-management static static-assets minification minifier minify bundling bundler concat concatenate build compile browser","version":"0.9.0","words":"assetify node client-side asset manager tool =bevacqua asset assets asset-manager asset-management static static-assets minification minifier minify bundling bundler concat concatenate build compile browser","author":"=bevacqua","date":"2014-02-16 "},{"name":"assetify-parser","description":"Extraction of the parser helper from assetify","url":null,"keywords":"","version":"0.0.1","words":"assetify-parser extraction of the parser helper from assetify =faceleg","author":"=faceleg","date":"2014-08-20 "},{"name":"assetify-stylus","description":"Stylus (+nib) plugin for assetify","url":null,"keywords":"","version":"0.0.1","words":"assetify-stylus stylus (+nib) plugin for assetify =faceleg","author":"=faceleg","date":"2014-08-20 "},{"name":"assetloader","description":"An asynchronous asset manager for Canvas/WebGL images and resources","url":null,"keywords":"","version":"0.1.2","words":"assetloader an asynchronous asset manager for canvas/webgl images and resources =mattdesl","author":"=mattdesl","date":"2014-07-01 "},{"name":"assetly","description":"Helpers for working with static files in express projects.","url":null,"keywords":"static asset script image css URI URL address express","version":"0.1.2","words":"assetly helpers for working with static files in express projects. =mkretschek static asset script image css uri url address express","author":"=mkretschek","date":"2013-09-16 "},{"name":"assetman","description":"Ninja generator with focus on glob patterns","url":null,"keywords":"ninja build generate configure build.ninja assets glob wildcard","version":"2.0.0","words":"assetman ninja generator with focus on glob patterns =miningold ninja build generate configure build.ninja assets glob wildcard","author":"=miningold","date":"2013-11-23 "},{"name":"assetmanager","description":"Asset manager easily allows you to switch between development and production css and js files in your templates by managing them in a single json file that's still compatible with grunt cssmin and uglify.","url":null,"keywords":"asset manager css js layout","version":"1.1.1","words":"assetmanager asset manager easily allows you to switch between development and production css and js files in your templates by managing them in a single json file that's still compatible with grunt cssmin and uglify. =reedd asset manager css js layout","author":"=reedd","date":"2014-06-25 "},{"name":"assetment","description":"Assesses & extracts references to all the assets in your markup.","url":null,"keywords":"scrape find extract assets images css javascript dom","version":"0.3.1","words":"assetment assesses & extracts references to all the assets in your markup. =jasonbellamy scrape find extract assets images css javascript dom","author":"=jasonbellamy","date":"2014-03-15 "},{"name":"assetmgmt","description":"client side asset manager with a similar configuration to ruby jammit","url":null,"keywords":"javascript css tool","version":"0.0.12","words":"assetmgmt client side asset manager with a similar configuration to ruby jammit =ussballantyne javascript css tool","author":"=ussballantyne","date":"2014-08-12 "},{"name":"assetone","description":"Packages up CommonJS modules for the browser","url":null,"keywords":"browser commonjs modules packager require minifier","version":"0.2.5","words":"assetone packages up commonjs modules for the browser =alexlamsl browser commonjs modules packager require minifier","author":"=alexlamsl","date":"2014-05-24 "},{"name":"AssetPipeline","description":"Provides Assets","url":null,"keywords":"","version":"0.0.1","words":"assetpipeline provides assets =spacemagic","author":"=SpaceMagic","date":"2012-04-13 "},{"name":"assetr","description":"Assetr - Node CLI helper to build our assets (css, js, less)","url":null,"keywords":"cli minify js css less","version":"0.0.6","words":"assetr assetr - node cli helper to build our assets (css, js, less) =azureru cli minify js css less","author":"=azureru","date":"2014-03-07 "},{"name":"assets","description":"Asset API for Node.js","url":null,"keywords":"framework node","version":"0.0.1","words":"assets asset api for node.js =viatropos framework node","author":"=viatropos","date":"2011-11-08 "},{"name":"assets-bower-ci","description":"assets-bower-ci ===============","url":null,"keywords":"","version":"0.0.8","words":"assets-bower-ci assets-bower-ci =============== =at15","author":"=at15","date":"2014-07-16 "},{"name":"assets-expander","description":"A well-tested tool for expanding any files structure defined in YAML file into a flat list of files","url":null,"keywords":"css javascript assets yaml","version":"1.0.2","words":"assets-expander a well-tested tool for expanding any files structure defined in yaml file into a flat list of files =goalsmashers css javascript assets yaml","author":"=goalsmashers","date":"2014-02-27 "},{"name":"assets-include","description":"Include assets into your views with ease (assets-packager compatible).","url":null,"keywords":"","version":"1.1.1","words":"assets-include include assets into your views with ease (assets-packager compatible). =goalsmashers","author":"=goalsmashers","date":"2014-03-15 "},{"name":"assets-middleware","description":"Abstract asset middleware for compilation, concatenation, and post-processing.","url":null,"keywords":"asset assets concatenation middleware","version":"0.0.3","words":"assets-middleware abstract asset middleware for compilation, concatenation, and post-processing. =hitsthings asset assets concatenation middleware","author":"=hitsthings","date":"2013-08-10 "},{"name":"assets-packager","description":"Very fast assets pipeline - combines power of async, uglify-js, clean-css, enhance-css and couple other tools to make your assets production-ready","url":null,"keywords":"assets packager pipeline css javascript less minifier","version":"1.2.0","words":"assets-packager very fast assets pipeline - combines power of async, uglify-js, clean-css, enhance-css and couple other tools to make your assets production-ready =goalsmashers assets packager pipeline css javascript less minifier","author":"=goalsmashers","date":"2014-08-24 "},{"name":"assets-pipeline","description":"Smart assets pipeline for node.js.","url":null,"keywords":"assets pipeline static cdn less css js scp images web version cachebuster cache minify compress express s3 aws gzip","version":"0.0.6","words":"assets-pipeline smart assets pipeline for node.js. =theroman assets pipeline static cdn less css js scp images web version cachebuster cache minify compress express s3 aws gzip","author":"=theroman","date":"2014-05-13 "},{"name":"assets-tasks","description":"Common assets tasks for NodeJS.","url":null,"keywords":"asset assets pipe pipeline task tasks automation gulp plugin plugins script coffee style stylus view jade image images font fonts gzip version versioning manifest cache","version":"0.0.6","words":"assets-tasks common assets tasks for nodejs. =xpepermint asset assets pipe pipeline task tasks automation gulp plugin plugins script coffee style stylus view jade image images font fonts gzip version versioning manifest cache","author":"=xpepermint","date":"2014-08-31 "},{"name":"assets-webpack-plugin","description":"Emits a json file with assets paths","url":null,"keywords":"webpack plugin generate assets hashes","version":"0.1.0","words":"assets-webpack-plugin emits a json file with assets paths =sporto webpack plugin generate assets hashes","author":"=sporto","date":"2014-09-20 "},{"name":"assets.js","description":"Asset API for Node.js","url":null,"keywords":"framework node","version":"0.0.1","words":"assets.js asset api for node.js =viatropos framework node","author":"=viatropos","date":"2011-11-08 "},{"name":"assets2css","description":"Convert asset directory to css with data-uris","url":null,"keywords":"css data-uri","version":"0.0.3","words":"assets2css convert asset directory to css with data-uris =purge css data-uri","author":"=purge","date":"2013-10-21 "},{"name":"assetslocals","description":"combine assets.json file and locals.js, It can be used in jade and grunt.","url":null,"keywords":"assets assets.json locals locals.js jade grunt grunt-contrib-jade node-assetmanager app.locals","version":"1.0.3","words":"assetslocals combine assets.json file and locals.js, it can be used in jade and grunt. =hero63418 assets assets.json locals locals.js jade grunt grunt-contrib-jade node-assetmanager app.locals","author":"=hero63418","date":"2014-07-25 "},{"name":"assetsmanager-brunch","description":"Adds multiple assets folders support to brunch.","url":null,"keywords":"brunch plugin assets","version":"1.8.1","words":"assetsmanager-brunch adds multiple assets folders support to brunch. =ocombe brunch plugin assets","author":"=ocombe","date":"2014-03-24 "},{"name":"assetspack","description":"clever assets packagement","url":null,"keywords":"watching watch fswatcher watchfile fs less compilation uglify javascript","version":"0.1.5","words":"assetspack clever assets packagement =krasimir watching watch fswatcher watchfile fs less compilation uglify javascript","author":"=krasimir","date":"2013-08-15 "},{"name":"assetsproxy","description":"A assets proxy for web developers","url":null,"keywords":"","version":"0.0.2","words":"assetsproxy a assets proxy for web developers =tiejun","author":"=tiejun","date":"2012-12-27 "},{"name":"assetstream","description":"Stream and transform your browser assets.","url":null,"keywords":"","version":"0.1.19","words":"assetstream stream and transform your browser assets. =walling","author":"=walling","date":"2013-10-31 "},{"name":"asseturls","description":"Manage cachebusting asset URLs in node","url":null,"keywords":"express cachebusting assets url","version":"0.0.4","words":"asseturls manage cachebusting asset urls in node =hlandau express cachebusting assets url","author":"=hlandau","date":"2012-09-16 "},{"name":"assetviz","description":"A graph visualization of the assets and their relations in your web app","url":null,"keywords":"dependency graph asset assetgraph visualization","version":"0.3.0","words":"assetviz a graph visualization of the assets and their relations in your web app =munter dependency graph asset assetgraph visualization","author":"=munter","date":"2014-08-28 "},{"name":"assety","description":"assets compiler","url":null,"keywords":"","version":"0.0.1","words":"assety assets compiler =kurijov","author":"=kurijov","date":"2013-02-14 "},{"name":"assetylene","description":"Asset manager","url":null,"keywords":"asset assets manager management middleware","version":"0.1.0","words":"assetylene asset manager =download asset assets manager management middleware","author":"=download","date":"2014-05-05 "},{"name":"asshole","description":"stopwords","url":null,"keywords":"","version":"9999.9999.9999","words":"asshole stopwords =isaacs","author":"=isaacs","date":"2014-07-23 "},{"name":"assign","description":"Map/Reduce promise like returned API -- Really not way to properly describe this module..","url":null,"keywords":"map reduce flow control async brainfart","version":"0.1.5","words":"assign map/reduce promise like returned api -- really not way to properly describe this module.. =v1 =indexzero =jcrugzz =swaagie map reduce flow control async brainfart","author":"=V1 =indexzero =jcrugzz =swaagie","date":"2014-08-21 "},{"name":"assimilate","description":"Extends objects.","url":null,"keywords":"extend inherit augment mixin","version":"0.4.0","words":"assimilate extends objects. =pluma extend inherit augment mixin","author":"=pluma","date":"2014-03-10 "},{"name":"assist","description":"A set of helpers for small, modular middleware libraries","url":null,"keywords":"","version":"0.3.2","words":"assist a set of helpers for small, modular middleware libraries =download","author":"=download","date":"2014-04-28 "},{"name":"assist.js","description":"Additional utility functions for underscore.","url":null,"keywords":"","version":"0.3.5","words":"assist.js additional utility functions for underscore. =jaridmargolin","author":"=jaridmargolin","date":"2014-09-07 "},{"name":"assman","description":"Yet another asset manager for node","url":null,"keywords":"","version":"0.1.4","words":"assman yet another asset manager for node =linusu","author":"=linusu","date":"2013-06-24 "},{"name":"assoc","description":"Associative arrays for JavaScript.","url":null,"keywords":"associative arrays","version":"0.0.2","words":"assoc associative arrays for javascript. =txus associative arrays","author":"=txus","date":"2011-04-12 "},{"name":"associate","description":"Convert an object to an array, array to an object, or a function with multiple arguments into a function that takes an options map.","url":null,"keywords":"map object array order combine parameter","version":"0.0.5","words":"associate convert an object to an array, array to an object, or a function with multiple arguments into a function that takes an options map. =bluejeansandrain map object array order combine parameter","author":"=bluejeansandrain","date":"2014-01-26 "},{"name":"association","keywords":"","version":[],"words":"association","author":"","date":"2013-10-25 "},{"name":"assp","description":"Assphalt your connection!","url":null,"keywords":"","version":"0.0.3","words":"assp assphalt your connection! =amirs","author":"=amirs","date":"2013-11-03 "},{"name":"asspig1","description":"test","url":null,"keywords":"asspig test","version":"0.0.4","words":"asspig1 test =fundchan asspig test","author":"=fundchan","date":"2014-06-18 "},{"name":"assume","description":"Expect-like assertions that works seamlessly in node and browsers","url":null,"keywords":"expect assert assertion asserts assume testing test tests spec should","version":"0.0.9","words":"assume expect-like assertions that works seamlessly in node and browsers =v1 =indexzero =jcrugzz =swaagie expect assert assertion asserts assume testing test tests spec should","author":"=V1 =indexzero =jcrugzz =swaagie","date":"2014-09-18 "},{"name":"assurance","description":"Node validation/sanitization library with a handsome API","url":null,"keywords":"validation sanitization assurance ensure validate","version":"0.2.4","words":"assurance node validation/sanitization library with a handsome api =danmilon validation sanitization assurance ensure validate","author":"=danmilon","date":"2013-04-16 "},{"name":"assure","description":"Promises/A+ micro library","url":null,"keywords":"promises promise deferred deferreds async aynchronous","version":"1.0.4","words":"assure promises/a+ micro library =avoidwork promises promise deferred deferreds async aynchronous","author":"=avoidwork","date":"2013-12-30 "},{"name":"ast","description":"Generic AST Toolkit","url":null,"keywords":"","version":"0.0.1","words":"ast generic ast toolkit =timdefrag","author":"=timdefrag","date":"2012-12-05 "},{"name":"ast-children","description":"get the children of an AST node","url":null,"keywords":"ast children","version":"0.1.2","words":"ast-children get the children of an ast node =jkroso ast children","author":"=jkroso","date":"2014-05-20 "},{"name":"ast-hoist","description":"hoist your variables (and function declarations)","url":null,"keywords":"ast hoist esparse esprima","version":"3.0.2","words":"ast-hoist hoist your variables (and function declarations) =nathan7 ast hoist esparse esprima","author":"=nathan7","date":"2013-12-03 "},{"name":"ast-inlining","description":"Nodejs language detection library using n-gram","url":null,"keywords":"ast inlining inline expansion","version":"1.0.1","words":"ast-inlining nodejs language detection library using n-gram =fgribreau ast inlining inline expansion","author":"=fgribreau","date":"2011-09-03 "},{"name":"ast-investigator","description":"utility for callback hell","url":null,"keywords":"","version":"1.0.0","words":"ast-investigator utility for callback hell =bradleymeck","author":"=bradleymeck","date":"2014-08-03 "},{"name":"ast-match","description":"Match AST nodes using JSON Schema.","url":null,"keywords":"ast match matcher astmatch astmatcher json schema jsonschema json-schema mozilla parser","version":"0.1.3","words":"ast-match match ast nodes using json schema. =vitaliygreen ast match matcher astmatch astmatcher json schema jsonschema json-schema mozilla parser","author":"=vitaliygreen","date":"2013-11-03 "},{"name":"ast-module-types","description":"Collection of useful helper functions when trying to determine module type (CommonJS or AMD) properties of an AST node.","url":null,"keywords":"esprima module type define require factory","version":"1.2.0","words":"ast-module-types collection of useful helper functions when trying to determine module type (commonjs or amd) properties of an ast node. =mrjoelkemp esprima module type define require factory","author":"=mrjoelkemp","date":"2014-06-09 "},{"name":"ast-parents","description":"Walks a JavaScript AST and adds a \"parent\" property to each node","url":null,"keywords":"ast walk parents node syntax parse","version":"0.0.1","words":"ast-parents walks a javascript ast and adds a \"parent\" property to each node =hughsk ast walk parents node syntax parse","author":"=hughsk","date":"2014-02-04 "},{"name":"ast-path","description":"Library for traversing syntax trees with easy access to an unbroken chain of parent references","url":null,"keywords":"ast abstract syntax tree trees hierarchy transformation traversal","version":"0.1.4","words":"ast-path library for traversing syntax trees with easy access to an unbroken chain of parent references =benjamn ast abstract syntax tree trees hierarchy transformation traversal","author":"=benjamn","date":"2013-10-10 "},{"name":"ast-pipeline","description":"Seamlessly pipe between text transform streams and AST transforms","url":null,"keywords":"ast pipeline parse deparse syntax transform stream","version":"0.1.0","words":"ast-pipeline seamlessly pipe between text transform streams and ast transforms =hughsk ast pipeline parse deparse syntax transform stream","author":"=hughsk","date":"2014-02-25 "},{"name":"ast-query","description":"Declarative JavaScript AST modification façade","url":null,"keywords":"AST source traversal syntax tree","version":"0.3.0","words":"ast-query declarative javascript ast modification façade =sboudrias ast source traversal syntax tree","author":"=sboudrias","date":"2014-09-19 "},{"name":"ast-replace-this","description":"change the this of code","url":null,"keywords":"ast this context esparse esprima","version":"2.0.0","words":"ast-replace-this change the this of code =nathan7 ast this context esparse esprima","author":"=nathan7","date":"2013-12-03 "},{"name":"ast-scope","description":"A JavaScript AST scope analyzer","url":null,"keywords":"ast esprima scope analyze","version":"0.4.0","words":"ast-scope a javascript ast scope analyzer =nkzawa ast esprima scope analyze","author":"=nkzawa","date":"2014-04-12 "},{"name":"ast-transform","description":"Convenience wrapper for performing AST transformations with browserify transform streams","url":null,"keywords":"ast transform browserify stream","version":"0.0.0","words":"ast-transform convenience wrapper for performing ast transformations with browserify transform streams =hughsk ast transform browserify stream","author":"=hughsk","date":"2014-02-27 "},{"name":"ast-transformer","description":"An UglifyJS AST transformer","url":null,"keywords":"AST uglifyjs","version":"0.0.2","words":"ast-transformer an uglifyjs ast transformer =dresende ast uglifyjs","author":"=dresende","date":"2011-08-30 "},{"name":"ast-traverse","description":"simple but flexible AST traversal with pre and post visitors","url":null,"keywords":"ast traverse traversal walk visit visitor esprima","version":"0.1.1","words":"ast-traverse simple but flexible ast traversal with pre and post visitors =olov ast traverse traversal walk visit visitor esprima","author":"=olov","date":"2013-09-20 "},{"name":"ast-tree","description":"Get a tree representation of the AST","url":null,"keywords":"","version":"0.0.1","words":"ast-tree get a tree representation of the ast =mattmueller","author":"=mattmueller","date":"2013-11-08 "},{"name":"ast-types","description":"Esprima-compatible implementation of the Mozilla JS Parser API","url":null,"keywords":"ast abstract syntax tree hierarchy mozilla spidermonkey parser api esprima types type system type checking dynamic types parsing transformation syntax","version":"0.4.9","words":"ast-types esprima-compatible implementation of the mozilla js parser api =benjamn ast abstract syntax tree hierarchy mozilla spidermonkey parser api esprima types type system type checking dynamic types parsing transformation syntax","author":"=benjamn","date":"2014-08-07 "},{"name":"ast-util","description":"Utilities for AST transformers.","url":null,"keywords":"ast transform esnext es6 macros","version":"0.4.1","words":"ast-util utilities for ast transformers. =eventualbuddha ast transform esnext es6 macros","author":"=eventualbuddha","date":"2014-09-03 "},{"name":"ast-validator","description":"Validates a JavaScript AST to ensure that it meets the Mozilla Parser API specification.","url":null,"keywords":"AST validator mozilla parser escodegen","version":"0.2.0","words":"ast-validator validates a javascript ast to ensure that it meets the mozilla parser api specification. =davidtimms ast validator mozilla parser escodegen","author":"=davidtimms","date":"2014-06-02 "},{"name":"astack","description":"Tool for writing sequences of asynchronous functions.","url":null,"keywords":"functional async asynchronous flow control","version":"2.0.4","words":"astack tool for writing sequences of asynchronous functions. =fpereiro functional async asynchronous flow control","author":"=fpereiro","date":"2014-07-21 "},{"name":"astannotate","description":"JavaScript AST annotation helpers","url":null,"keywords":"","version":"0.0.4","words":"astannotate javascript ast annotation helpers =sqs","author":"=sqs","date":"2013-11-22 "},{"name":"astar","description":"A*Star pathfinding for NodeJS game servers.","url":null,"keywords":"astar game games html5 graph movement multiplayer","version":"0.0.1","words":"astar a*star pathfinding for nodejs game servers. =bdickason astar game games html5 graph movement multiplayer","author":"=bdickason","date":"2011-08-21 "},{"name":"astar-andrea","description":"Andrea Giammarchi's path finder with A* (A star).","url":null,"keywords":"astar a-star pathfinder path finder","version":"1.0.0","words":"astar-andrea andrea giammarchi's path finder with a* (a star). =jansegre astar a-star pathfinder path finder","author":"=jansegre","date":"2014-03-18 "},{"name":"astarisx","description":"Highly Composable Application Architecture for building Modern Client-Side Web Applications","url":null,"keywords":"react mvc mvvm react router react pushState mediaQuery astarisx","version":"0.9.6-beta","words":"astarisx highly composable application architecture for building modern client-side web applications =fattenap react mvc mvvm react router react pushstate mediaquery astarisx","author":"=fattenap","date":"2014-09-12 "},{"name":"astarisx-animate","description":"Astarisx for React Animation Mixin","url":null,"keywords":"react animation transition velocity animate ui astarisx","version":"0.1.2-beta","words":"astarisx-animate astarisx for react animation mixin =fattenap react animation transition velocity animate ui astarisx","author":"=fattenap","date":"2014-09-14 "},{"name":"astash","description":"REST Client for Atlassian Stash","url":null,"keywords":"","version":"0.2.3","words":"astash rest client for atlassian stash =ericanderson","author":"=ericanderson","date":"2014-03-25 "},{"name":"astatine","keywords":"","version":[],"words":"astatine","author":"","date":"2013-09-21 "},{"name":"aster","description":"Centralized aster API.","url":null,"keywords":"ast javascript transform modify","version":"0.1.0","words":"aster centralized aster api. =rreverser ast javascript transform modify","author":"=rreverser","date":"2014-07-03 "},{"name":"aster-changed","description":"Rebuild only changed files in aster.","url":null,"keywords":"aster-plugin ast javascript transform modify changed watch","version":"0.0.1","words":"aster-changed rebuild only changed files in aster. =rreverser aster-plugin ast javascript transform modify changed watch","author":"=rreverser","date":"2014-07-05 "},{"name":"aster-concat","description":"Concatenate scripts with aster.","url":null,"keywords":"aster-plugin ast javascript transform modify concat","version":"1.1.0","words":"aster-concat concatenate scripts with aster. =rreverser aster-plugin ast javascript transform modify concat","author":"=rreverser","date":"2014-06-02 "},{"name":"aster-dest","description":"File writer for aster.","url":null,"keywords":"aster-plugin ast javascript generate write","version":"0.0.1","words":"aster-dest file writer for aster. =rreverser aster-plugin ast javascript generate write","author":"=rreverser","date":"2014-06-06 "},{"name":"aster-equery","description":"Replace nodes with pattern-matching selectors in aster.","url":null,"keywords":"aster-plugin ast query pattern wildcard javascript transform modify replace","version":"0.0.3","words":"aster-equery replace nodes with pattern-matching selectors in aster. =rreverser aster-plugin ast query pattern wildcard javascript transform modify replace","author":"=rreverser","date":"2014-06-17 "},{"name":"aster-generate","description":"JavaScript generator for aster.","url":null,"keywords":"aster-plugin ast javascript generate","version":"0.0.1","words":"aster-generate javascript generator for aster. =rreverser aster-plugin ast javascript generate","author":"=rreverser","date":"2014-06-04 "},{"name":"aster-parse","description":"Centralized code parsing for aster.","url":null,"keywords":"aster-plugin ast javascript parse","version":"0.0.2","words":"aster-parse centralized code parsing for aster. =rreverser aster-plugin ast javascript parse","author":"=rreverser","date":"2014-06-01 "},{"name":"aster-parse-coffee","description":"CoffeeScript parser for aster.","url":null,"keywords":"aster-plugin ast coffeescript parse","version":"0.0.2","words":"aster-parse-coffee coffeescript parser for aster. =rreverser aster-plugin ast coffeescript parse","author":"=rreverser","date":"2014-06-01 "},{"name":"aster-parse-esnext","description":"Parse ES6 as ES5 AST for aster.","url":null,"keywords":"aster-plugin ast javascript transform modify","version":"0.0.1","words":"aster-parse-esnext parse es6 as es5 ast for aster. =rreverser aster-plugin ast javascript transform modify","author":"=rreverser","date":"2014-07-14 "},{"name":"aster-parse-js","description":"JavaScript parser for aster.","url":null,"keywords":"aster-plugin ast javascript parse","version":"0.0.2","words":"aster-parse-js javascript parser for aster. =rreverser aster-plugin ast javascript parse","author":"=rreverser","date":"2014-05-29 "},{"name":"aster-parse-jsx","description":"React's JSX parser for aster.","url":null,"keywords":"aster-plugin ast react jsx parse compile transpile javascript","version":"0.0.3","words":"aster-parse-jsx react's jsx parser for aster. =rreverser aster-plugin ast react jsx parse compile transpile javascript","author":"=rreverser","date":"2014-09-09 "},{"name":"aster-rename-ids","description":"Rename ids with aster.","url":null,"keywords":"aster-plugin ast javascript transform modify","version":"1.1.0","words":"aster-rename-ids rename ids with aster. =rreverser aster-plugin ast javascript transform modify","author":"=rreverser","date":"2014-07-04 "},{"name":"aster-runner","description":"Task runner for aster.","url":null,"keywords":"aster-plugin task runner","version":"0.0.2","words":"aster-runner task runner for aster. =rreverser aster-plugin task runner","author":"=rreverser","date":"2014-07-03 "},{"name":"aster-squery","description":"Replace nodes with CSS-like selectors in aster.","url":null,"keywords":"aster-plugin ast query css selectors javascript transform modify replace","version":"0.0.2","words":"aster-squery replace nodes with css-like selectors in aster. =rreverser aster-plugin ast query css selectors javascript transform modify replace","author":"=rreverser","date":"2014-06-17 "},{"name":"aster-src","description":"Glob files reader for aster.","url":null,"keywords":"aster-plugin ast javascript glob read parse","version":"0.0.4","words":"aster-src glob files reader for aster. =rreverser aster-plugin ast javascript glob read parse","author":"=rreverser","date":"2014-06-15 "},{"name":"aster-traverse","description":"Traverse with aster.","url":null,"keywords":"aster-plugin ast javascript transform modify traverse","version":"0.0.2","words":"aster-traverse traverse with aster. =rreverser aster-plugin ast javascript transform modify traverse","author":"=rreverser","date":"2014-05-29 "},{"name":"aster-uglify","description":"Minify scripts with UglifyJS2 in aster.","url":null,"keywords":"aster-plugin ast javascript transform modify","version":"0.0.3","words":"aster-uglify minify scripts with uglifyjs2 in aster. =mikach aster-plugin ast javascript transform modify","author":"=mikach","date":"2014-08-07 "},{"name":"aster-umd","description":"Wrap code to UMD with aster.","url":null,"keywords":"aster-plugin ast javascript transform wrap umd","version":"0.0.1","words":"aster-umd wrap code to umd with aster. =rreverser aster-plugin ast javascript transform wrap umd","author":"=rreverser","date":"2014-06-25 "},{"name":"aster-watch","description":"Continuous source files reader for aster.","url":null,"keywords":"aster-plugin ast javascript glob read parse watch continuous","version":"0.0.3","words":"aster-watch continuous source files reader for aster. =rreverser aster-plugin ast javascript glob read parse watch continuous","author":"=rreverser","date":"2014-08-29 "},{"name":"asterisk","description":"CSS docuemnt generator.","url":null,"keywords":"","version":"0.5.1","words":"asterisk css docuemnt generator. =1000ch","author":"=1000ch","date":"2014-08-16 "},{"name":"asterisk-ami","description":"An asterisk ami connector","url":null,"keywords":"asterisk ami voip","version":"0.1.0","words":"asterisk-ami an asterisk ami connector =danjenkins =joezo =viktort =pauly =rahulpatel asterisk ami voip","author":"=danjenkins =joezo =viktort =pauly =rahulpatel","date":"2013-10-07 "},{"name":"asterisk-manager","description":"A node.js module for interacting with the Asterisk Manager API.","url":null,"keywords":"asterisk voip ami asterisk-manager","version":"0.1.12","words":"asterisk-manager a node.js module for interacting with the asterisk manager api. =pipobscure =igorescobar asterisk voip ami asterisk-manager","author":"=pipobscure =igorescobar","date":"2014-08-21 "},{"name":"asteriskparser","description":"asterisk .conf files parser","url":null,"keywords":"","version":"0.9.0","words":"asteriskparser asterisk .conf files parser =fauria","author":"=fauria","date":"2012-06-06 "},{"name":"asteroid","description":"Aletrnative Meteor client","url":null,"keywords":"ddp asteroid meteor","version":"0.4.0","words":"asteroid aletrnative meteor client =pscanf ddp asteroid meteor","author":"=pscanf","date":"2014-08-28 "},{"name":"asteroids-asteroid","description":"The infamous asteroid in the Asteroids world","url":null,"keywords":"asteroids asteroid","version":"0.8.0","words":"asteroids-asteroid the infamous asteroid in the asteroids world =dvberkel asteroids asteroid","author":"=dvberkel","date":"2014-06-29 "},{"name":"asteroids-bag","description":"An implementation of a bag tailored to Asteroids","url":null,"keywords":"asteroids bag","version":"0.0.1","words":"asteroids-bag an implementation of a bag tailored to asteroids =dvberkel asteroids bag","author":"=dvberkel","date":"2013-11-21 "},{"name":"asteroids-bullet","description":"The bullet in the Asteroids world","url":null,"keywords":"asteroids bullet","version":"0.5.0","words":"asteroids-bullet the bullet in the asteroids world =dvberkel asteroids bullet","author":"=dvberkel","date":"2014-06-29 "},{"name":"asteroids-controller","description":"A controller for the fighter in the asteroids game","url":null,"keywords":"asteroids","version":"3.0.0","words":"asteroids-controller a controller for the fighter in the asteroids game =dvberkel asteroids","author":"=dvberkel","date":"2014-07-02 "},{"name":"asteroids-different","description":"Function to determine if a two floating points values differ ","url":null,"keywords":"asteroids different","version":"0.0.0","words":"asteroids-different function to determine if a two floating points values differ =dvberkel asteroids different","author":"=dvberkel","date":"2013-11-24 "},{"name":"asteroids-fighter","description":"Ze destroyer of androids!","url":null,"keywords":"asteroids fighter","version":"0.8.0","words":"asteroids-fighter ze destroyer of androids! =dvberkel asteroids fighter","author":"=dvberkel","date":"2014-06-29 "},{"name":"asteroids-game","description":"The object managing all the Asteroids objects","url":null,"keywords":"asteroids game","version":"0.9.0","words":"asteroids-game the object managing all the asteroids objects =dvberkel asteroids game","author":"=dvberkel","date":"2014-06-29 "},{"name":"asteroids-listener","description":"Custom implementation of the observer pattern tailored for Asteroids","url":null,"keywords":"asteroids observer","version":"0.1.0","words":"asteroids-listener custom implementation of the observer pattern tailored for asteroids =dvberkel asteroids observer","author":"=dvberkel","date":"2014-01-12 "},{"name":"asteroids-object","description":"An object to know its position in the Asteroids world","url":null,"keywords":"asteroids bag","version":"0.5.0","words":"asteroids-object an object to know its position in the asteroids world =dvberkel asteroids bag","author":"=dvberkel","date":"2014-06-29 "},{"name":"asteroids-velocity","description":"Velocity entity for the Asteroids object","url":null,"keywords":"asteroids velocity","version":"0.8.0","words":"asteroids-velocity velocity entity for the asteroids object =dvberkel asteroids velocity","author":"=dvberkel","date":"2014-06-29 "},{"name":"astgen","description":"Generate SpiderMonkey-compatible JavaScript abstract syntax trees","url":null,"keywords":"JavaScript syntax tree syntax tree ast","version":"0.0.7","words":"astgen generate spidermonkey-compatible javascript abstract syntax trees =btmills javascript syntax tree syntax tree ast","author":"=btmills","date":"2013-11-13 "},{"name":"asthmatic","description":"## Installation","url":null,"keywords":"","version":"0.0.3","words":"asthmatic ## installation =jonathanbp","author":"=jonathanbp","date":"2014-08-05 "},{"name":"astjourney","description":"It's a long journey, but on your way, you'll meet all the JS AST nodes.","url":null,"keywords":"","version":"0.2.7","words":"astjourney it's a long journey, but on your way, you'll meet all the js ast nodes. =thejh","author":"=thejh","date":"2012-02-15 "},{"name":"astjs","description":"ECMAscript AST transformation library","url":null,"keywords":"esprima ast transformation","version":"0.1.0","words":"astjs ecmascript ast transformation library =sakari esprima ast transformation","author":"=sakari","date":"2012-10-15 "},{"name":"astor","description":"Astor is a command line development tool for token-based authentication.","url":null,"keywords":"SWT JWT development tool identity federation","version":"0.1.5","words":"astor astor is a command line development tool for token-based authentication. =leandrob swt jwt development tool identity federation","author":"=leandrob","date":"2014-06-09 "},{"name":"astquery","description":"Use css-like selectors for walking over AST-tree","url":null,"keywords":"ast-alter ast query css-query","version":"0.0.11","words":"astquery use css-like selectors for walking over ast-tree =termi ast-alter ast query css-query","author":"=termi","date":"2014-04-04 "},{"name":"astra","description":"ASTRA is easy to use AST traverse library","url":null,"keywords":"","version":"1.0.1","words":"astra astra is easy to use ast traverse library =galkinrost","author":"=galkinrost","date":"2014-07-29 "},{"name":"astral","description":"AST tooling framework for JavaScript","url":null,"keywords":"ast tool","version":"0.1.0","words":"astral ast tooling framework for javascript =btford ast tool","author":"=btford","date":"2013-06-05 "},{"name":"astral-angular-annotate","description":"AngularJS DI annotation pass for astral","url":null,"keywords":"astral angular","version":"0.0.2","words":"astral-angular-annotate angularjs di annotation pass for astral =btford astral angular","author":"=btford","date":"2013-07-02 "},{"name":"astral-pass","description":"Pass system for Astral","url":null,"keywords":"astral","version":"0.1.0","words":"astral-pass pass system for astral =btford astral","author":"=btford","date":"2013-06-05 "},{"name":"astream","description":"Format various object types to activity stream objects","url":null,"keywords":"","version":"0.3.0-b","words":"astream format various object types to activity stream objects =selead","author":"=selead","date":"2014-01-27 "},{"name":"astree","description":"This project (`node-abstract-syntax-tree`) is an implementation of AST (abstract syntax tree) for Node.js. It can be used to build renderers of markup languages.","url":null,"keywords":"ast abstract syntax tree","version":"1.0.0","words":"astree this project (`node-abstract-syntax-tree`) is an implementation of ast (abstract syntax tree) for node.js. it can be used to build renderers of markup languages. =mithgol ast abstract syntax tree","author":"=mithgol","date":"2014-09-01 "},{"name":"astringent","keywords":"","version":[],"words":"astringent","author":"","date":"2014-04-05 "},{"name":"astro","description":"Astro","url":null,"keywords":"astro","version":"0.0.1","words":"astro astro =schmich astro","author":"=schmich","date":"2014-03-19 "},{"name":"astrobench","description":"Library for JavaScript benchmarks based on Benchmark.js","url":null,"keywords":"benchmark benchmark.js speed performance","version":"0.1.2","words":"astrobench library for javascript benchmarks based on benchmark.js =upwards benchmark benchmark.js speed performance","author":"=upwards","date":"2014-08-08 "},{"name":"astrodate","description":"Javascript Date object with Astronomy in mind.","url":null,"keywords":"astrodate date time parse atronomy","version":"0.7.6","words":"astrodate javascript date object with astronomy in mind. =xotic750 astrodate date time parse atronomy","author":"=xotic750","date":"2014-01-11 "},{"name":"astroid-sdk","description":"Software development kit for the astroid framework.","url":null,"keywords":"astroid sdk","version":"0.1.0","words":"astroid-sdk software development kit for the astroid framework. =sgerace astroid sdk","author":"=sgerace","date":"2014-05-08 "},{"name":"astrojs","description":"Generate astrojs module templates with testing server, test suite, and documentation","url":null,"keywords":"","version":"0.1.3","words":"astrojs generate astrojs module templates with testing server, test suite, and documentation =akapadia","author":"=akapadia","date":"2013-07-22 "},{"name":"astrolabe","description":"Page objects for protractor","url":null,"keywords":"angular angularjs protractor karma e2e test testing webdriver webdriverjs selenium","version":"0.3.5","words":"astrolabe page objects for protractor =stuplum angular angularjs protractor karma e2e test testing webdriver webdriverjs selenium","author":"=stuplum","date":"2014-08-26 "},{"name":"astrolin","description":"astro-let's do open links / source","url":null,"keywords":"astrology aslrolet opensource resource","version":"0.0.11","words":"astrolin astro-let's do open links / source =orlin astrology aslrolet opensource resource","author":"=orlin","date":"2013-02-03 "},{"name":"astronaut","description":"A library for transforming Esprima/SpiderMonkey ASTs.","url":null,"keywords":"ast abstract syntax tree astronaut esprima spidermonkey","version":"0.1.4","words":"astronaut a library for transforming esprima/spidermonkey asts. =giokincade ast abstract syntax tree astronaut esprima spidermonkey","author":"=giokincade","date":"2014-05-09 "},{"name":"astropi","description":"astrolin ux distro for the raspberry pi","url":null,"keywords":"astrology cli install rpi raspberry pi","version":"0.0.0-2","words":"astropi astrolin ux distro for the raspberry pi =orlin astrology cli install rpi raspberry pi","author":"=orlin","date":"2013-01-04 "},{"name":"astuart-tc","keywords":"","version":[],"words":"astuart-tc","author":"","date":"2014-07-19 "},{"name":"astute","keywords":"","version":[],"words":"astute","author":"","date":"2014-04-05 "},{"name":"astw","description":"walk the ast with references to parent nodes","url":null,"keywords":"ast walk source esprima","version":"1.2.0","words":"astw walk the ast with references to parent nodes =substack ast walk source esprima","author":"=substack","date":"2014-03-20 "},{"name":"astw-opts","description":"walk the ast with references to parent nodes (with added support for esprima parse opts)","url":null,"keywords":"ast walk source esprima","version":"0.0.1","words":"astw-opts walk the ast with references to parent nodes (with added support for esprima parse opts) =mattfieldy ast walk source esprima","author":"=mattfieldy","date":"2014-01-14 "},{"name":"asunder","description":"A small library useful for splitting apart callbacks by their arguments.","url":null,"keywords":"callback callbacks functions functional callback hell arguments","version":"0.1.0","words":"asunder a small library useful for splitting apart callbacks by their arguments. =mmaelzer callback callbacks functions functional callback hell arguments","author":"=mmaelzer","date":"2014-03-26 "},{"name":"asx-parser","description":"A simple utility to parse ASX (Advanced Stream Redirector) files","url":null,"keywords":"asx asx parser","version":"0.0.1","words":"asx-parser a simple utility to parse asx (advanced stream redirector) files =sumitchawla asx asx parser","author":"=sumitchawla","date":"2014-07-16 "},{"name":"asy","description":"asy now prepare","url":null,"keywords":"async","version":"0.0.1","words":"asy asy now prepare =lightspeedc async","author":"=lightspeedc","date":"2014-02-04 "},{"name":"asyn","description":"Asynchronous for normal people","url":null,"keywords":"util asynchronous server client","version":"0.0.1","words":"asyn asynchronous for normal people =limeblack util asynchronous server client","author":"=limeblack","date":"2011-09-22 "},{"name":"asyn-harvest","description":"An middle way between callbacks hell and promises. Get simpler and cleaner code, optimised for harvesting asynchronous functions that follow a very simple convention","url":null,"keywords":"","version":"0.1.0","words":"asyn-harvest an middle way between callbacks hell and promises. get simpler and cleaner code, optimised for harvesting asynchronous functions that follow a very simple convention =salboaie","author":"=salboaie","date":"2014-01-23 "},{"name":"async","description":"Higher-order functions and common patterns for asynchronous code","url":null,"keywords":"","version":"0.9.0","words":"async higher-order functions and common patterns for asynchronous code =caolan","author":"=caolan","date":"2014-08-21 "},{"name":"async-array","description":"A sane control flow library","url":null,"keywords":"control flow async array","version":"0.2.0","words":"async-array a sane control flow library =tim-smart control flow async array","author":"=tim-smart","date":"2013-03-25 "},{"name":"async-arrays","description":"Async control for arrays","url":null,"keywords":"array async","version":"0.2.2","words":"async-arrays async control for arrays =khrome array async","author":"=khrome","date":"2014-06-14 "},{"name":"async-asset","description":"async loading of stylesheet and javascript files","url":null,"keywords":"async asset loading require css stylesheet javascript loader inject","version":"0.0.4","words":"async-asset async loading of stylesheet and javascript files =v1 async asset loading require css stylesheet javascript loader inject","author":"=V1","date":"2014-08-06 "},{"name":"async-autotarget","description":"Take an object of named functions (like for an async auto workflow, why else) and return an object containing only a specific subtree","url":null,"keywords":"async","version":"0.0.1","words":"async-autotarget take an object of named functions (like for an async auto workflow, why else) and return an object containing only a specific subtree =rchiniquy async","author":"=rchiniquy","date":"2014-01-31 "},{"name":"async-await","description":"async await library depends on aa and co","url":null,"keywords":"","version":"0.0.1","words":"async-await async await library depends on aa and co =lightspeedc","author":"=lightspeedc","date":"2014-04-01 "},{"name":"async-benchmark","description":"Thin wrapper around benchmark.js to run asyncronous benchmarks (because I always forget the API)","url":null,"keywords":"benchmark","version":"1.0.1","words":"async-benchmark thin wrapper around benchmark.js to run asyncronous benchmarks (because i always forget the api) =kesla benchmark","author":"=kesla","date":"2014-07-25 "},{"name":"async-bfs","description":"Flexible functional async breadth first search","url":null,"keywords":"async graph node bfs breadth first search vertex edge function functional","version":"0.1.9","words":"async-bfs flexible functional async breadth first search =spion async graph node bfs breadth first search vertex edge function functional","author":"=spion","date":"2013-07-01 "},{"name":"async-bluebird","description":"Async implemented with bluebird promises","url":null,"keywords":"async q bluebird","version":"0.0.1","words":"async-bluebird async implemented with bluebird promises =jc888 async q bluebird","author":"=jc888","date":"2014-09-02 "},{"name":"async-branch","description":"Wrap async library to describe your flow through branches","url":null,"keywords":"","version":"0.1.1","words":"async-branch wrap async library to describe your flow through branches =allevo","author":"=allevo","date":"2014-05-23 "},{"name":"async-buffer-reader","description":"Asynchronous buffer data reader","url":null,"keywords":"buffer async reader","version":"1.0.2","words":"async-buffer-reader asynchronous buffer data reader =serges buffer async reader","author":"=serges","date":"2013-10-08 "},{"name":"async-builder","description":"This is a wrapper to the popular async module. It addes the then/add or push method to build task, complete the task with run method","url":null,"keywords":"async promises then add push","version":"0.0.2","words":"async-builder this is a wrapper to the popular async module. it addes the then/add or push method to build task, complete the task with run method =beastjavascript async promises then add push","author":"=beastjavascript","date":"2014-05-17 "},{"name":"async-cache","description":"Cache your async lookups and don't fetch the same thing more than necessary.","url":null,"keywords":"async cache lru","version":"0.1.5","words":"async-cache cache your async lookups and don't fetch the same thing more than necessary. =isaacs async cache lru","author":"=isaacs","date":"2014-03-17 "},{"name":"async-cancelable-events","description":"Asynchronous cancelable (or not) EventEmitter-like object","url":null,"keywords":"async cancelable events","version":"0.0.6","words":"async-cancelable-events asynchronous cancelable (or not) eventemitter-like object =dfellis async cancelable events","author":"=dfellis","date":"2013-07-07 "},{"name":"async-catch","description":"Handle errors and synchronous exceptions in async tests","url":null,"keywords":"testing error-handling","version":"0.0.1","words":"async-catch handle errors and synchronous exceptions in async tests =benbuckman testing error-handling","author":"=benbuckman","date":"2014-06-11 "},{"name":"async-chain","description":"","url":null,"keywords":"","version":"0.3.0","words":"async-chain =dominictarr","author":"=dominictarr","date":"2011-06-30 "},{"name":"async-chainable","keywords":"","version":[],"words":"async-chainable","author":"","date":"2013-09-24 "},{"name":"async-chained","description":"A chainable API for Async.js","url":null,"keywords":"async chainable flow","version":"0.1.0","words":"async-chained a chainable api for async.js =jupiter async chainable flow","author":"=jupiter","date":"2014-06-21 "},{"name":"async-chains","description":"Asynchronous callback chains with support for caolan's async module","url":null,"keywords":"async chain flow control callback emit EventEmitter","version":"0.0.0","words":"async-chains asynchronous callback chains with support for caolan's async module =jasonpincin async chain flow control callback emit eventemitter","author":"=jasonpincin","date":"2013-07-03 "},{"name":"async-channel","description":"asynchronous channel","url":null,"keywords":"","version":"0.0.0","words":"async-channel asynchronous channel =jgoetz","author":"=jgoetz","date":"2014-05-10 "},{"name":"async-compose","description":"Compose a series of async functions together to manipulate an object.","url":null,"keywords":"","version":"0.0.1","words":"async-compose compose a series of async functions together to manipulate an object. =timoxley","author":"=timoxley","date":"2013-12-03 "},{"name":"async-config","description":"This module provides a simple asynchronous API for loading environment-specific config files.","url":null,"keywords":"router express metadata server http","version":"1.0.1","words":"async-config this module provides a simple asynchronous api for loading environment-specific config files. =pnidem router express metadata server http","author":"=pnidem","date":"2014-08-13 "},{"name":"async-daisychain","description":"Easily create and manage daisychains of async queues.","url":null,"keywords":"async chain queue queuing SEDA","version":"0.1.1","words":"async-daisychain easily create and manage daisychains of async queues. =coreyjewett async chain queue queuing seda","author":"=coreyjewett","date":"2012-11-16 "},{"name":"async-debounce","description":"Debounce asynchronous functions","url":null,"keywords":"debounce async","version":"0.0.0","words":"async-debounce debounce asynchronous functions =juliangruber debounce async","author":"=juliangruber","date":"2013-12-11 "},{"name":"async-deep-trim","description":"asynchronous recursive module to trim Strings in large arrays","url":null,"keywords":"trim async string","version":"0.0.1","words":"async-deep-trim asynchronous recursive module to trim strings in large arrays =nickpoorman trim async string","author":"=nickpoorman","date":"2013-02-28 "},{"name":"async-deferred","description":"Async Deferred","url":null,"keywords":"async deferred","version":"0.0.1","words":"async-deferred async deferred =edwonlim async deferred","author":"=edwonlim","date":"2014-09-18 "},{"name":"async-dnsjack","description":"A simple DNS proxy that lets you intercept domains and route them to whatever IP you decide","url":null,"keywords":"dns proxy intercept debug","version":"0.1.0","words":"async-dnsjack a simple dns proxy that lets you intercept domains and route them to whatever ip you decide =jeansebtr dns proxy intercept debug","author":"=JeanSebTr","date":"2012-12-04 "},{"name":"async-done","description":"Handles completion and errors for callbacks, promises, observables and streams.","url":null,"keywords":"","version":"0.4.0","words":"async-done handles completion and errors for callbacks, promises, observables and streams. =phated","author":"=phated","date":"2014-08-23 "},{"name":"async-each","description":"No-bullshit, ultra-simple, 35-lines-of-code async parallel forEach function for JavaScript.","url":null,"keywords":"async forEach each","version":"0.1.4","words":"async-each no-bullshit, ultra-simple, 35-lines-of-code async parallel foreach function for javascript. =paulmillr async foreach each","author":"=paulmillr","date":"2013-11-12 "},{"name":"async-each-object","description":"Async foreach for object","url":null,"keywords":"async foreach each object","version":"0.0.2","words":"async-each-object async foreach for object =radist2s async foreach each object","author":"=radist2s","date":"2014-06-19 "},{"name":"async-each-series","description":"Apply an async function to each Array element in series.","url":null,"keywords":"async asyncEachSeries eachSeries each asyncEach","version":"0.1.0","words":"async-each-series apply an async function to each array element in series. =jb55 async asynceachseries eachseries each asynceach","author":"=jb55","date":"2014-04-30 "},{"name":"async-ejs","description":"ejs with the ability to add asynchronous functions","url":null,"keywords":"","version":"0.1.6","words":"async-ejs ejs with the ability to add asynchronous functions =ianjorgensen =mafintosh","author":"=ianjorgensen =mafintosh","date":"2011-08-31 "},{"name":"async-emit","description":"Emits an event on an EventEmitter where the listener may include a callback function","url":null,"keywords":"EventEmitter emit async","version":"1.0.1","words":"async-emit emits an event on an eventemitter where the listener may include a callback function =tootallnate eventemitter emit async","author":"=tootallnate","date":"2013-02-25 "},{"name":"async-emitter","description":"Non-blocking event emitter","url":null,"keywords":"async asynchronous event emitter","version":"1.5.2","words":"async-emitter non-blocking event emitter =jhermsmeier async asynchronous event emitter","author":"=jhermsmeier","date":"2014-05-20 "},{"name":"async-err","description":"An easy way to make an error in Node.js async, when it would sync otherwise.","url":null,"keywords":"error err async","version":"0.0.3","words":"async-err an easy way to make an error in node.js async, when it would sync otherwise. =stdarg error err async","author":"=stdarg","date":"2014-02-20 "},{"name":"async-eval","description":"Execute arbitrary JS with callbacks","url":null,"keywords":"","version":"0.1.5","words":"async-eval execute arbitrary js with callbacks =dallonf","author":"=dallonf","date":"2012-11-05 "},{"name":"async-eventemitter","description":"Just like EventEmitter, but with support for callbacks and interuption of the listener-chain","url":null,"keywords":"event async eventemitter callback","version":"0.2.2","words":"async-eventemitter just like eventemitter, but with support for callbacks and interuption of the listener-chain =ahultgren event async eventemitter callback","author":"=ahultgren","date":"2014-06-14 "},{"name":"async-events","description":"An asynchronous Node.js event emitter implementation.","url":null,"keywords":"","version":"0.2.0","words":"async-events an asynchronous node.js event emitter implementation. =tristanls","author":"=tristanls","date":"2012-01-06 "},{"name":"async-ext","description":"Extensions to the Node.js async library","url":null,"keywords":"","version":"0.3.0","words":"async-ext extensions to the node.js async library =jonahkagan =christopher-bradshaw","author":"=jonahkagan =christopher-bradshaw","date":"2014-07-02 "},{"name":"async-extend-defaults","description":"Async deep extend and defaults functions","url":null,"keywords":"async extend defaults object","version":"0.0.1","words":"async-extend-defaults async deep extend and defaults functions =radist2s async extend defaults object","author":"=radist2s","date":"2014-06-20 "},{"name":"async-flow","description":"> Async Flow provides control flow for asynchronous methods.","url":null,"keywords":"async flow","version":"0.3.0","words":"async-flow > async flow provides control flow for asynchronous methods. =ww24 async flow","author":"=ww24","date":"2013-03-30 "},{"name":"async-foreach","description":"An optionally-asynchronous forEach with an interesting interface.","url":null,"keywords":"array loop sync async foreach","version":"0.1.3","words":"async-foreach an optionally-asynchronous foreach with an interesting interface. =cowboy array loop sync async foreach","author":"=cowboy","date":"2013-04-29 "},{"name":"async-forkqueue","description":"a queue that runs workers asynchronously in child processes","url":null,"keywords":"","version":"0.1.4","words":"async-forkqueue a queue that runs workers asynchronously in child processes =azylman","author":"=azylman","date":"2013-09-13 "},{"name":"async-form","description":"XHR forms w/ iFrame fallback.","url":null,"keywords":"","version":"0.2.2","words":"async-form xhr forms w/ iframe fallback. =drk","author":"=drk","date":"2013-10-24 "},{"name":"async-forms","description":"Provides a interface for quickly making and validating forms in node.","url":null,"keywords":"","version":"0.0.1","words":"async-forms provides a interface for quickly making and validating forms in node. =crypticswarm","author":"=crypticswarm","date":"2012-02-11 "},{"name":"async-forward","description":"forward methods to asynchronously acquired objects","url":null,"keywords":"forward proxy delegate","version":"1.0.0","words":"async-forward forward methods to asynchronously acquired objects =grncdr forward proxy delegate","author":"=grncdr","date":"2014-04-22 "},{"name":"async-fs","description":"Asynchronous file system utility library for nodeJS","url":null,"keywords":"","version":"0.0.6","words":"async-fs asynchronous file system utility library for nodejs =glesperance","author":"=glesperance","date":"2014-03-17 "},{"name":"async-functions","description":"A simple, clean way of calling functions asynchronously","url":null,"keywords":"","version":"0.0.2","words":"async-functions a simple, clean way of calling functions asynchronously =k","author":"=k","date":"2012-06-27 "},{"name":"async-future","description":"A powerful and yet simple futures library for javascript in node.js and in-browser.","url":null,"keywords":"future promise deferred async parallel thread concurrency","version":"1.0.3","words":"async-future a powerful and yet simple futures library for javascript in node.js and in-browser. =fresheneesz future promise deferred async parallel thread concurrency","author":"=fresheneesz","date":"2014-08-27 "},{"name":"async-glob-event","keywords":"","version":[],"words":"async-glob-event","author":"","date":"2014-05-15 "},{"name":"async-glob-events","description":"Event emitter with glob support on event names and asynchronous listeners","url":null,"keywords":"event emitter glob listener async return values","version":"1.0.0","words":"async-glob-events event emitter with glob support on event names and asynchronous listeners =mantoni event emitter glob listener async return values","author":"=mantoni","date":"2014-09-20 "},{"name":"async-harmony","description":"Asynchronous Harmony","url":null,"keywords":"async harmony asynchronous sequential parallel","version":"1.0.1","words":"async-harmony asynchronous harmony =simov async harmony asynchronous sequential parallel","author":"=simov","date":"2014-09-17 "},{"name":"async-helmet","description":"Simple exception wrapper for async tasks","url":null,"keywords":"exception error async wrapper","version":"0.1.0","words":"async-helmet simple exception wrapper for async tasks =jessejlt exception error async wrapper","author":"=jessejlt","date":"2013-04-07 "},{"name":"async-hook","description":"Hook intro async methods","url":null,"keywords":"async hook monkey patch callback event","version":"0.3.0","words":"async-hook hook intro async methods =andreasmadsen async hook monkey patch callback event","author":"=andreasmadsen","date":"2012-10-06 "},{"name":"async-if","description":"simplest way to assign delayed tasks and repetitive tasks","url":null,"keywords":"async if conditional flow","version":"0.1.0","words":"async-if simplest way to assign delayed tasks and repetitive tasks =inspired_jw async if conditional flow","author":"=inspired_jw","date":"2012-11-20 "},{"name":"async-injector","description":"Dependency Injection library","url":null,"keywords":"async-injector di dependency injection service container ioc inversion of control injection component","version":"0.3.2","words":"async-injector dependency injection library =cybwn async-injector di dependency injection service container ioc inversion of control injection component","author":"=cybwn","date":"2014-05-31 "},{"name":"async-it","description":"Generic asynchronous iterators for node.js.","url":null,"keywords":"","version":"0.4.0","words":"async-it generic asynchronous iterators for node.js. =tobie","author":"=tobie","date":"2014-09-08 "},{"name":"async-iterator","description":"A Standard API for LevelDOWN style Iterator.","url":null,"keywords":"","version":"1.1.0","words":"async-iterator a standard api for leveldown style iterator. =dominictarr","author":"=dominictarr","date":"2013-03-06 "},{"name":"async-iterators","description":"utility functions for async iterators","url":null,"keywords":"","version":"0.2.2","words":"async-iterators utility functions for async iterators =mirkok","author":"=mirkok","date":"2013-09-03 "},{"name":"async-js","description":"Slightly Deferent JavaScript loader and dependency manager","url":null,"keywords":"","version":"0.7.7","words":"async-js slightly deferent javascript loader and dependency manager =th507","author":"=th507","date":"2014-05-19 "},{"name":"async-json","description":"An asynchronous version of JSON.stringify","url":null,"keywords":"json stringify async","version":"0.0.2","words":"async-json an asynchronous version of json.stringify =ckknight json stringify async","author":"=ckknight","date":"2011-04-16 "},{"name":"async-kit","description":"A simple and powerful async abstraction lib for easily writing Node.js code.","url":null,"keywords":"async asynchronous flow jobs series parallel conditionnal if then else catch finally waterfall race foreach map reduce while loop callback retry events scheduler progress csk easy","version":"0.4.12","words":"async-kit a simple and powerful async abstraction lib for easily writing node.js code. =cronvel async asynchronous flow jobs series parallel conditionnal if then else catch finally waterfall race foreach map reduce while loop callback retry events scheduler progress csk easy","author":"=cronvel","date":"2014-09-15 "},{"name":"async-leahcimic","keywords":"","version":[],"words":"async-leahcimic","author":"","date":"2013-02-13 "},{"name":"async-limit","description":"async-limit =================","url":null,"keywords":"","version":"0.1.0","words":"async-limit async-limit ================= =scivey","author":"=scivey","date":"2014-09-16 "},{"name":"async-listener","description":"Polyfill exporting trevnorris's 0.11+ asyncListener API.","url":null,"keywords":"polyfill shim zesty crazed experimental","version":"0.4.7","words":"async-listener polyfill exporting trevnorris's 0.11+ asynclistener api. =othiym23 polyfill shim zesty crazed experimental","author":"=othiym23","date":"2014-07-28 "},{"name":"async-logging","description":"0.1.6 is the same as 0.2.2 just to get around ebay-logging-client vs. async-logging-client change","url":null,"keywords":"","version":"0.3.0","words":"async-logging 0.1.6 is the same as 0.2.2 just to get around ebay-logging-client vs. async-logging-client change =inexplicable =huzhou =dimichgh =benmama =skoranga =rragan","author":"=inexplicable =huzhou =dimichgh =benmama =skoranga =rragan","date":"2014-09-03 "},{"name":"async-loop","description":"AsyncLoop: simple async loop function =====================================","url":null,"keywords":"","version":"1.0.0","words":"async-loop asyncloop: simple async loop function ===================================== =vincentcr","author":"=vincentcr","date":"2012-11-29 "},{"name":"async-lru-cache","description":"Another async version of LRU-cache where the load occurs in the original function.","url":null,"keywords":"","version":"0.2.1","words":"async-lru-cache another async version of lru-cache where the load occurs in the original function. =joostdevries","author":"=joostdevries","date":"2012-11-25 "},{"name":"async-ls","description":"Higher order functions, compositions and common operations for asynchronous programming in LiveScript using Promises or callbacks.","url":null,"keywords":"async parallel monad promise","version":"0.0.3","words":"async-ls higher order functions, compositions and common operations for asynchronous programming in livescript using promises or callbacks. =homam async parallel monad promise","author":"=homam","date":"2014-08-17 "},{"name":"async-memo","description":"Call a function at most once and remember the result. Args are not supported","url":null,"keywords":"async memoize","version":"0.0.1","words":"async-memo call a function at most once and remember the result. args are not supported =eldar async memoize","author":"=eldar","date":"2013-06-08 "},{"name":"async-memoize","url":null,"keywords":"","version":"0.1.1","words":"async-memoize =tellnes","author":"=tellnes","date":"2012-08-04 "},{"name":"async-memoizer","description":"A memoizer for asynchronous methods obeying node.js conventions (last argument is always a callback).","url":null,"keywords":"","version":"0.4.0","words":"async-memoizer a memoizer for asynchronous methods obeying node.js conventions (last argument is always a callback). =tobie","author":"=tobie","date":"prehistoric"},{"name":"async-mini","description":"Common patterns for asynchronous code, minimalistic version","url":null,"keywords":"asynchronous control flow","version":"0.2.0","words":"async-mini common patterns for asynchronous code, minimalistic version =ypocat asynchronous control flow","author":"=ypocat","date":"2013-05-20 "},{"name":"async-minihelper","description":"A lightweight helper for async callbacks","url":null,"keywords":"async control flow callback","version":"1.0.0","words":"async-minihelper a lightweight helper for async callbacks =robertkowalski async control flow callback","author":"=robertkowalski","date":"2012-09-08 "},{"name":"async-mixin","description":"caolin/async's collection methods as a mixin.","url":null,"keywords":"","version":"0.0.1","words":"async-mixin caolin/async's collection methods as a mixin. =timoxley","author":"=timoxley","date":"2013-10-19 "},{"name":"async-mustache","description":"Asyncronous view functions","url":null,"keywords":"","version":"0.1.0","words":"async-mustache asyncronous view functions =pjfh","author":"=pjfh","date":"2014-08-31 "},{"name":"async-now","description":"A simple async library. Easy to scale up.e","url":null,"keywords":"","version":"0.0.23","words":"async-now a simple async library. easy to scale up.e =chapinkapa","author":"=chapinkapa","date":"2013-08-28 "},{"name":"async-objects","description":"Async control for objects","url":null,"keywords":"object async","version":"0.0.6-beta","words":"async-objects async control for objects =khrome object async","author":"=khrome","date":"2014-06-27 "},{"name":"async-profile","description":"Node.js async CPU profiler","url":null,"keywords":"","version":"0.3.1","words":"async-profile node.js async cpu profiler =cirwin","author":"=cirwin","date":"2014-09-19 "},{"name":"async-progress","description":"Progess reporting for async module functions","url":null,"keywords":"async progress progress bar cli browser multimeter","version":"0.1.0","words":"async-progress progess reporting for async module functions =bermi async progress progress bar cli browser multimeter","author":"=bermi","date":"2014-05-22 "},{"name":"async-protocol","description":"An async, call-return-throw oriented protocol","url":null,"keywords":"protocol async","version":"0.2.8","words":"async-protocol an async, call-return-throw oriented protocol =sitegui protocol async","author":"=sitegui","date":"2014-03-09 "},{"name":"async-protocol-web","description":"An async, call-return-throw oriented protocol","url":null,"keywords":"protocol async browser","version":"0.2.0","words":"async-protocol-web an async, call-return-throw oriented protocol =sitegui protocol async browser","author":"=sitegui","date":"2014-01-16 "},{"name":"async-q","description":"Port of async.js to Q","url":null,"keywords":"async Q q-async series parallel queue","version":"0.2.2","words":"async-q port of async.js to q =dbushong async q q-async series parallel queue","author":"=dbushong","date":"2014-05-15 "},{"name":"async-queue","description":"simple FIFO queue to execute async functions linear.","url":null,"keywords":"queue async flow","version":"0.1.0","words":"async-queue simple fifo queue to execute async functions linear. =martinj queue async flow","author":"=martinj","date":"2012-04-19 "},{"name":"async-queue-helper","description":"Extremely simple wrapper for async's .series and .parallel, because I got annoyed having to write var queue = [] everywhere..","url":null,"keywords":"async queue wrapper simple","version":"0.1.4","words":"async-queue-helper extremely simple wrapper for async's .series and .parallel, because i got annoyed having to write var queue = [] everywhere.. =fabdrol async queue wrapper simple","author":"=fabdrol","date":"2014-03-31 "},{"name":"async-queue-improved","description":"Improved queue based `async` package","url":null,"keywords":"","version":"0.0.2","words":"async-queue-improved improved queue based `async` package =octave","author":"=octave","date":"2014-09-19 "},{"name":"async-queue-stream","description":"Stream using async.queue under the hood.","url":null,"keywords":"stream streams user-streams pipe async queue","version":"0.1.3","words":"async-queue-stream stream using async.queue under the hood. =dashed stream streams user-streams pipe async queue","author":"=dashed","date":"2014-01-12 "},{"name":"async-read-lines","description":"Library for asynchronous line-by-line reading from big text files.","url":null,"keywords":"line read fs","version":"0.0.3","words":"async-read-lines library for asynchronous line-by-line reading from big text files. =alex_at_net line read fs","author":"=alex_at_net","date":"2014-06-06 "},{"name":"async-reduce","description":"`reduce` function for async reductions on arrays.","url":null,"keywords":"reduce async array parallel","version":"0.0.1","words":"async-reduce `reduce` function for async reductions on arrays. =eldar reduce async array parallel","author":"=eldar","date":"2013-07-03 "},{"name":"async-replace","description":"Run replace on a string and update it asynchronous","url":null,"keywords":"string async replace","version":"1.0.0","words":"async-replace run replace on a string and update it asynchronous =kesla string async replace","author":"=kesla","date":"2014-06-02 "},{"name":"async-require","keywords":"","version":[],"words":"async-require","author":"","date":"2014-08-27 "},{"name":"async-resolve","description":"An asynchronous and configurable implementation of require.resolve(), like node-resolve or enhanced-resolve.","url":null,"keywords":"resolve require node module filepath search","version":"0.3.1","words":"async-resolve an asynchronous and configurable implementation of require.resolve(), like node-resolve or enhanced-resolve. =meettya resolve require node module filepath search","author":"=meettya","date":"2014-04-03 "},{"name":"async-resource","description":"gives you a simple interface for initializing async resources. send it an init function and it will return a function that calls back with your initialized resource.","url":null,"keywords":"","version":"0.0.8","words":"async-resource gives you a simple interface for initializing async resources. send it an init function and it will return a function that calls back with your initialized resource. =dmcaulay","author":"=dmcaulay","date":"2014-05-02 "},{"name":"async-rollback","description":"A plugin for caolan's async module that add support to rollback successful async operations on failure.","url":null,"keywords":"async rollback undo integrity","version":"0.0.1","words":"async-rollback a plugin for caolan's async module that add support to rollback successful async operations on failure. =rossj async rollback undo integrity","author":"=rossj","date":"2013-05-01 "},{"name":"async-rtree","description":"an async rtree suitable for use with leveldb","url":null,"keywords":"rtree async geospatial","version":"0.5.0","words":"async-rtree an async rtree suitable for use with leveldb =cwmma rtree async geospatial","author":"=cwmma","date":"2014-09-05 "},{"name":"async-seq","description":"Original async, plus with two handy shortcuts: seq, iseq","url":null,"keywords":"","version":"0.2.9","words":"async-seq original async, plus with two handy shortcuts: seq, iseq =ognivo","author":"=ognivo","date":"2013-11-22 "},{"name":"async-series","description":"Run a series of callbacks in sequence.","url":null,"keywords":"async series callbacks flow control","version":"0.0.1","words":"async-series run a series of callbacks in sequence. =hughsk async series callbacks flow control","author":"=hughsk","date":"2013-03-20 "},{"name":"async-session","description":"Creates global session object, storing across asynchronous calls","url":null,"keywords":"","version":"0.1.1","words":"async-session creates global session object, storing across asynchronous calls =abramov","author":"=abramov","date":"2014-04-09 "},{"name":"async-settle","description":"Settle your async functions - when you need to know all your parallel functions are complete (success or failure)","url":null,"keywords":"settle async async-done complete error parallel","version":"0.2.1","words":"async-settle settle your async functions - when you need to know all your parallel functions are complete (success or failure) =phated settle async async-done complete error parallel","author":"=phated","date":"2014-08-23 "},{"name":"async-simple","description":"A simple async library. Easy to scale up. Incorporated with mongoose","url":null,"keywords":"","version":"0.0.2","words":"async-simple a simple async library. easy to scale up. incorporated with mongoose =chapinkapa","author":"=chapinkapa","date":"2013-08-26 "},{"name":"async-some","description":"short-circuited, asynchronous version of Array.protototype.some","url":null,"keywords":"async some array collections fp","version":"1.0.1","words":"async-some short-circuited, asynchronous version of array.protototype.some =othiym23 async some array collections fp","author":"=othiym23","date":"2014-06-30 "},{"name":"async-spy","description":"Asynchronous function spying for tests.","url":null,"keywords":"async spy test","version":"0.6.0","words":"async-spy asynchronous function spying for tests. =gyllstromk async spy test","author":"=gyllstromk","date":"2013-08-28 "},{"name":"async-stacktrace","description":"Improves node.js stacktraces and makes it easier to handle errors","url":null,"keywords":"","version":"0.0.2","words":"async-stacktrace improves node.js stacktraces and makes it easier to handle errors =pita","author":"=pita","date":"2012-11-17 "},{"name":"async-storage","description":"A Jetpack module for using IndexedDB, based on the localForage API","url":null,"keywords":"firefox jetpack addon-sdk","version":"0.0.3","words":"async-storage a jetpack module for using indexeddb, based on the localforage api =canuckistani firefox jetpack addon-sdk","author":"=canuckistani","date":"2014-07-08 "},{"name":"async-stream","description":"Give streams support for asyncronous processing.","url":null,"keywords":"stream asynchronous","version":"0.1.0","words":"async-stream give streams support for asyncronous processing. =gabmontes stream asynchronous","author":"=gabmontes","date":"2014-07-01 "},{"name":"async-task","description":"Execute tasks on web Workers without seperate files.","url":null,"keywords":"","version":"0.1.1","words":"async-task execute tasks on web workers without seperate files. =gorillatron","author":"=gorillatron","date":"2014-08-08 "},{"name":"async-task-mgr","description":"A simple nodeJS module for async task manager. Identical tasks will be executed only once and the result will be saved for further use.","url":null,"keywords":"async task manager","version":"1.0.2","words":"async-task-mgr a simple nodejs module for async task manager. identical tasks will be executed only once and the result will be saved for further use. =ottomao async task manager","author":"=ottomao","date":"2014-08-14 "},{"name":"async-tasks","description":"async-tasks let you run tasks asynchronously in a simple and easy way with the ability to make dependencies between them","url":null,"keywords":"tasks task async asynchronous async-tasks async-task wait waiting","version":"1.0.8","words":"async-tasks async-tasks let you run tasks asynchronously in a simple and easy way with the ability to make dependencies between them =asahaf tasks task async asynchronous async-tasks async-task wait waiting","author":"=asahaf","date":"2014-09-18 "},{"name":"async-template","description":"Build templates asynchronously","url":null,"keywords":"async-template async asynchronous template templates templating","version":"0.1.1","words":"async-template build templates asynchronously =robertodling async-template async asynchronous template templates templating","author":"=robertodling","date":"2014-05-08 "},{"name":"async-through","description":"Readable stream that ensures that onend is only called once no ondata items are pending, thus supporting async operations inside ondata.","url":null,"keywords":"async stream transform through end","version":"0.2.2","words":"async-through readable stream that ensures that onend is only called once no ondata items are pending, thus supporting async operations inside ondata. =thlorenz async stream transform through end","author":"=thlorenz","date":"2013-08-18 "},{"name":"async-time","description":"Time async functions using async-done for execution and completion. ","url":null,"keywords":"async done time streams promises callbacks continuations","version":"0.0.1","words":"async-time time async functions using async-done for execution and completion. =phated async done time streams promises callbacks continuations","author":"=phated","date":"2014-06-22 "},{"name":"async-try","description":"async-try, helper module to debug asyncronous code.","url":null,"keywords":"","version":"0.1.5","words":"async-try async-try, helper module to debug asyncronous code. =dayoadeyemi","author":"=dayoadeyemi","date":"2014-06-02 "},{"name":"async-unit","description":"A minimal asynchronous test framework for Node.JS / Ender","url":null,"keywords":"","version":"1.0.0","words":"async-unit a minimal asynchronous test framework for node.js / ender =coolaj86","author":"=coolaj86","date":"2011-11-09 "},{"name":"async-unzip","description":"Efficient, fast, asynchronous, in-memory unzip module for Node.js.","url":null,"keywords":"","version":"0.1.2","words":"async-unzip efficient, fast, asynchronous, in-memory unzip module for node.js. =cubrid","author":"=cubrid","date":"2014-08-28 "},{"name":"async-util","description":"JavaScript async utilities library","url":null,"keywords":"async","version":"0.2.0","words":"async-util javascript async utilities library =onirame =enricomarino async","author":"=onirame =enricomarino","date":"2013-07-24 "},{"name":"async-validate","description":"Asynchronous validation for object properties.","url":null,"keywords":"validation validate valid object","version":"0.1.20","words":"async-validate asynchronous validation for object properties. =muji validation validate valid object","author":"=muji","date":"2014-09-05 "},{"name":"async-waitfor","description":"Wait for something to happen and then do it.","url":null,"keywords":"","version":"0.0.2","words":"async-waitfor wait for something to happen and then do it. =daxxog","author":"=daxxog","date":"2013-03-26 "},{"name":"async-walker","description":"Async, recursive directory walker with helpers","url":null,"keywords":"async file filesystem directory walker recursive promise","version":"0.0.4","words":"async-walker async, recursive directory walker with helpers =bfricka async file filesystem directory walker recursive promise","author":"=bfricka","date":"2014-03-10 "},{"name":"async-waterfall","description":"Runs a list of async tasks, passing the results of each into the next one","url":null,"keywords":"async waterfall tasks control flow","version":"0.1.5","words":"async-waterfall runs a list of async tasks, passing the results of each into the next one =es128 async waterfall tasks control flow","author":"=es128","date":"2013-09-23 "},{"name":"async-writer","description":"The async-writer module makes it possible to asynchronously write data to an output stream while still flushing out bytes in the correct order","url":null,"keywords":"","version":"1.1.0","words":"async-writer the async-writer module makes it possible to asynchronously write data to an output stream while still flushing out bytes in the correct order =pnidem","author":"=pnidem","date":"2014-09-19 "},{"name":"async-you","description":"Learn async via a set of self-guided workshops.","url":null,"keywords":"","version":"0.0.12","words":"async-you learn async via a set of self-guided workshops. =bulkan","author":"=bulkan","date":"2014-08-07 "},{"name":"async.coffee","description":"Coffee DSL for Async","url":null,"keywords":"async coffee script coffee","version":"0.0.1","words":"async.coffee coffee dsl for async =radagaisus async coffee script coffee","author":"=radagaisus","date":"2012-06-27 "},{"name":"async2","description":"Better async utilities for node and the browser","url":null,"keywords":"async asynchronous flow control library node.js node javascript better minimalist improved alternative","version":"0.1.7","words":"async2 better async utilities for node and the browser =mikesmullin async asynchronous flow control library node.js node javascript better minimalist improved alternative","author":"=mikesmullin","date":"2013-01-12 "},{"name":"async_bench","description":"The benchmark framework designed for node.js callbacks.","url":null,"keywords":"benchmark bench performance async","version":"0.3.0","words":"async_bench the benchmark framework designed for node.js callbacks. =matteo.collina benchmark bench performance async","author":"=matteo.collina","date":"2013-12-10 "},{"name":"async_future.coffee","description":"An asynchronous future class, written in CoffeeScript.","url":null,"keywords":"","version":"0.1.1","words":"async_future.coffee an asynchronous future class, written in coffeescript. =kevingoslar","author":"=kevingoslar","date":"2012-09-17 "},{"name":"async_job","description":"resque knock off written for redis and node.js","url":null,"keywords":"background jobs","version":"0.0.6","words":"async_job resque knock off written for redis and node.js =ussballantyne background jobs","author":"=ussballantyne","date":"2014-08-14 "},{"name":"async_testing","description":"A simple Node testing library.","url":null,"keywords":"","version":"0.3.2","words":"async_testing a simple node testing library. =bentomas","author":"=bentomas","date":"prehistoric"},{"name":"asyncache","description":"Transparently cache your asynchronous get functions.","url":null,"keywords":"async cache async-cache","version":"0.1.0","words":"asyncache transparently cache your asynchronous get functions. =alessioalex async cache async-cache","author":"=alessioalex","date":"2014-07-21 "},{"name":"asyncall","description":"asyncall.js - Asynchronous function call on Node or browser","url":null,"keywords":"","version":"0.2.1","words":"asyncall asyncall.js - asynchronous function call on node or browser =kumatch","author":"=kumatch","date":"2012-10-02 "},{"name":"asyncarray","keywords":"","version":[],"words":"asyncarray","author":"","date":"2012-06-28 "},{"name":"asyncawait","description":"async/await for node.js","url":null,"keywords":"async await blocking callback control flow fiber yield generator coroutine typescript coffeescript","version":"0.7.2","words":"asyncawait async/await for node.js =yortus async await blocking callback control flow fiber yield generator coroutine typescript coffeescript","author":"=yortus","date":"2014-06-17 "},{"name":"asyncblock","description":"A simple and powerful abstraction of node-fibers","url":null,"keywords":"fiber fibers coroutine stop go green red","version":"2.1.21","words":"asyncblock a simple and powerful abstraction of node-fibers =scriby fiber fibers coroutine stop go green red","author":"=scriby","date":"2014-06-29 "},{"name":"asyncBuilder","description":"handle async dependency loading","url":null,"keywords":"asyncBuilder","version":"1.1.9","words":"asyncbuilder handle async dependency loading =azulus =eford asyncbuilder","author":"=azulus =eford","date":"2013-02-17 "},{"name":"asynccallguard","description":"Make all calls to a function queued and asynchronously guarded","url":null,"keywords":"function fp async","version":"0.0.2","words":"asynccallguard make all calls to a function queued and asynchronously guarded =fgribreau function fp async","author":"=fgribreau","date":"2013-04-13 "},{"name":"asyncEJS","url":null,"keywords":"","version":"0.3.0","words":"asyncejs =sasadjolic","author":"=sasadjolic","date":"2011-06-15 "},{"name":"asyncevents","description":"Extension to EventEmitter to facilitate asynchronous firing of events, and asynchronous handling of those events.","url":null,"keywords":"async events eventemitter async events","version":"0.1.0","words":"asyncevents extension to eventemitter to facilitate asynchronous firing of events, and asynchronous handling of those events. =samcday async,events,eventemitter,async events","author":"=samcday","date":"2011-02-07 "},{"name":"asyncflow","description":"asyncflow is an expressive, capable and easy to use async flow library based on node-fibers.","url":null,"keywords":"async flow concurrency limit parallel waterfall series","version":"0.2.1","words":"asyncflow asyncflow is an expressive, capable and easy to use async flow library based on node-fibers. =sethyuan async flow concurrency limit parallel waterfall series","author":"=sethyuan","date":"2014-03-15 "},{"name":"asyncgo","description":"Provides a wrapper method for easily integrating asynchronous callbacks with Async.js.","url":null,"keywords":"","version":"0.0.4","words":"asyncgo provides a wrapper method for easily integrating asynchronous callbacks with async.js. =travist","author":"=travist","date":"2013-09-02 "},{"name":"asynch","description":"Promise-like syntax with explicit callbacks for async","url":null,"keywords":"async promise","version":"0.5.2","words":"asynch promise-like syntax with explicit callbacks for async =baverman async promise","author":"=baverman","date":"2013-12-17 "},{"name":"asynchron","description":"Small library that adds wait, async pattern to promises. Use Q promises","url":null,"keywords":"","version":"1.0.5","words":"asynchron small library that adds wait, async pattern to promises. use q promises =salboaie","author":"=salboaie","date":"2014-02-26 "},{"name":"asynchronize","description":"Make synchronous functions look asynchronous","url":null,"keywords":"async flow","version":"1.2.0","words":"asynchronize make synchronous functions look asynchronous =rowanmanning async flow","author":"=rowanmanning","date":"2013-06-27 "},{"name":"asynchronizer","description":"Promise for collecting data through multiple asynchronous events in JavaScript.","url":null,"keywords":"","version":"0.1.7","words":"asynchronizer promise for collecting data through multiple asynchronous events in javascript. =kevingoslar","author":"=kevingoslar","date":"2014-02-26 "},{"name":"asynchronoujs","description":"Synchronize models between browsers and server asynchronously.","url":null,"keywords":"","version":"0.0.1","words":"asynchronoujs synchronize models between browsers and server asynchronously. =euyuil","author":"=euyuil","date":"2013-08-08 "},{"name":"asyncify","description":"The asyncify deferred module of FuturesJS (Ender.JS and Node.JS)","url":null,"keywords":"flow-control async asynchronous asyncify util browser","version":"2.1.2","words":"asyncify the asyncify deferred module of futuresjs (ender.js and node.js) =coolaj86 flow-control async asynchronous asyncify util browser","author":"=coolaj86","date":"2014-01-13 "},{"name":"asyncify.js","description":"Makes a function conform to node-style callback convention","url":null,"keywords":"async","version":"0.1.2","words":"asyncify.js makes a function conform to node-style callback convention =johndotawesome async","author":"=johndotawesome","date":"2014-06-13 "},{"name":"asyncinterval","description":"Async aware setInterval. Run functions at an interval without overlapping previous calls.","url":null,"keywords":"setinterval async schedule settimeout","version":"0.0.6","words":"asyncinterval async aware setinterval. run functions at an interval without overlapping previous calls. =ghafran setinterval async schedule settimeout","author":"=ghafran","date":"2014-02-25 "},{"name":"asyncjs","description":"async.js it for the node fs module, what jQuery is for the DOM","url":null,"keywords":"","version":"0.0.9","words":"asyncjs async.js it for the node fs module, what jquery is for the dom =fjakobs","author":"=fjakobs","date":"2012-06-11 "},{"name":"asynclib","description":"NodeJS asynchronous lib","url":null,"keywords":"nodejs async lib","version":"1.0.1","words":"asynclib nodejs asynchronous lib =medns nodejs async lib","author":"=medns","date":"2012-08-14 "},{"name":"asynclist","description":"Async Tasks runner based eventproxy","url":null,"keywords":"","version":"0.0.3","words":"asynclist async tasks runner based eventproxy =iwillwen","author":"=iwillwen","date":"2012-01-19 "},{"name":"asyncloop","description":"Continuation passing loop which never bloats stack","url":null,"keywords":"async loop","version":"0.0.1","words":"asyncloop continuation passing loop which never bloats stack =eldar async loop","author":"=eldar","date":"2013-09-12 "},{"name":"asyncmachine","description":"Multi State Machine for a declarative async logic.","url":null,"keywords":"async statemachine eventemitter","version":"1.0.0","words":"asyncmachine multi state machine for a declarative async logic. =tobiasz.cudnik async statemachine eventemitter","author":"=tobiasz.cudnik","date":"2012-12-17 "},{"name":"AsyncProxy","description":"asynchronous code helper.","url":null,"keywords":"","version":"0.1.1","words":"asyncproxy asynchronous code helper. =doublespout","author":"=doublespout","date":"2012-02-20 "},{"name":"asyncqueue","description":"A really cool little asynchronous queueing library!","url":null,"keywords":"","version":"0.0.4","words":"asyncqueue a really cool little asynchronous queueing library! =thebigredgeek","author":"=thebigredgeek","date":"2013-09-28 "},{"name":"asyncready.js","description":"Watches over multiple async operations and triggers listeners when all or some are complete","url":null,"keywords":"async flow control","version":"0.7.0","words":"asyncready.js watches over multiple async operations and triggers listeners when all or some are complete =thanpolas async flow control","author":"=thanpolas","date":"2012-07-10 "},{"name":"asyncreduce","description":"Reduce an array of values via an asynchronous function.","url":null,"keywords":"async reduce accumulate accumulator browser browserify iterate iterator initial","version":"0.1.4","words":"asyncreduce reduce an array of values via an asynchronous function. =thlorenz async reduce accumulate accumulator browser browserify iterate iterator initial","author":"=thlorenz","date":"2013-07-27 "},{"name":"asyncscript","description":"AsyncScript Programming Language","url":null,"keywords":"","version":"0.1.1","words":"asyncscript asyncscript programming language =sakno","author":"=sakno","date":"2013-04-07 "},{"name":"asyncStorage","url":null,"keywords":"","version":"0.1.0","words":"asyncstorage =webreflection","author":"=WebReflection","date":"2012-06-08 "},{"name":"asyncstorage","description":"Asynchronous browser storage with multiple back-ends (IndexedDB, WebSQL, localStorage)","url":null,"keywords":"offline storage IndexedDB localStorage localForage browserify","version":"1.1.0","words":"asyncstorage asynchronous browser storage with multiple back-ends (indexeddb, websql, localstorage) =alekseykulikov offline storage indexeddb localstorage localforage browserify","author":"=alekseykulikov","date":"2014-09-10 "},{"name":"asynct","description":"simple asyncronous test runner","url":null,"keywords":"","version":"1.1.0","words":"asynct simple asyncronous test runner =dominictarr","author":"=dominictarr","date":"2012-05-07 "},{"name":"asynctask","description":"轻量级异步流程控制工具","url":null,"keywords":"javascript async task promise callback","version":"0.0.1","words":"asynctask 轻量级异步流程控制工具 =wxqqh javascript async task promise callback","author":"=wxqqh","date":"2013-12-28 "},{"name":"asynctrace","description":"Deep stack traces based on AsyncListener API","url":null,"keywords":"trace deep-stack-trace AsyncListener performant mocha-compatible","version":"1.4.1","words":"asynctrace deep stack traces based on asynclistener api =refack trace deep-stack-trace asynclistener performant mocha-compatible","author":"=refack","date":"2014-07-21 "},{"name":"asyncxml","description":"async xml builder and generator","url":null,"keywords":"async xml generation stream browser","version":"0.6.0","words":"asyncxml async xml builder and generator =dodo async xml generation stream browser","author":"=dodo","date":"2014-09-17 "},{"name":"asyngleton","description":"asynchronously generate singletons","url":null,"keywords":"","version":"0.1.3","words":"asyngleton asynchronously generate singletons =architectd","author":"=architectd","date":"2013-04-02 "},{"name":"asynquence","description":"asynquence: promise-style async sequence flow-control","url":null,"keywords":"async flow-control sequences promise iterator generator","version":"0.5.4-a","words":"asynquence asynquence: promise-style async sequence flow-control =getify async flow-control sequences promise iterator generator","author":"=getify","date":"2014-07-11 "},{"name":"asynquence-contrib","description":"contrib plugins for asynquence","url":null,"keywords":"async flow-control sequences promise iterator generator","version":"0.7.0-a","words":"asynquence-contrib contrib plugins for asynquence =getify async flow-control sequences promise iterator generator","author":"=getify","date":"2014-09-21 "},{"name":"asynqueue","description":"A little helper for asynchronous JavaScript.","url":null,"keywords":"asynchronous async queue","version":"1.0.9","words":"asynqueue a little helper for asynchronous javascript. =heynemann asynchronous async queue","author":"=heynemann","date":"2014-05-15 "},{"name":"asynth","description":"live midi synthesizer","url":null,"keywords":"midi synth music","version":"0.1.1","words":"asynth live midi synthesizer =substack midi synth music","author":"=substack","date":"2013-01-29 "},{"name":"asynx","description":"Async utility extensions","url":null,"keywords":"async flow","version":"0.0.3","words":"asynx async utility extensions =suor async flow","author":"=suor","date":"2014-08-22 "},{"name":"at","description":"Templates with less features but still more than PHP.","url":null,"keywords":"template","version":"0.1.1","words":"at templates with less features but still more than php. =ryan template","author":"=ryan","date":"2013-04-20 "},{"name":"at-at","description":"An AT-AT walker to walk all over your (filesystem) planet.","url":null,"keywords":"","version":"0.0.3","words":"at-at an at-at walker to walk all over your (filesystem) planet. =trusktr","author":"=trusktr","date":"2013-09-21 "},{"name":"at-autocomplete","description":"Simple tree autocompleter","url":null,"keywords":"","version":"0.1.1","words":"at-autocomplete simple tree autocompleter =viert","author":"=viert","date":"2014-09-07 "},{"name":"at-breakpoint","description":"easy media queries for stylus","url":null,"keywords":"stylus css framework media queries","version":"0.0.4","words":"at-breakpoint easy media queries for stylus =twissell stylus css framework media queries","author":"=twissell","date":"2014-04-15 "},{"name":"at-exit","description":"like ruby #at_exit","url":null,"keywords":"","version":"0.0.1","words":"at-exit like ruby #at_exit =rosylilly","author":"=rosylilly","date":"2011-12-24 "},{"name":"at-import","description":"A node.js module that combines JavaScript files through the use of an @import directive","url":null,"keywords":"","version":"1.0.5","words":"at-import a node.js module that combines javascript files through the use of an @import directive =mbrio","author":"=mbrio","date":"2012-03-28 "},{"name":"at-noder-converter","description":"Tool to convert JavaScript files from the current Aria Templates class syntax to the new one introduced with the migration to noder-js.","url":null,"keywords":"ariatemplates noder-js","version":"1.0.1","words":"at-noder-converter tool to convert javascript files from the current aria templates class syntax to the new one introduced with the migration to noder-js. =ariatemplates ariatemplates noder-js","author":"=ariatemplates","date":"2014-06-11 "},{"name":"at-parser","keywords":"","version":[],"words":"at-parser","author":"","date":"2014-02-26 "},{"name":"at_scheduler","description":"AT event scheduler for your node","url":null,"keywords":"","version":"0.1.0","words":"at_scheduler at event scheduler for your node =erubboli","author":"=erubboli","date":"2011-06-21 "},{"name":"atavist","description":"Markdown site generator.","url":null,"keywords":"markdown blog generator static","version":"2.1.0","words":"atavist markdown site generator. =phuu markdown blog generator static","author":"=phuu","date":"2013-07-17 "},{"name":"atbar","description":"Async callback manager for javascript in nodejs and browser","url":null,"keywords":"aync callbacks nodejs browser coffeescript","version":"0.4.2","words":"atbar async callback manager for javascript in nodejs and browser =mark-hahn aync callbacks nodejs browser coffeescript","author":"=mark-hahn","date":"2011-06-11 "},{"name":"atbash","description":"Atbash cipher","url":null,"keywords":"atbash cipher","version":"0.0.0","words":"atbash atbash cipher =azer atbash cipher","author":"=azer","date":"2013-11-02 "},{"name":"atc","description":"Manage fleet spawns","url":null,"keywords":"","version":"0.0.6","words":"atc manage fleet spawns =clewfirst","author":"=clewfirst","date":"2013-03-27 "},{"name":"atc-radar","description":"Worldwide catalog of air traffic control radars.","url":null,"keywords":"air traffic control atc aviation geojson radar planespotting planespotters ads-b mode s","version":"0.0.1","words":"atc-radar worldwide catalog of air traffic control radars. =wiseman air traffic control atc aviation geojson radar planespotting planespotters ads-b mode s","author":"=wiseman","date":"2013-06-29 "},{"name":"ateam","description":"Appcelerator Team Workflow Tools","url":null,"keywords":"appcelerator team cli tools shell","version":"0.0.3","words":"ateam appcelerator team workflow tools =euforic appcelerator team cli tools shell","author":"=euforic","date":"2012-12-08 "},{"name":"atemplate","description":"Very simple template organizer for Node.JS","url":null,"keywords":"mustache template inheritance","version":"1.0.0","words":"atemplate very simple template organizer for node.js =sitnin mustache template inheritance","author":"=sitnin","date":"2013-03-06 "},{"name":"atgen","description":"A command line utility to create an AT project scaffolding","url":null,"keywords":"aria templates generator scaffolding project create wizard","version":"0.1.1","words":"atgen a command line utility to create an at project scaffolding =ariatemplates aria templates generator scaffolding project create wizard","author":"=ariatemplates","date":"2013-05-23 "},{"name":"athena","description":"Strategically gives you awesome functional combinators for an abstraction war!","url":null,"keywords":"functional fp higher-order curry partial logic lambda","version":"0.2.0","words":"athena strategically gives you awesome functional combinators for an abstraction war! =killdream functional fp higher-order curry partial logic lambda","author":"=killdream","date":"2013-05-19 "},{"name":"athene2-editor","description":"Athene2 Markdown Editor - Further information will be available soon","url":null,"keywords":"","version":"0.2.14","words":"athene2-editor athene2 markdown editor - further information will be available soon =ju =arekkas","author":"=ju =arekkas","date":"2014-08-10 "},{"name":"athletic-support","description":"Support for your node","url":null,"keywords":"","version":"0.1.9","words":"athletic-support support for your node =strd6","author":"=strd6","date":"2013-11-11 "},{"name":"athz","description":"Simple and flexible role-based authorization module and middleware for Express","url":null,"keywords":"express authorization role-based","version":"0.2.1","words":"athz simple and flexible role-based authorization module and middleware for express =aleksandar-micic express authorization role-based","author":"=aleksandar-micic","date":"2014-05-20 "},{"name":"atirax","description":"launch background process","url":null,"keywords":"background nohup binary","version":"0.1.1","words":"atirax launch background process =lagden background nohup binary","author":"=lagden","date":"2013-07-26 "},{"name":"atj","keywords":"","version":[],"words":"atj","author":"","date":"2014-02-18 "},{"name":"atjs","description":"Automation Test Library","url":null,"keywords":"Automation Test Unit Test Testing Web Testing Test UI UI Automation Test","version":"0.0.1","words":"atjs automation test library =loint automation test unit test testing web testing test ui ui automation test","author":"=loint","date":"2014-06-23 "},{"name":"atl","keywords":"","version":[],"words":"atl","author":"","date":"2014-02-18 "},{"name":"atlant.js","description":"Atlant.js is an application flow/routing framework for React.js. It provides robust routing and dependency injection mechanism. It uses bacon.js streams to rule all out.","url":null,"keywords":"","version":"0.2.12","words":"atlant.js atlant.js is an application flow/routing framework for react.js. it provides robust routing and dependency injection mechanism. it uses bacon.js streams to rule all out. =artem.popov","author":"=artem.popov","date":"2014-09-01 "},{"name":"atlanta-counties","description":"Atlanta list of counties","url":null,"keywords":"","version":"0.0.1","words":"atlanta-counties atlanta list of counties =cayasso","author":"=cayasso","date":"2013-06-20 "},{"name":"atlantis","description":"Atlantis","url":null,"keywords":"atlantis atlas island lost","version":"0.1.0","words":"atlantis atlantis =zfkun atlantis atlas island lost","author":"=zfkun","date":"2014-01-13 "},{"name":"atlas","description":"Atlas sits on top of Backbone.js, adding features and enhancing the API","url":null,"keywords":"","version":"0.1.0","words":"atlas atlas sits on top of backbone.js, adding features and enhancing the api =dandean","author":"=dandean","date":"2012-01-05 "},{"name":"atlas-connect","description":"CLI for the atlassian-connect-express library (helpers for building Atlassian Add-ons on top of Express)","url":null,"keywords":"atlassian plugins atlassian connect add-ons jira confluence express web","version":"0.4.8","words":"atlas-connect cli for the atlassian-connect-express library (helpers for building atlassian add-ons on top of express) =rmanalan =sebr =pstreule =pbrownlow atlassian plugins atlassian connect add-ons jira confluence express web","author":"=rmanalan =sebr =pstreule =pbrownlow","date":"2014-08-15 "},{"name":"atlas-stash","description":"REST Client for Atlassian's Stash repository","url":null,"keywords":"stash atlassian","version":"0.0.6","words":"atlas-stash rest client for atlassian's stash repository =dancrumb stash atlassian","author":"=dancrumb","date":"2013-12-23 "},{"name":"atlasboard","description":"AtlasBoard is dashboard/wallboard framework written all in JS","url":null,"keywords":"server dashboard","version":"0.8.0","words":"atlasboard atlasboard is dashboard/wallboard framework written all in js =ckiehl =iloire =archinal server dashboard","author":"=ckiehl =iloire =archinal","date":"2014-07-18 "},{"name":"atlasboard-healthcheck","description":"AtlasBoard package to monitor running Atlassian applications using their healthcheck resource","url":null,"keywords":"","version":"0.0.1","words":"atlasboard-healthcheck atlasboard package to monitor running atlassian applications using their healthcheck resource =delitescere","author":"=delitescere","date":"2013-10-21 "},{"name":"atlaspack","description":"Pack rectangles (or images) into a rectangle (or canvas texture atlas).","url":null,"keywords":"voxel texture atlas geometry spritemap","version":"0.2.7","words":"atlaspack pack rectangles (or images) into a rectangle (or canvas texture atlas). =shama voxel texture atlas geometry spritemap","author":"=shama","date":"2014-07-24 "},{"name":"atlassian-connect-express","description":"Library for building Atlassian Add-ons on top of Express","url":null,"keywords":"atlassian plugins add-ons atlassian connect jira confluence express web","version":"1.0.1","words":"atlassian-connect-express library for building atlassian add-ons on top of express =sebr =pstreule =pbrownlow atlassian plugins add-ons atlassian connect jira confluence express web","author":"=sebr =pstreule =pbrownlow","date":"2014-08-15 "},{"name":"atlassian-connect-express-hipchat","description":"HipChat compatibility layer for atlassian-connect-express (ACE)","url":null,"keywords":"atlassian connect express hipchat","version":"0.2.1","words":"atlassian-connect-express-hipchat hipchat compatibility layer for atlassian-connect-express (ace) =rmanalan =rbergman atlassian connect express hipchat","author":"=rmanalan =rbergman","date":"2014-03-14 "},{"name":"atlassian-connect-express-redis","description":"Redis adapter for Atlassian Connect Express","url":null,"keywords":"atlassian connect express redis","version":"0.1.3","words":"atlassian-connect-express-redis redis adapter for atlassian connect express =rmanalan atlassian connect express redis","author":"=rmanalan","date":"2014-02-04 "},{"name":"atlassian-connect-express-sync","description":"add callback to synchronize store","url":null,"keywords":"","version":"0.0.0","words":"atlassian-connect-express-sync add callback to synchronize store =janrevis","author":"=janrevis","date":"2014-08-02 "},{"name":"atlassian-connect-validator","description":"Utility to validate an Atlassian Connect add-on descriptor","url":null,"keywords":"atlassian atlassian connect","version":"0.0.5","words":"atlassian-connect-validator utility to validate an atlassian connect add-on descriptor =sebr atlassian atlassian connect","author":"=sebr","date":"2014-06-24 "},{"name":"atlassian-crowd","description":"A node.js module to communicate with Atlassian Crowd","url":null,"keywords":"atlassian crowd sso","version":"0.4.4","words":"atlassian-crowd a node.js module to communicate with atlassian crowd =dsn atlassian crowd sso","author":"=dsn","date":"2013-03-18 "},{"name":"atlassian-oauth-validator","description":"OAuth validator middleware that can be used to authenticate requests coming from an Atlassian app running plugins3.","url":null,"keywords":"atlassian oauth","version":"0.0.3","words":"atlassian-oauth-validator oauth validator middleware that can be used to authenticate requests coming from an atlassian app running plugins3. =andreask atlassian oauth","author":"=andreask","date":"2012-12-12 "},{"name":"atma","description":"Atma.Toolkit","url":null,"keywords":"","version":"0.10.16","words":"atma atma.toolkit =tenbits","author":"=tenbits","date":"2014-07-29 "},{"name":"atma-class","description":"Business Logic and Data Access Layers","url":null,"keywords":"","version":"1.0.68","words":"atma-class business logic and data access layers =tenbits","author":"=tenbits","date":"2014-08-15 "},{"name":"atma-formatter","description":"Formatter Util","url":null,"keywords":"format format date format string format number localization","version":"0.8.11","words":"atma-formatter formatter util =tenbits format format date format string format number localization","author":"=tenbits","date":"2014-08-04 "},{"name":"atma-i18n","description":"Localization Module","url":null,"keywords":"","version":"0.0.71","words":"atma-i18n localization module =tenbits","author":"=tenbits","date":"2014-08-04 "},{"name":"atma-io","description":"File / Directory Classes","url":null,"keywords":"","version":"0.1.85","words":"atma-io file / directory classes =tenbits","author":"=tenbits","date":"2014-08-10 "},{"name":"atma-libs","description":"Atma.js Library Package","url":null,"keywords":"","version":"0.9.61","words":"atma-libs atma.js library package =tenbits","author":"=tenbits","date":"2014-08-15 "},{"name":"atma-loader","description":"Base Atma Loader","url":null,"keywords":"","version":"1.0.7","words":"atma-loader base atma loader =tenbits","author":"=tenbits","date":"2014-08-11 "},{"name":"atma-loader-less","description":"Less compiler for `atma-io`, `IncludeJS` and `atma-server`.","url":null,"keywords":"","version":"1.0.4","words":"atma-loader-less less compiler for `atma-io`, `includejs` and `atma-server`. =tenbits","author":"=tenbits","date":"2014-07-27 "},{"name":"atma-loader-package","description":"'Package' loader for `atma-io`, `IncludeJS` and `atma-server`.","url":null,"keywords":"","version":"1.0.11","words":"atma-loader-package 'package' loader for `atma-io`, `includejs` and `atma-server`. =tenbits","author":"=tenbits","date":"2014-08-11 "},{"name":"atma-loader-stacktrace","description":"Stacktraces for compiled/minified scripts","url":null,"keywords":"stacktrace","version":"0.1.1","words":"atma-loader-stacktrace stacktraces for compiled/minified scripts =tenbits stacktrace","author":"=tenbits","date":"2014-07-07 "},{"name":"atma-loader-traceur","description":"Traceur compiler for `atma-io`, `IncludeJS` and `atma-server`.","url":null,"keywords":"","version":"1.0.18","words":"atma-loader-traceur traceur compiler for `atma-io`, `includejs` and `atma-server`. =tenbits","author":"=tenbits","date":"2014-09-13 "},{"name":"atma-loader-yml","description":"Yaml parser for `atma-io`, `IncludeJS` and `atma-server`.","url":null,"keywords":"","version":"1.0.4","words":"atma-loader-yml yaml parser for `atma-io`, `includejs` and `atma-server`. =tenbits","author":"=tenbits","date":"2014-09-18 "},{"name":"atma-logger","description":"Logger | Formatter + Color","url":null,"keywords":"logger file console","version":"0.0.89","words":"atma-logger logger | formatter + color =tenbits logger file console","author":"=tenbits","date":"2014-08-07 "},{"name":"atma-server","description":"Server Application","url":null,"keywords":"","version":"0.1.18","words":"atma-server server application =tenbits","author":"=tenbits","date":"2014-08-15 "},{"name":"atma-utest","description":"TDD-Plugin for the Atma Toolkit","url":null,"keywords":"","version":"0.8.99","words":"atma-utest tdd-plugin for the atma toolkit =tenbits","author":"=tenbits","date":"2014-09-10 "},{"name":"atman","url":null,"keywords":"","version":"0.1.0","words":"atman =sciolist","author":"=sciolist","date":"2014-04-13 "},{"name":"atmos","description":"EMC Atmos client for node","url":null,"keywords":"atmos emc cloud storage peer1 peerone peer one","version":"0.1.3","words":"atmos emc atmos client for node =okjake atmos emc cloud storage peer1 peerone peer one","author":"=okjake","date":"2014-03-08 "},{"name":"atmos-emc","description":"atmos-emc client","url":null,"keywords":"atmos emc","version":"0.0.10","words":"atmos-emc atmos-emc client =cjpartridge atmos emc","author":"=cjpartridge","date":"2013-04-30 "},{"name":"atmosphere","description":"Node.js Environment Variable Management","url":null,"keywords":"","version":"0.0.2","words":"atmosphere node.js environment variable management =ryanlelek","author":"=ryanlelek","date":"2014-06-09 "},{"name":"atmosphere-client","description":"Atmosphere client for Node.js","url":null,"keywords":"atmosphere","version":"2.2.0","words":"atmosphere-client atmosphere client for node.js =flowersinthesand atmosphere","author":"=flowersinthesand","date":"2014-05-02 "},{"name":"ato","description":"just simple front end workflow solution","url":null,"keywords":"workflow grunt","version":"0.0.0","words":"ato just simple front end workflow solution =clovery-org workflow grunt","author":"=clovery-org","date":"2013-11-22 "},{"name":"atob","description":"atob for Node.JS and Linux / Mac / Windows CLI (it's a one-liner)","url":null,"keywords":"atob browser","version":"1.1.2","words":"atob atob for node.js and linux / mac / windows cli (it's a one-liner) =coolaj86 atob browser","author":"=coolaj86","date":"2014-05-20 "},{"name":"atob-umd","description":"A UMD module for atob()","url":null,"keywords":"umd atob base64 ascii binary","version":"0.6.9","words":"atob-umd a umd module for atob() =t1st3 umd atob base64 ascii binary","author":"=t1st3","date":"2014-08-31 "},{"name":"atok","description":"Fast, easy and dynamic tokenizer for Node Streams","url":null,"keywords":"tokenizer token async stream","version":"0.4.3","words":"atok fast, easy and dynamic tokenizer for node streams =pierrec tokenizer token async stream","author":"=pierrec","date":"2012-12-05 "},{"name":"atok-parser","description":"Parser generator based on the atok tokenizer","url":null,"keywords":"parser async stream atok","version":"0.4.4","words":"atok-parser parser generator based on the atok tokenizer =pierrec parser async stream atok","author":"=pierrec","date":"2014-03-27 "},{"name":"atoll","description":"Atoll is a small descriptive statistics library","url":null,"keywords":"","version":"0.7.4","words":"atoll atoll is a small descriptive statistics library =nsfmc","author":"=nsfmc","date":"2013-12-11 "},{"name":"atom","description":"A collection of decoupled components for rapid web development","url":null,"keywords":"web framework components","version":"0.1.6","words":"atom a collection of decoupled components for rapid web development =cohara87 web framework components","author":"=cohara87","date":"2011-12-23 "},{"name":"atom-4-color-base","description":"Base package of Atom's 4-color syntax themes","url":null,"keywords":"","version":"0.2.1","words":"atom-4-color-base base package of atom's 4-color syntax themes =zhanzhenzhen","author":"=zhanzhenzhen","date":"2014-07-24 "},{"name":"atom-bolts","url":null,"keywords":"","version":"0.0.0","words":"atom-bolts =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-25 "},{"name":"atom-bot","url":null,"keywords":"","version":"0.0.0","words":"atom-bot =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-21 "},{"name":"atom-cli","description":"The Atom workflow command line tools","url":null,"keywords":"","version":"0.0.6","words":"atom-cli the atom workflow command line tools =windyge","author":"=windyge","date":"2014-09-17 "},{"name":"atom-cog","url":null,"keywords":"","version":"0.0.0","words":"atom-cog =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-crate","url":null,"keywords":"","version":"0.0.0","words":"atom-crate =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-26 "},{"name":"atom-crud","description":"A ChlorineJS library designed to ... well, that part is up to you.","url":null,"keywords":"chlorinejs clojure macro","version":"0.1.0-SNAPSHOT","words":"atom-crud a chlorinejs library designed to ... well, that part is up to you. =myguidingstar chlorinejs clojure macro","author":"=myguidingstar","date":"2014-01-19 "},{"name":"atom-event-domain","url":null,"keywords":"","version":"0.0.0","words":"atom-event-domain =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-event-listener","url":null,"keywords":"","version":"0.0.0","words":"atom-event-listener =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-grease","url":null,"keywords":"","version":"0.0.0","words":"atom-grease =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-handlebars","keywords":"","version":[],"words":"atom-handlebars","author":"","date":"2014-02-27 "},{"name":"atom-helpers","description":"A Node.JS package that provides helpers for Atom.io packages development (e.g: a vanilla JS equivalent of `class MyView extends View`...).","url":null,"keywords":"atom atom.io util helper coffee","version":"1.1.2","words":"atom-helpers a node.js package that provides helpers for atom.io packages development (e.g: a vanilla js equivalent of `class myview extends view`...). =nicolab atom atom.io util helper coffee","author":"=nicolab","date":"2014-07-30 "},{"name":"atom-ide","url":null,"keywords":"","version":"0.0.0","words":"atom-ide =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-inline-messages","description":"Inline Messaging in the Atom Editor","url":null,"keywords":"","version":"0.1.5","words":"atom-inline-messages inline messaging in the atom editor =mdgriffith","author":"=mdgriffith","date":"2014-09-01 "},{"name":"atom-js","description":"Small JS class that provides async control flow, property listeners, barrier pattern, and more.","url":null,"keywords":"","version":"0.5.6","words":"atom-js small js class that provides async control flow, property listeners, barrier pattern, and more. =quaelin","author":"=quaelin","date":"2013-08-16 "},{"name":"atom-keymap","description":"Atom's DOM-aware keymap module","url":null,"keywords":"","version":"2.1.1","words":"atom-keymap atom's dom-aware keymap module =nathansobo =kevinsawicki =probablycorey =zcbenz =benogle","author":"=nathansobo =kevinsawicki =probablycorey =zcbenz =benogle","date":"2014-09-12 "},{"name":"atom-keymap-plus","description":"An easy way to expand the keymap feature in Atom","url":null,"keywords":"atom","version":"0.1.3","words":"atom-keymap-plus an easy way to expand the keymap feature in atom =tcarlsen atom","author":"=tcarlsen","date":"2014-03-17 "},{"name":"atom-logger","description":"Reusable logging library for Atom packages.","url":null,"keywords":"","version":"0.1.1","words":"atom-logger reusable logging library for atom packages. =glavin001","author":"=glavin001","date":"2014-07-01 "},{"name":"atom-message-panel","description":"An easy way to display your messages in Atom","url":null,"keywords":"atom helper handler error message","version":"1.1.1","words":"atom-message-panel an easy way to display your messages in atom =tcarlsen atom helper handler error message","author":"=tcarlsen","date":"2014-06-19 "},{"name":"atom-nico","description":"对 nico 及 atom-theme 的封装,方便跨平台使用","url":null,"keywords":"nico atom-theme","version":"0.5.1","words":"atom-nico 对 nico 及 atom-theme 的封装,方便跨平台使用 =lianqin7 nico atom-theme","author":"=lianqin7","date":"2014-09-15 "},{"name":"atom-node-module-installer","description":"Install node modules for atom-shell applications.","url":null,"keywords":"atom-shell","version":"0.9.0","words":"atom-node-module-installer install node modules for atom-shell applications. =probablycorey atom-shell","author":"=probablycorey","date":"2014-09-21 "},{"name":"atom-noflo","url":null,"keywords":"","version":"0.0.0","words":"atom-noflo =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-nuts","url":null,"keywords":"","version":"0.0.0","words":"atom-nuts =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-26 "},{"name":"atom-package-manager","description":"Atom package manager","url":null,"keywords":"","version":"0.96.0","words":"atom-package-manager atom package manager =kevinsawicki =nathansobo =probablycorey =zcbenz","author":"=kevinsawicki =nathansobo =probablycorey =zcbenz","date":"2014-09-20 "},{"name":"atom-pane","description":"A lightweight wrapper for creating new panes within Atom","url":null,"keywords":"atom pane editor text window split tab","version":"1.0.1","words":"atom-pane a lightweight wrapper for creating new panes within atom =hughsk atom pane editor text window split tab","author":"=hughsk","date":"2014-05-29 "},{"name":"atom-panetastic","description":"A cute fantastic pane for the atom-editor, wraps your contents with rainbows.","url":null,"keywords":"atom pane content","version":"0.1.0","words":"atom-panetastic a cute fantastic pane for the atom-editor, wraps your contents with rainbows. =florianb atom pane content","author":"=florianb","date":"2014-05-28 "},{"name":"atom-pty","url":null,"keywords":"","version":"0.0.0","words":"atom-pty =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-react","description":"An opiniated way to use ReactJS in a functional way in plain old Javascript, inspired by popular Clojurescript wrappers like Om ","url":null,"keywords":"react jsx functional lens lenses atom immutable immutability pure","version":"0.0.37","words":"atom-react an opiniated way to use reactjs in a functional way in plain old javascript, inspired by popular clojurescript wrappers like om =slorber =letnotimitateothers react jsx functional lens lenses atom immutable immutability pure","author":"=slorber =letnotimitateothers","date":"2014-09-18 "},{"name":"atom-refactor","keywords":"","version":[],"words":"atom-refactor","author":"","date":"2014-07-07 "},{"name":"atom-screenshot","description":"Take screenshots using atom-shell","url":null,"keywords":"","version":"0.1.2","words":"atom-screenshot take screenshots using atom-shell =fweinb","author":"=fweinb","date":"2014-08-18 "},{"name":"atom-scrum","url":null,"keywords":"","version":"0.0.0","words":"atom-scrum =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-26 "},{"name":"atom-shell-pull","description":"Download the atom-shell for multiple platforms. Useful for build scripts.","url":null,"keywords":"","version":"0.2.0","words":"atom-shell-pull download the atom-shell for multiple platforms. useful for build scripts. =vasari","author":"=vasari","date":"2014-07-13 "},{"name":"atom-shell-scripts","description":"Sample script files to run atom-shell based applications.","url":null,"keywords":"atom-shell atom","version":"0.1.1","words":"atom-shell-scripts sample script files to run atom-shell based applications. =yneves atom-shell atom","author":"=yneves","date":"2014-09-14 "},{"name":"atom-snapshot","description":"A tool to snapshot articles found in an atom feed.","url":null,"keywords":"","version":"0.9.0","words":"atom-snapshot a tool to snapshot articles found in an atom feed. =markj","author":"=markj","date":"2014-04-28 "},{"name":"atom-syntax-tools","description":"Tool for grammar specification with coffee script for atom languages","url":null,"keywords":"atom language syntax","version":"0.2.0","words":"atom-syntax-tools tool for grammar specification with coffee script for atom languages =klorenz atom language syntax","author":"=klorenz","date":"2014-06-24 "},{"name":"atom-term.js","description":"A terminal written in JavaScript, fork for Atom Term2 package","url":null,"keywords":"tty terminal term xterm","version":"0.0.55","words":"atom-term.js a terminal written in javascript, fork for atom term2 package =fkadev tty terminal term xterm","author":"=fkadev","date":"2014-05-15 "},{"name":"atom-wrench","url":null,"keywords":"","version":"0.0.0","words":"atom-wrench =joaoafrmartins","author":"=joaoafrmartins","date":"2014-05-24 "},{"name":"atom-writer","description":"To generate ATOM feeds quickly","url":null,"keywords":"xml atom feed generator","version":"1.1.2","words":"atom-writer to generate atom feeds quickly =touv xml atom feed generator","author":"=touv","date":"2013-07-05 "},{"name":"atomanticjokes","keywords":"","version":[],"words":"atomanticjokes","author":"","date":"2014-08-01 "},{"name":"atomdoc","description":"A atomdoc parser","url":null,"keywords":"","version":"1.0.3","words":"atomdoc a atomdoc parser =benogle =nathansobo =kevinsawicki","author":"=benogle =nathansobo =kevinsawicki","date":"2014-09-04 "},{"name":"atomic","description":"Atomic operations","url":null,"keywords":"","version":"0.0.2","words":"atomic atomic operations =stagas","author":"=stagas","date":"2011-10-11 "},{"name":"atomic-json","description":"add to a json file atomically","url":null,"keywords":"","version":"0.0.4","words":"atomic-json add to a json file atomically =mattmueller","author":"=mattmueller","date":"2014-08-30 "},{"name":"atomic-list","description":"List preserving indexes for each element","url":null,"keywords":"","version":"1.0.3","words":"atomic-list list preserving indexes for each element =iraasta","author":"=iraasta","date":"2014-09-19 "},{"name":"atomic-model","description":"A reactive model toolkit.","url":null,"keywords":"","version":"0.6.0","words":"atomic-model a reactive model toolkit. =nathansobo","author":"=nathansobo","date":"2014-01-04 "},{"name":"atomic-write","description":"Provides an atomic implementation of fs.writeFile","url":null,"keywords":"atomic write fs rename","version":"0.1.1","words":"atomic-write provides an atomic implementation of fs.writefile =nightfly19 atomic write fs rename","author":"=nightfly19","date":"2014-03-04 "},{"name":"atomic-write-stream","description":"stream to a file atomically","url":null,"keywords":"atomic filesystem stream","version":"0.0.0","words":"atomic-write-stream stream to a file atomically =quarterto atomic filesystem stream","author":"=quarterto","date":"2014-05-23 "},{"name":"atomicize","description":"simple module used to create an atomic set of jobs using a leveldb/levelup instance","url":null,"keywords":"atomic jobs leveldb level queue","version":"0.1.2","words":"atomicize simple module used to create an atomic set of jobs using a leveldb/levelup instance =jcrugzz atomic jobs leveldb level queue","author":"=jcrugzz","date":"2014-08-12 "},{"name":"atomify","description":"Atomic web development - Combining the power of npm, Browserify, Rework and more to build small, fully encapsulated client side modules","url":null,"keywords":"atomic atomify browser browserify server templates css less rework","version":"3.2.0","words":"atomify atomic web development - combining the power of npm, browserify, rework and more to build small, fully encapsulated client side modules =techwraith =bclinkinbeard atomic atomify browser browserify server templates css less rework","author":"=techwraith =bclinkinbeard","date":"2014-07-31 "},{"name":"atomify-cli","description":"A CLI for Atomify","url":null,"keywords":"atomify cli css front-end build","version":"0.0.13","words":"atomify-cli a cli for atomify =techwraith =bclinkinbeard atomify cli css front-end build","author":"=techwraith =bclinkinbeard","date":"2014-02-17 "},{"name":"atomify-css","description":"Atomic CSS - Reusable front-end styling using Rework, plugins, and Node's resolve algorithm","url":null,"keywords":"atomic atomify browser css less rework","version":"2.7.2","words":"atomify-css atomic css - reusable front-end styling using rework, plugins, and node's resolve algorithm =techwraith =bclinkinbeard =joeybaker atomic atomify browser css less rework","author":"=techwraith =bclinkinbeard =joeybaker","date":"2014-09-16 "},{"name":"atomify-js","description":"Atomic JavaScript - Reusable front-end modules using Browserify, transforms, and templates","url":null,"keywords":"atomic atomify browser browserify server templates","version":"2.3.1","words":"atomify-js atomic javascript - reusable front-end modules using browserify, transforms, and templates =techwraith =bclinkinbeard atomic atomify browser browserify server templates","author":"=techwraith =bclinkinbeard","date":"2014-08-07 "},{"name":"atomize","description":"create atom feeds in js","url":null,"keywords":"","version":"0.0.0","words":"atomize create atom feeds in js =pvorb","author":"=pvorb","date":"2012-04-17 "},{"name":"atomize-client","description":"Client library for AtomizeJS: JavaScript DSTM","url":null,"keywords":"software transactional memory stm distribution synchronisation synchronization rpc remote procedure call","version":"0.4.16","words":"atomize-client client library for atomizejs: javascript dstm =msackman software transactional memory stm distribution synchronisation synchronization rpc remote procedure call","author":"=msackman","date":"2012-06-18 "},{"name":"atomize-server","description":"Node server library for AtomizeJS: JavaScript DSTM","url":null,"keywords":"software transactional memory stm distribution synchronisation synchronization rpc remote procedure call","version":"0.4.15","words":"atomize-server node server library for atomizejs: javascript dstm =msackman software transactional memory stm distribution synchronisation synchronization rpc remote procedure call","author":"=msackman","date":"2012-11-19 "},{"name":"atomizer","keywords":"","version":[],"words":"atomizer","author":"","date":"2014-04-05 "},{"name":"atoniepackage","keywords":"","version":[],"words":"atoniepackage","author":"","date":"2014-03-01 "},{"name":"atoum.js","description":"The modern, simple and intuitive PHP 5.3+ unit testing framework, now for JS","url":null,"keywords":"","version":"0.0.11","words":"atoum.js the modern, simple and intuitive php 5.3+ unit testing framework, now for js =jubianchi","author":"=jubianchi","date":"2013-11-15 "},{"name":"atpackager","description":"Visitor-based file packager plugin for Grunt 0.4.x, developed for the Aria Templates framework.","url":null,"keywords":"gruntplugin","version":"0.2.5","words":"atpackager visitor-based file packager plugin for grunt 0.4.x, developed for the aria templates framework. =ariatemplates gruntplugin","author":"=ariatemplates","date":"2014-07-24 "},{"name":"atpl","description":"A complete and fast template engine fully compatible with twig and similar to jinja with zero dependencies.","url":null,"keywords":"template engine inheritance twig jinja django swig consolidate express","version":"0.7.8","words":"atpl a complete and fast template engine fully compatible with twig and similar to jinja with zero dependencies. =soywiz template engine inheritance twig jinja django swig consolidate express","author":"=soywiz","date":"2014-07-24 "},{"name":"atriumscreen","description":"Framework for displaying information to the masses","url":null,"keywords":"signage","version":"0.0.5","words":"atriumscreen framework for displaying information to the masses =pinpickle signage","author":"=pinpickle","date":"2014-06-23 "},{"name":"atropa-arrays","description":"JavaScript utilities for handling arrays.","url":null,"keywords":"atropa-arrays atropa","version":"2014.2.2","words":"atropa-arrays javascript utilities for handling arrays. =kastor atropa-arrays atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-cmd","description":"Utilities for executing commandlines.","url":null,"keywords":"cmd commandline exec atropa","version":"0.1.3-2","words":"atropa-cmd utilities for executing commandlines. =kastor cmd commandline exec atropa","author":"=kastor","date":"2013-05-17 "},{"name":"atropa-exists","description":"Utilities for checking the existence of files and folders.","url":null,"keywords":"utilities files directories folders atropa","version":"0.1.1-2","words":"atropa-exists utilities for checking the existence of files and folders. =kastor utilities files directories folders atropa","author":"=kastor","date":"2013-05-17 "},{"name":"atropa-formdata-generator","description":"Generates a function to produce FormData objects based on a given HTML form.","url":null,"keywords":"atropa html html forms formdata code generator","version":"0.1.0","words":"atropa-formdata-generator generates a function to produce formdata objects based on a given html form. =kastor atropa html html forms formdata code generator","author":"=kastor","date":"2013-09-04 "},{"name":"atropa-header","description":"Contains JavaScript utility functions for environment tests and support queries.","url":null,"keywords":"atropa-header atropa","version":"2013.11.0","words":"atropa-header contains javascript utility functions for environment tests and support queries. =kastor atropa-header atropa","author":"=kastor","date":"2014-01-01 "},{"name":"atropa-ide","description":"An ide for web development using ckeditor and ace.","url":null,"keywords":"atropa-ide atropa utilities ide code editor html editor","version":"0.2.2-1","words":"atropa-ide an ide for web development using ckeditor and ace. =kastor atropa-ide atropa utilities ide code editor html editor","author":"=kastor","date":"2013-04-06 "},{"name":"atropa-inject","description":"Contains tools for injecting elements and assemblies into web pages.","url":null,"keywords":"atropa-inject atropa","version":"2014.2.1","words":"atropa-inject contains tools for injecting elements and assemblies into web pages. =kastor atropa-inject atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-inquire","description":"Container for JavaScript functions that test the state of inputs.","url":null,"keywords":"atropa-inquire atropa","version":"2014.2.1","words":"atropa-inquire container for javascript functions that test the state of inputs. =kastor atropa-inquire atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-is-empty","description":"Tells you if the value is empty. Empty values are '', undefined, null, [], {}, and objects with no enumerable properties.","url":null,"keywords":"is-empty atropa array","version":"0.1.3","words":"atropa-is-empty tells you if the value is empty. empty values are '', undefined, null, [], {}, and objects with no enumerable properties. =kastor is-empty atropa array","author":"=kastor","date":"2013-09-17 "},{"name":"atropa-jasmine-spec-runner-generator-html","description":"A node module to generate Jasmine Spec Runner html pages.","url":null,"keywords":"atropa-jasmine-spec-runner-generator-html atropa utilities jasmine test","version":"0.1.0-2","words":"atropa-jasmine-spec-runner-generator-html a node module to generate jasmine spec runner html pages. =kastor atropa-jasmine-spec-runner-generator-html atropa utilities jasmine test","author":"=kastor","date":"2013-03-19 "},{"name":"atropa-jsformatter","description":"A node module to pretty print JavaScript source code.","url":null,"keywords":"prettify formatter beautifier jsformatter utilities atropa","version":"0.1.2","words":"atropa-jsformatter a node module to pretty print javascript source code. =kastor prettify formatter beautifier jsformatter utilities atropa","author":"=kastor","date":"2013-09-15 "},{"name":"atropa-jslint","description":"A node module wrapper for jslint.","url":null,"keywords":"jslint utilities atropa","version":"0.1.2","words":"atropa-jslint a node module wrapper for jslint. =kastor jslint utilities atropa","author":"=kastor","date":"2013-09-20 "},{"name":"atropa-mustache-comb","description":"A utility wrapper around mustache.","url":null,"keywords":"mustache template utilities atropa","version":"0.1.7-1","words":"atropa-mustache-comb a utility wrapper around mustache. =kastor mustache template utilities atropa","author":"=kastor","date":"2013-03-19 "},{"name":"atropa-object-trim","description":"Trims empty values out of a given object. Empty values are '', undefined, null, [], {}, and objects with no enumerable properties.","url":null,"keywords":"object-trim","version":"0.1.2","words":"atropa-object-trim trims empty values out of a given object. empty values are '', undefined, null, [], {}, and objects with no enumerable properties. =kastor object-trim","author":"=kastor","date":"2013-09-17 "},{"name":"atropa-objects","description":"JavaScript utilities for handling objects.","url":null,"keywords":"atropa-objects atropa","version":"2014.2.1","words":"atropa-objects javascript utilities for handling objects. =kastor atropa-objects atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-package-generator","description":"A node.js module for generating templated files and directory structures without gettting heavy with configs and strange language.","url":null,"keywords":"atropa-package-generator atropa scaffold scaffolding skeleton project template templates generate generator init build","version":"0.2.4","words":"atropa-package-generator a node.js module for generating templated files and directory structures without gettting heavy with configs and strange language. =kastor atropa-package-generator atropa scaffold scaffolding skeleton project template templates generate generator init build","author":"=kastor","date":"2013-10-16 "},{"name":"atropa-random","description":"JavaScript module that provides random strings and numbers.","url":null,"keywords":"atropa-random atropa","version":"2014.2.1","words":"atropa-random javascript module that provides random strings and numbers. =kastor atropa-random atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-regex","description":"Container for JavaScript regular expressions and regex functions.","url":null,"keywords":"atropa-regex atropa","version":"2014.2.1","words":"atropa-regex container for javascript regular expressions and regex functions. =kastor atropa-regex atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-repl-autoload","description":"Autoloads a file into the Node REPL on start then passes control to the user.","url":null,"keywords":"atropa-replAutoload atropa-repl-autoload atropa utilities repl test","version":"0.1.0-3","words":"atropa-repl-autoload autoloads a file into the node repl on start then passes control to the user. =kastor atropa-replautoload atropa-repl-autoload atropa utilities repl test","author":"=kastor","date":"2013-03-19 "},{"name":"atropa-server","description":"A simple http server for node with autoindexing and lazy module loading.","url":null,"keywords":"server utilities atropa","version":"0.5.2","words":"atropa-server a simple http server for node with autoindexing and lazy module loading. =kastor server utilities atropa","author":"=kastor","date":"2013-12-29 "},{"name":"atropa-string","description":"JavaScript utilities for manipulating strings.","url":null,"keywords":"atropa-string atropa","version":"2014.2.1","words":"atropa-string javascript utilities for manipulating strings. =kastor atropa-string atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-string-pad","description":"Pads strings on the right or left with user defined characters or strings.","url":null,"keywords":"atropa string pad text","version":"0.1.0-4","words":"atropa-string-pad pads strings on the right or left with user defined characters or strings. =kastor atropa string pad text","author":"=kastor","date":"2013-09-03 "},{"name":"atropa-toolbox","description":"The Glorious AtropaToolbox's JavaScript bits","url":null,"keywords":"atropa","version":"2014.2.4","words":"atropa-toolbox the glorious atropatoolbox's javascript bits =kastor atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-url","description":"JavaScript utilities for handling urls.","url":null,"keywords":"atropa-url atropa","version":"2014.2.1","words":"atropa-url javascript utilities for handling urls. =kastor atropa-url atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-wtf","description":"JavaScript library for rewording bad poetry.","url":null,"keywords":"atropa-wtf atropa","version":"2014.2.1","words":"atropa-wtf javascript library for rewording bad poetry. =kastor atropa-wtf atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atropa-xpath","description":"A JavaScript library providing an Xpath toolkit for manipulating the DOM.","url":null,"keywords":"atropa-xpath atropa","version":"2014.2.1","words":"atropa-xpath a javascript library providing an xpath toolkit for manipulating the dom. =kastor atropa-xpath atropa","author":"=kastor","date":"2014-02-03 "},{"name":"atry","description":"Asynchronous try-catch based on Node.JS domain module","url":null,"keywords":"try catch async asynchronous node domain","version":"0.0.1","words":"atry asynchronous try-catch based on node.js domain module =rushpl try catch async asynchronous node domain","author":"=RushPL","date":"2014-01-30 "},{"name":"ats-loader","description":"Load modules from a folder by pattern","url":null,"keywords":"","version":"0.0.2","words":"ats-loader load modules from a folder by pattern =yellow79","author":"=yellow79","date":"2014-07-23 "},{"name":"atsaty","description":"A tweet says a thousand yeps","url":null,"keywords":"","version":"0.1.0","words":"atsaty a tweet says a thousand yeps =z0w0","author":"=z0w0","date":"2012-12-14 "},{"name":"att","description":"an easy frontend developer tool","url":null,"keywords":"auto task tool minify datauri frontend web development tool frontend workflow intergrator","version":"4.1.9","words":"att an easy frontend developer tool =colorhook auto task tool minify datauri frontend web development tool frontend workflow intergrator","author":"=colorhook","date":"2014-07-15 "},{"name":"att-express-auth","description":"Drop-in auth middleware for alpha-auth AT&T.","url":null,"keywords":"","version":"0.0.4","words":"att-express-auth drop-in auth middleware for alpha-auth at&t. =henrikjoreteg =nlf","author":"=henrikjoreteg =nlf","date":"2013-09-25 "},{"name":"att-formatjson","description":"format json file","url":null,"keywords":"att plugin formatjson","version":"0.0.4","words":"att-formatjson format json file =colorhook att plugin formatjson","author":"=colorhook","date":"2013-08-22 "},{"name":"att-yunos-suite","keywords":"","version":[],"words":"att-yunos-suite","author":"","date":"2014-07-15 "},{"name":"attach","description":"Add attach functionality to a routable object","url":null,"keywords":"router attach child parent","version":"0.0.3","words":"attach add attach functionality to a routable object =rgbboy router attach child parent","author":"=rgbboy","date":"2013-02-19 "},{"name":"attach-dom-events","description":"util to attach multiple dom events to an element","url":null,"keywords":"attach dom events event multiple many bulk dictionary object listener listeners","version":"1.0.0","words":"attach-dom-events util to attach multiple dom events to an element =mattdesl attach dom events event multiple many bulk dictionary object listener listeners","author":"=mattdesl","date":"2014-09-11 "},{"name":"attach-middleware","description":"Attach middleware functionality onto an object","url":null,"keywords":"attach middleware","version":"0.0.4","words":"attach-middleware attach middleware functionality onto an object =jaycetde attach middleware","author":"=jaycetde","date":"2014-02-02 "},{"name":"attach-parser","description":"http-body stream (req) parsing like a boss","url":null,"keywords":"","version":"0.0.1","words":"attach-parser http-body stream (req) parsing like a boss =golyshevd","author":"=golyshevd","date":"2014-06-26 "},{"name":"attache.js","description":"AOP implementation in JavaScript","url":null,"keywords":"","version":"0.0.2","words":"attache.js aop implementation in javascript =rodzyn","author":"=rodzyn","date":"2011-12-05 "},{"name":"attachevent","description":"attachevent polyfill","url":null,"keywords":"ie8 event handler polyfill","version":"0.0.2","words":"attachevent attachevent polyfill =jameskyburz ie8 event handler polyfill","author":"=jameskyburz","date":"2013-08-19 "},{"name":"attachmate","description":"CouchDB Attachment Helpers","url":null,"keywords":"couchdb attachment download upload","version":"0.1.7","words":"attachmate couchdb attachment helpers =damonoehlman couchdb attachment download upload","author":"=damonoehlman","date":"2014-05-18 "},{"name":"attachmediastream","description":"cross-browser way to attach a media stream to a video element.","url":null,"keywords":"browser getUserMedia browserify WebRTC video","version":"1.0.1","words":"attachmediastream cross-browser way to attach a media stream to a video element. =henrikjoreteg browser getusermedia browserify webrtc video","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"attachment-detection","description":"Attactment detection for youtube, images and links","url":null,"keywords":"","version":"0.2.2-0","words":"attachment-detection attactment detection for youtube, images and links =mickhansen","author":"=mickhansen","date":"2013-07-13 "},{"name":"attachmentsaver","description":"Receives local email saving pdf attachments to Desktop. by Harald Rudell","url":null,"keywords":"","version":"0.0.3","words":"attachmentsaver receives local email saving pdf attachments to desktop. by harald rudell =haraldrudell","author":"=haraldrudell","date":"2012-04-24 "},{"name":"attask-client","keywords":"","version":[],"words":"attask-client","author":"","date":"2014-06-09 "},{"name":"attempt","description":"Automatically retry functions that fail, in crazily customizable ways.","url":null,"keywords":"","version":"1.0.0","words":"attempt automatically retry functions that fail, in crazily customizable ways. =tomfrost","author":"=TomFrost","date":"2013-06-24 "},{"name":"attendant","description":"A small-ish test server built with koa","url":null,"keywords":"","version":"1.0.1","words":"attendant a small-ish test server built with koa =yoshuawuyts","author":"=yoshuawuyts","date":"2014-08-24 "},{"name":"attester","description":"Command line tool to run Javascript tests in several web browsers.","url":null,"keywords":"","version":"1.5.0","words":"attester command line tool to run javascript tests in several web browsers. =ariatemplates","author":"=ariatemplates","date":"2014-06-27 "},{"name":"atti-backup","keywords":"","version":[],"words":"atti-backup","author":"","date":"2013-12-31 "},{"name":"attic","url":null,"keywords":"","version":"0.0.1","words":"attic =pin","author":"=pin","date":"2014-08-28 "},{"name":"atticjs","description":"Small localstorage wrapper with prefixing","url":null,"keywords":"atticjs localstorage prefix","version":"1.0.0","words":"atticjs small localstorage wrapper with prefixing =tamarachahine atticjs localstorage prefix","author":"=tamarachahine","date":"2014-07-28 "},{"name":"attiny-common","description":"A common library for Tessel's ATTiny based modules","url":null,"keywords":"attiny common ir ambient spi","version":"0.0.3","words":"attiny-common a common library for tessel's attiny based modules =technicalmachine attiny common ir ambient spi","author":"=technicalmachine","date":"2014-08-01 "},{"name":"atto","description":"A minimalist Couchbase driver","url":null,"keywords":"couchbase","version":"0.1.3","words":"atto a minimalist couchbase driver =pj couchbase","author":"=pj","date":"2012-12-24 "},{"name":"attr","description":"Define values that you can subscribe for changes","url":null,"keywords":"","version":"1.0.1","words":"attr define values that you can subscribe for changes =azer","author":"=azer","date":"2014-06-22 "},{"name":"attr-accessor","description":"Convenience factories for creating getter/setters","url":null,"keywords":"attr accessor reader writer getter setter","version":"0.1.1","words":"attr-accessor convenience factories for creating getter/setters =timkurvers attr accessor reader writer getter setter","author":"=timkurvers","date":"2014-09-20 "},{"name":"attr-bind","description":"2-way dom element binding","url":null,"keywords":"2-way binding dom element browser reactive declarative html attr attractor","version":"3.1.0","words":"attr-bind 2-way dom element binding =substack 2-way binding dom element browser reactive declarative html attr attractor","author":"=substack","date":"2014-09-19 "},{"name":"attr-binder","description":"Bind functions to attributes","url":null,"keywords":"reactive data bind","version":"0.3.1","words":"attr-binder bind functions to attributes =the_swerve reactive data bind","author":"=the_swerve","date":"2014-06-18 "},{"name":"attr-brick","description":"Lego plugin to bind node properties to a store attribute","url":null,"keywords":"mvc mvvm lego brick attribute binding","version":"0.0.1","words":"attr-brick lego plugin to bind node properties to a store attribute =bredele mvc mvvm lego brick attribute binding","author":"=bredele","date":"2014-02-28 "},{"name":"attr-chooser","description":"select among a list of dom elements with the same attribute","url":null,"keywords":"dom element select choose browser attr attractor","version":"2.0.0","words":"attr-chooser select among a list of dom elements with the same attribute =substack dom element select choose browser attr attractor","author":"=substack","date":"2014-01-20 "},{"name":"attr-ev","description":"attribute-registered dom event listener","url":null,"keywords":"browser dom attr attractor event handler","version":"0.0.0","words":"attr-ev attribute-registered dom event listener =substack browser dom attr attractor event handler","author":"=substack","date":"2014-01-20 "},{"name":"attr-range","description":"find ranges for wiring up live automatically updating collections","url":null,"keywords":"data-start data-end data-key attractor attr","version":"2.0.1","words":"attr-range find ranges for wiring up live automatically updating collections =substack data-start data-end data-key attractor attr","author":"=substack","date":"2014-01-19 "},{"name":"attr-repeat","description":"Render an element for each item in an array","url":null,"keywords":"attractor repeat","version":"0.0.1","words":"attr-repeat render an element for each item in an array =pyscripter =bvirus attractor repeat","author":"=pyscripter =bvirus","date":"2014-01-19 "},{"name":"attr-scope","description":"invoke constructors at attributes to provide controller scopes for attractor","url":null,"keywords":"attractor scope controller attr nested browser html","version":"1.0.0","words":"attr-scope invoke constructors at attributes to provide controller scopes for attractor =substack attractor scope controller attr nested browser html","author":"=substack","date":"2014-08-12 "},{"name":"attr-submit","description":"register form submit handlers by dom attributes","url":null,"keywords":"form submit submission event browser dom attr attractor","version":"0.0.0","words":"attr-submit register form submit handlers by dom attributes =substack form submit submission event browser dom attr attractor","author":"=substack","date":"2014-01-20 "},{"name":"attractor","description":"snap together frontend and backend modules with html attributes","url":null,"keywords":"data binding declarative html reactive update live 2-way 1-way","version":"2.0.0","words":"attractor snap together frontend and backend modules with html attributes =substack data binding declarative html reactive update live 2-way 1-way","author":"=substack","date":"2014-09-19 "},{"name":"attribute","description":"Stream that updates attributes on elements","url":null,"keywords":"","version":"0.1.0","words":"attribute stream that updates attributes on elements =raynos","author":"=raynos","date":"2012-09-06 "},{"name":"attributes","description":"Query a database (currently PostgreSQL or Sqlite3) for its schema — columns or attributes — and get their properties, such as name, type and default value in a common format. You can use this for e.g. introspection or preparing your domain models like Rails's Active Record does.","url":null,"keywords":"rdbms schema attribute attributes sqlite3 sql models columns","version":"0.1.337","words":"attributes query a database (currently postgresql or sqlite3) for its schema — columns or attributes — and get their properties, such as name, type and default value in a common format. you can use this for e.g. introspection or preparing your domain models like rails's active record does. =moll rdbms schema attribute attributes sqlite3 sql models columns","author":"=moll","date":"2013-10-04 "},{"name":"attrition","description":"Simple queue/worker library for MongoDB.","url":null,"keywords":"","version":"0.0.5","words":"attrition simple queue/worker library for mongodb. =pomke","author":"=pomke","date":"2014-09-14 "},{"name":"attrs","description":"Shortcut to attr.attrs","url":null,"keywords":"","version":"0.0.0","words":"attrs shortcut to attr.attrs =azer","author":"=azer","date":"2013-03-29 "},{"name":"attrs.argv","description":"process.argv(or etc cli arguments style array) parser to named object.","url":null,"keywords":"argv process.argv cli cli parser","version":"0.2.0","words":"attrs.argv process.argv(or etc cli arguments style array) parser to named object. =joje argv process.argv cli cli parser","author":"=joje","date":"2014-07-14 "},{"name":"attrs.persist","description":"ODM","url":null,"keywords":"persistence persist ODM odm","version":"0.3.1","words":"attrs.persist odm =joje persistence persist odm odm","author":"=joje","date":"2013-12-12 "},{"name":"atts","description":"Attributes module","url":null,"keywords":"attributes dom browser","version":"0.0.1","words":"atts attributes module =ryanve attributes dom browser","author":"=ryanve","date":"2013-11-07 "},{"name":"atyourcommand","description":"Open web content into the command line","url":null,"keywords":"","version":"0.1.2","words":"atyourcommand open web content into the command line =brettz9","author":"=brettz9","date":"2014-06-10 "},{"name":"au","description":"ActiveUser developer SDK","url":null,"keywords":"activeuser chrome extensions","version":"0.0.1","words":"au activeuser developer sdk =activeuser activeuser chrome extensions","author":"=activeuser","date":"2012-11-20 "},{"name":"audacious","keywords":"","version":[],"words":"audacious","author":"","date":"2014-04-05 "},{"name":"audiac-scrape","description":"A simple web scraper.","url":null,"keywords":"webscrapping","version":"0.2.1","words":"audiac-scrape a simple web scraper. =audiac webscrapping","author":"=audiac","date":"2014-04-19 "},{"name":"audica-radio","description":"A stream player/recorder with a Textstar Serial LCD, Web UI and REST UI. Developed to use a raspberrypi as a standalone streaming radio. VLC is needed for playing. Streamripper is needed for recording.","url":null,"keywords":"","version":"0.1.16","words":"audica-radio a stream player/recorder with a textstar serial lcd, web ui and rest ui. developed to use a raspberrypi as a standalone streaming radio. vlc is needed for playing. streamripper is needed for recording. =mascha","author":"=mascha","date":"2013-12-26 "},{"name":"audio-aggregate-param","description":"Aggregate multiple AudioParam instances into a single object","url":null,"keywords":"","version":"0.1.1","words":"audio-aggregate-param aggregate multiple audioparam instances into a single object =jaz303","author":"=jaz303","date":"2014-04-25 "},{"name":"audio-buffer-sink","description":"A web audio sink node that writes received data to an AudioBuffer","url":null,"keywords":"audio buffer sink record node web-audio","version":"0.1.1","words":"audio-buffer-sink a web audio sink node that writes received data to an audiobuffer =jaz303 audio buffer sink record node web-audio","author":"=jaz303","date":"2014-04-18 "},{"name":"audio-buffer-utils","description":"Utility functions for working with Web Audio API Buffers","url":null,"keywords":"web audio api buffer","version":"0.1.0","words":"audio-buffer-utils utility functions for working with web audio api buffers =jaz303 web audio api buffer","author":"=jaz303","date":"2014-08-13 "},{"name":"audio-chunks","description":"slice/append/insert/subset/copy operations on AudioBuffer linked-list chunks","url":null,"keywords":"audio webaudioapi audiobuffer chunks","version":"0.0.1","words":"audio-chunks slice/append/insert/subset/copy operations on audiobuffer linked-list chunks =gre audio webaudioapi audiobuffer chunks","author":"=gre","date":"2013-10-14 "},{"name":"audio-component","description":"Sexy audio player (requires audio tag support)","url":null,"keywords":"audio","version":"0.1.0","words":"audio-component sexy audio player (requires audio tag support) =tjholowaychuk audio","author":"=tjholowaychuk","date":"2013-01-05 "},{"name":"audio-context","description":"A WebAudio Context singleton","url":null,"keywords":"webaudio audio context singleton","version":"0.1.0","words":"audio-context a webaudio context singleton =juliangruber webaudio audio context singleton","author":"=juliangruber","date":"2014-07-29 "},{"name":"audio-controls","description":"Audio Controls ==============","url":null,"keywords":"","version":"0.0.3","words":"audio-controls audio controls ============== =dankantor","author":"=dankantor","date":"2014-03-31 "},{"name":"audio-convert-export","description":"Convert and export audio files with ffmpeg.","url":null,"keywords":"convert export audio files ffmpeg","version":"0.5.2","words":"audio-convert-export convert and export audio files with ffmpeg. =kporten convert export audio files ffmpeg","author":"=kporten","date":"2014-08-07 "},{"name":"audio-debug","description":"A tiny debugger that's useful for echo testing programs with no output, and saving time.","url":null,"keywords":"","version":"0.0.1","words":"audio-debug a tiny debugger that's useful for echo testing programs with no output, and saving time. =bren2010","author":"=bren2010","date":"2012-09-15 "},{"name":"audio-driven-time-control","description":"(work in progress)","url":null,"keywords":"","version":"0.1.0-beta.9","words":"audio-driven-time-control (work in progress) =ariaminaei","author":"=ariaminaei","date":"2014-08-23 "},{"name":"audio-fft","description":"visualize audio data on canvas with frequency or time","url":null,"keywords":"frequency canvas fft audio webaudio time waves","version":"0.1.0","words":"audio-fft visualize audio data on canvas with frequency or time =meandave frequency canvas fft audio webaudio time waves","author":"=meandave","date":"2014-09-18 "},{"name":"audio-meddle","description":"Route Web Audio API audio nodes through schedulable chains of processor nodes.","url":null,"keywords":"meddle mashup waapi audio route chain finger fx AudioNode","version":"0.2.0","words":"audio-meddle route web audio api audio nodes through schedulable chains of processor nodes. =mmckegg meddle mashup waapi audio route chain finger fx audionode","author":"=mmckegg","date":"2014-09-03 "},{"name":"audio-metadata","description":"Extract metadata from audio files","url":null,"keywords":"id3 metadata mp3 ogg wav audio","version":"0.3.0","words":"audio-metadata extract metadata from audio files =tmont id3 metadata mp3 ogg wav audio","author":"=tmont","date":"2014-01-14 "},{"name":"audio-metadata-display","description":"Audio Metadata Display ======================","url":null,"keywords":"","version":"0.0.3","words":"audio-metadata-display audio metadata display ====================== =dankantor","author":"=dankantor","date":"2014-03-13 "},{"name":"audio-notes","description":"Note frequencies for equal-tempered scale","url":null,"keywords":"audio notes frequencies note frequency","version":"0.1.0","words":"audio-notes note frequencies for equal-tempered scale =gre audio notes frequencies note frequency","author":"=gre","date":"2013-11-16 "},{"name":"audio-param-transform","description":"Apply multiple transforms with custom functions to Web Audio API AudioParams.","url":null,"keywords":"AudioParam modulate lfo transform Web Audio API offset transpose setValueCurveAtTime AudioNode","version":"1.0.0","words":"audio-param-transform apply multiple transforms with custom functions to web audio api audioparams. =mmckegg audioparam modulate lfo transform web audio api offset transpose setvaluecurveattime audionode","author":"=mmckegg","date":"2014-08-21 "},{"name":"audio-progress-bar","description":"This handles common functionality with an audio progress bar such as updating current time position, duration, progress bar position, loading indicator and seeking.","url":null,"keywords":"","version":"0.0.2","words":"audio-progress-bar this handles common functionality with an audio progress bar such as updating current time position, duration, progress bar position, loading indicator and seeking. =dankantor","author":"=dankantor","date":"2014-08-01 "},{"name":"audio-recorder","description":"An extensible audio recorder.","url":null,"keywords":"audio microphone record","version":"0.5.1","words":"audio-recorder an extensible audio recorder. =psirenny audio microphone record","author":"=psirenny","date":"2014-04-16 "},{"name":"audio-recorder-phonegap","description":"Phonegap audio recorder plugin.","url":null,"keywords":"audio microphone mobile phonegap record","version":"0.2.0","words":"audio-recorder-phonegap phonegap audio recorder plugin. =psirenny audio microphone mobile phonegap record","author":"=psirenny","date":"2014-03-26 "},{"name":"audio-recorder-rtc","description":"WebRTC audio recorder plugin.","url":null,"keywords":"audio microphone record RTC web","version":"0.2.2","words":"audio-recorder-rtc webrtc audio recorder plugin. =psirenny audio microphone record rtc web","author":"=psirenny","date":"2014-06-25 "},{"name":"audio-recorder-wami","description":"Wami audio recorder plugin.","url":null,"keywords":"audio microphone record RTC web","version":"0.3.2","words":"audio-recorder-wami wami audio recorder plugin. =psirenny audio microphone record rtc web","author":"=psirenny","date":"2014-04-21 "},{"name":"audio-rms","description":"Connect a Web Audio API AudioNode and stream out the realtime RMS audio level.","url":null,"keywords":"level meter vu rms waapi audio AudioNode","version":"1.0.0","words":"audio-rms connect a web audio api audionode and stream out the realtime rms audio level. =mmckegg level meter vu rms waapi audio audionode","author":"=mmckegg","date":"2014-07-26 "},{"name":"audio-slot","description":"Web Audio API triggerable audio slot described with JSON consisting of sources, processors, and modulators.","url":null,"keywords":"soundbank waapi AudioNode modulator source AudioParam json midi","version":"2.0.0","words":"audio-slot web audio api triggerable audio slot described with json consisting of sources, processors, and modulators. =mmckegg soundbank waapi audionode modulator source audioparam json midi","author":"=mmckegg","date":"2014-09-03 "},{"name":"audio-streamer","description":"Streams audio data as binary data via binaryjs connection","url":null,"keywords":"audio dsp processing sound streaming signal","version":"0.1.0","words":"audio-streamer streams audio data as binary data via binaryjs connection =mvegeto audio dsp processing sound streaming signal","author":"=mvegeto","date":"2012-10-13 "},{"name":"audio-support-level","description":"Check if the given audio format is supported on the browser, and return the compatibility level as a number","url":null,"keywords":"audio type subtype codec codecs format mime canplaytype level support compatibility number client-side browser","version":"0.1.1","words":"audio-support-level check if the given audio format is supported on the browser, and return the compatibility level as a number =shinnn audio type subtype codec codecs format mime canplaytype level support compatibility number client-side browser","author":"=shinnn","date":"2014-08-02 "},{"name":"audio-tag-injector","description":"Automatically adds html5 audio elements inline beside links to mp3, ogg, and wav files.","url":null,"keywords":"html5 audio atropa","version":"0.1.2","words":"audio-tag-injector automatically adds html5 audio elements inline beside links to mp3, ogg, and wav files. =kastor html5 audio atropa","author":"=kastor","date":"2013-08-05 "},{"name":"audio-type","description":"Detect the audio type of a Buffer/Uint8Array","url":null,"keywords":"audio sound wav mp3 flac type detect check is binary buffer uint8array cli","version":"0.1.4","words":"audio-type detect the audio type of a buffer/uint8array =hemanth audio sound wav mp3 flac type detect check is binary buffer uint8array cli","author":"=hemanth","date":"2014-05-08 "},{"name":"audio-utils","description":"Audio utilities like fundamental frequency detection, populate buffer with sinusoidal curves","url":null,"keywords":"audio beat detection synthesis signal processing populate buffer","version":"1.0.0","words":"audio-utils audio utilities like fundamental frequency detection, populate buffer with sinusoidal curves =eventhorizon audio beat detection synthesis signal processing populate buffer","author":"=eventhorizon","date":"2014-09-03 "},{"name":"audio-voltage","description":"Automatable DC voltage for modulation of Web Audio API AudioParams.","url":null,"keywords":"voltage dc vc modulate waapi audio browser gain AudioParam offset","version":"1.0.0","words":"audio-voltage automatable dc voltage for modulation of web audio api audioparams. =mmckegg voltage dc vc modulate waapi audio browser gain audioparam offset","author":"=mmckegg","date":"2014-08-31 "},{"name":"audio-volume-bar","description":"volume-bar ==========","url":null,"keywords":"","version":"0.0.2","words":"audio-volume-bar volume-bar ========== =dankantor","author":"=dankantor","date":"2014-03-27 "},{"name":"audio-vs1053b","description":"Library to run the Tessel Audio Module. Plays and records sound.","url":null,"keywords":"tessel audio recording play sound music vs1053b","version":"0.1.6","words":"audio-vs1053b library to run the tessel audio module. plays and records sound. =johnnyman727 =technicalmachine tessel audio recording play sound music vs1053b","author":"=johnnyman727 =technicalmachine","date":"2014-06-06 "},{"name":"audio.ino","description":"Play audio files through the DAC outputs of the Arduino Due. Packaged for the leo build system.","url":null,"keywords":"arduino avr gcc make ino yun uno leo","version":"0.1.0","words":"audio.ino play audio files through the dac outputs of the arduino due. packaged for the leo build system. =adammagaluk arduino avr gcc make ino yun uno leo","author":"=adammagaluk","date":"2014-05-11 "},{"name":"audio2video","description":"Streaming audio to video converter","url":null,"keywords":"audio video ffmpeg convert","version":"0.1.0","words":"audio2video streaming audio to video converter =wavded audio video ffmpeg convert","author":"=wavded","date":"2014-01-13 "},{"name":"audio5","description":"HTML5 Audio Compatibility Layer","url":null,"keywords":"audio HTML5 API","version":"0.1.9","words":"audio5 html5 audio compatibility layer =zohararad audio html5 api","author":"=zohararad","date":"2014-03-17 "},{"name":"audiobuffer","description":"An implementation of Web Audio API's AudioBuffer for node.js and the browser.","url":null,"keywords":"audio sound music web audio web audio api dsp","version":"0.2.0","words":"audiobuffer an implementation of web audio api's audiobuffer for node.js and the browser. =sebpiq audio sound music web audio web audio api dsp","author":"=sebpiq","date":"2013-07-31 "},{"name":"audiocontext","description":"Web Audio API AudioContext shim","url":null,"keywords":"audio audioapi webaudioapi audiocontext","version":"0.1.0","words":"audiocontext web audio api audiocontext shim =gre audio audioapi webaudioapi audiocontext","author":"=gre","date":"2013-10-11 "},{"name":"audiokit","description":"A toolkit of audio processing tools","url":null,"keywords":"","version":"0.0.0","words":"audiokit a toolkit of audio processing tools =jussi-kalliokoski","author":"=jussi-kalliokoski","date":"2013-01-18 "},{"name":"audiolib","description":"audiolib.js is a powerful audio tools library for javascript.","url":null,"keywords":"","version":"0.6.6","words":"audiolib audiolib.js is a powerful audio tools library for javascript. =jussi-kalliokoski","author":"=jussi-kalliokoski","date":"2013-09-01 "},{"name":"audionode","description":"Mix and distribute audio in node :)","url":null,"keywords":"","version":"0.1.0","words":"audionode mix and distribute audio in node :) =thejh","author":"=thejh","date":"2011-12-12 "},{"name":"audioshift","description":"Simple JavaScript signal processing","url":null,"keywords":"","version":"0.0.2","words":"audioshift simple javascript signal processing =dabbler0","author":"=dabbler0","date":"2014-04-21 "},{"name":"audiosource","description":"utility for managing audio buffers","url":null,"keywords":"webaudio audio buffers fft visualizations playback mps wav ogg","version":"0.1.0","words":"audiosource utility for managing audio buffers =meandave webaudio audio buffers fft visualizations playback mps wav ogg","author":"=meandave","date":"2014-09-18 "},{"name":"audiosprite","description":"Concat small audio files into single file and export in many formats.","url":null,"keywords":"audio audio-sprite jukebox ffmpeg","version":"0.3.5","words":"audiosprite concat small audio files into single file and export in many formats. =tonistiigi audio audio-sprite jukebox ffmpeg","author":"=tonistiigi","date":"2014-09-01 "},{"name":"audiospritler","description":"Concat small audio files into single file and export in many formats for use with Howler.js.","url":null,"keywords":"audio audio-sprite howler ffmpeg","version":"0.1.3","words":"audiospritler concat small audio files into single file and export in many formats for use with howler.js. =alebles audio audio-sprite howler ffmpeg","author":"=alebles","date":"2013-12-16 "},{"name":"audiostream","description":"Stream and transcode your music library","url":null,"keywords":"audio stream transcode jukebox music library browser","version":"0.0.2","words":"audiostream stream and transcode your music library =wangstabill audio stream transcode jukebox music library browser","author":"=wangstabill","date":"2012-11-05 "},{"name":"audiounitjs","description":"Scaffold an XCode project for an audio unit with a javascript UI","url":null,"keywords":"Audio Unit","version":"0.0.6","words":"audiounitjs scaffold an xcode project for an audio unit with a javascript ui =ghostfact audio unit","author":"=ghostfact","date":"2013-03-06 "},{"name":"audit","description":"Generate performance statistics for async or sync functions","url":null,"keywords":"bench audit performance","version":"0.0.6","words":"audit generate performance statistics for async or sync functions =weltschmerz bench audit performance","author":"=Weltschmerz","date":"2012-08-02 "},{"name":"audit-fs","description":"Audit file/directory properties and content","url":null,"keywords":"filesystem files directories stat grep expectation test","version":"0.3.0","words":"audit-fs audit file/directory properties and content =codeactual filesystem files directories stat grep expectation test","author":"=codeactual","date":"2013-06-13 "},{"name":"audit-log","description":"Node Audit Logging Toolkit","url":null,"keywords":"node log audit","version":"0.9.1","words":"audit-log node audit logging toolkit =ccraigc node log audit","author":"=ccraigc","date":"2013-02-02 "},{"name":"audit-ool","keywords":"","version":[],"words":"audit-ool","author":"","date":"2014-06-24 "},{"name":"audit-shelljs","description":"Audit directory properties/content with ShellJS","url":null,"keywords":"shelljs outer-shelljs audit test","version":"0.1.3","words":"audit-shelljs audit directory properties/content with shelljs =codeactual shelljs outer-shelljs audit test","author":"=codeactual","date":"2013-05-23 "},{"name":"audit.sequelize","description":"Wrapper around sequelize(a open source ORM for node.js) to audit each insert, update, delete operation","url":null,"keywords":"audit sequelize sequelizeWrapper","version":"0.0.1","words":"audit.sequelize wrapper around sequelize(a open source orm for node.js) to audit each insert, update, delete operation =mayank.mittal audit sequelize sequelizewrapper","author":"=mayank.mittal","date":"2012-11-02 "},{"name":"audit_couchdb","description":"Detect security issues in an Apache CouchDB server","url":null,"keywords":"","version":"0.3.1","words":"audit_couchdb detect security issues in an apache couchdb server =jhs =jhs","author":"=jhs =jhs","date":"2011-11-06 "},{"name":"audit_sequelize","description":"Wrapper around sequelize(a open source ORM for node.js) to audit each insert, update, delete operation","url":null,"keywords":"audit sequelize sequelizeWrapper","version":"0.0.14","words":"audit_sequelize wrapper around sequelize(a open source orm for node.js) to audit each insert, update, delete operation =mayank.mittal audit sequelize sequelizewrapper","author":"=mayank.mittal","date":"2013-07-02 "},{"name":"auditlog","description":"simple multi-transport audit log module with triggers","url":null,"keywords":"","version":"0.1.0","words":"auditlog simple multi-transport audit log module with triggers =marcokaiser","author":"=marcokaiser","date":"2013-03-28 "},{"name":"auditor","description":"","url":null,"keywords":"auditor validator","version":"0.1.4","words":"auditor =mah0x211 auditor validator","author":"=mah0x211","date":"2011-07-14 "},{"name":"auditor-ws","description":"WebSocket Server for Auditor","url":null,"keywords":"","version":"0.1.4","words":"auditor-ws websocket server for auditor =gmjosack","author":"=gmjosack","date":"2013-10-31 "},{"name":"auditval","description":"Audited numeric value","url":null,"keywords":"","version":"0.0.1","words":"auditval audited numeric value =rremer","author":"=rremer","date":"2014-07-24 "},{"name":"aug","description":"a library to augment objects and prototypes","url":null,"keywords":"extend objects prototype","version":"0.1.0","words":"aug a library to augment objects and prototypes =jga extend objects prototype","author":"=jga","date":"2013-05-03 "},{"name":"aught","description":"Require flippin' anything","url":null,"keywords":"require require.extensions","version":"0.1.0","words":"aught require flippin' anything =quarterto require require.extensions","author":"=quarterto","date":"2014-08-09 "},{"name":"augment","description":"The world's smallest and fastest classical JavaScript inheritance pattern.","url":null,"keywords":"augment augments augmentation extend extends extension prototype prototypal class classical object inheritance uber super constructor oop","version":"4.3.0","words":"augment the world's smallest and fastest classical javascript inheritance pattern. =aaditmshah augment augments augmentation extend extends extension prototype prototypal class classical object inheritance uber super constructor oop","author":"=aaditmshah","date":"2014-06-07 "},{"name":"augmented","description":"A javascript preprocessor","url":null,"keywords":"","version":"0.4.0","words":"augmented a javascript preprocessor =alxandr","author":"=alxandr","date":"2013-05-14 "},{"name":"augmentjs","description":"A library for augmenting primitive JavaScript data types with non-destructive convenience methods.","url":null,"keywords":"library javascript","version":"0.1.7","words":"augmentjs a library for augmenting primitive javascript data types with non-destructive convenience methods. =mrmichael library javascript","author":"=mrmichael","date":"2013-10-11 "},{"name":"augur","description":"tiny little promises, cooked to perfection.","url":null,"keywords":"promises tiny small miny","version":"1.0.2","words":"augur tiny little promises, cooked to perfection. =jonpacker promises tiny small miny","author":"=jonpacker","date":"2013-06-24 "},{"name":"august","description":"About August","url":null,"keywords":"nodejs","version":"0.0.2","words":"august about august =sandropasquali nodejs","author":"=sandropasquali","date":"2013-09-04 "},{"name":"aui","description":"dpl maker creater designer user","url":null,"keywords":"dpl","version":"0.0.3","words":"aui dpl maker creater designer user =frontwindysky dpl","author":"=frontwindysky","date":"2014-05-05 "},{"name":"auidocjs","description":"AUIDoc from YUIDoc","url":null,"keywords":"yui jsdoc api documentation javadoc docs apidocs","version":"0.0.6","words":"auidocjs auidoc from yuidoc =hooriza yui jsdoc api documentation javadoc docs apidocs","author":"=hooriza","date":"2014-03-25 "},{"name":"aulaupt-api","description":"Sencilla API para interactuar con el Aula Virtual de la Universidad Privada de Tacna","url":null,"keywords":"upt tacna jpacora ikeyman","version":"0.1.2","words":"aulaupt-api sencilla api para interactuar con el aula virtual de la universidad privada de tacna =ikeyman upt tacna jpacora ikeyman","author":"=ikeyman","date":"2014-04-28 "},{"name":"aulx","description":"Autocompletion for the Web. Includes JS with static and dynamic analysis.","keywords":"","version":[],"words":"aulx autocompletion for the web. includes js with static and dynamic analysis. =espadrine","author":"=espadrine","date":"2013-06-01 "},{"name":"auquery","description":"Selenium-powered JQuery-like automation library","url":null,"keywords":"","version":"0.2.4","words":"auquery selenium-powered jquery-like automation library =cyrjano","author":"=cyrjano","date":"2014-01-28 "},{"name":"aur","description":"Archlinux AUR cli","url":null,"keywords":"","version":"0.1.2","words":"aur archlinux aur cli =filirom1","author":"=filirom1","date":"2012-08-02 "},{"name":"aura","description":"[![Build Status](https://travis-ci.org/aurajs/aura.png?branch=master)](https://travis-ci.org/aurajs/aura)","url":null,"keywords":"","version":"0.9.1","words":"aura [![build status](https://travis-ci.org/aurajs/aura.png?branch=master)](https://travis-ci.org/aurajs/aura) =addyosmani","author":"=addyosmani","date":"2013-07-21 "},{"name":"aureooms-js-algo","description":"playground for algorithmic code bricks in JavaScript","url":null,"keywords":"js javascript algorithm adt complexity template","version":"0.2.3","words":"aureooms-js-algo playground for algorithmic code bricks in javascript =aureooms js javascript algorithm adt complexity template","author":"=aureooms","date":"2014-09-10 "},{"name":"aureooms-js-bit","description":"bit twiddling hacks code bricks for JavaScript","url":null,"keywords":"binary bit bricks hacks javascript js twiddling","version":"0.0.3","words":"aureooms-js-bit bit twiddling hacks code bricks for javascript =aureooms binary bit bricks hacks javascript js twiddling","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-cg","description":"computational geometry code bricks for JavaScript","url":null,"keywords":"js javascript algorithm complexity template kernel computational geometry cg","version":"0.4.0","words":"aureooms-js-cg computational geometry code bricks for javascript =aureooms js javascript algorithm complexity template kernel computational geometry cg","author":"=aureooms","date":"2014-09-20 "},{"name":"aureooms-js-gn","description":"graphs and networks code bricks for JavaScript","url":null,"keywords":"js javascript algorithm adt template complexity graphs networks gn","version":"0.2.0","words":"aureooms-js-gn graphs and networks code bricks for javascript =aureooms js javascript algorithm adt template complexity graphs networks gn","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-ho","description":"heuristic optimization code bricks for JavaScript","url":null,"keywords":"js javascript algorithm complexity heuristic optimization","version":"0.1.0","words":"aureooms-js-ho heuristic optimization code bricks for javascript =aureooms js javascript algorithm complexity heuristic optimization","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-integer","description":"integer code bricks for JavaScript","url":null,"keywords":"js javascript algorithm template complexity mpa multi-precision arithmetic kernel library code bricks logic bignum integer","version":"0.3.0","words":"aureooms-js-integer integer code bricks for javascript =aureooms js javascript algorithm template complexity mpa multi-precision arithmetic kernel library code bricks logic bignum integer","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-mem","description":"memory management code bricks for JavaScript","url":null,"keywords":"allocation arrays bricks javascript js management memory","version":"0.0.4","words":"aureooms-js-mem memory management code bricks for javascript =aureooms allocation arrays bricks javascript js management memory","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-nlp","description":"natural language processing code bricks for JavaScript","url":null,"keywords":"js javascript algorithm complexity natural language processing nlp","version":"0.1.0","words":"aureooms-js-nlp natural language processing code bricks for javascript =aureooms js javascript algorithm complexity natural language processing nlp","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-oro","description":"operations research and optimization code bricks for JavaScript","url":null,"keywords":"js javascript algorithm complexity operations research optimization","version":"0.1.0","words":"aureooms-js-oro operations research and optimization code bricks for javascript =aureooms js javascript algorithm complexity operations research optimization","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-polynomial","description":"sparse and dense polynomials code bricks for JavaScript","url":null,"keywords":"algebra bricks javascript js mathematics polynomial","version":"0.0.4","words":"aureooms-js-polynomial sparse and dense polynomials code bricks for javascript =aureooms algebra bricks javascript js mathematics polynomial","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-js-rational","description":"rational numbers code bricks for JavaScript","url":null,"keywords":"js javascript algorithm template complexity arithmetic bigdec bigdecimal fractions rational numbers exact","version":"0.1.0","words":"aureooms-js-rational rational numbers code bricks for javascript =aureooms js javascript algorithm template complexity arithmetic bigdec bigdecimal fractions rational numbers exact","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-nlp","description":"natural language processing algorithm templates for JavaScript","url":null,"keywords":"js javascript algorithm complexity natural language processing nlp","version":"0.0.1","words":"aureooms-nlp natural language processing algorithm templates for javascript =aureooms js javascript algorithm complexity natural language processing nlp","author":"=aureooms","date":"2014-07-06 "},{"name":"aureooms-node-package","description":"package helpers for node","url":null,"keywords":"node package build test auto","version":"1.1.0","words":"aureooms-node-package package helpers for node =aureooms node package build test auto","author":"=aureooms","date":"2014-09-20 "},{"name":"aureooms-node-recursive-build","description":"recursive build for node","url":null,"keywords":"node recursive build auto","version":"1.0.0","words":"aureooms-node-recursive-build recursive build for node =aureooms node recursive build auto","author":"=aureooms","date":"2014-09-07 "},{"name":"aureooms-node-recursive-require","description":"recursive require for node","url":null,"keywords":"node recursive require auto","version":"1.0.0","words":"aureooms-node-recursive-require recursive require for node =aureooms node recursive require auto","author":"=aureooms","date":"2014-09-07 "},{"name":"aurigma-uploader-sample","description":"A simple example of a server which receives uploads using Aurigma Upload Suite.","url":null,"keywords":"","version":"0.0.4","words":"aurigma-uploader-sample a simple example of a server which receives uploads using aurigma upload suite. =asimontsev","author":"=asimontsev","date":"2013-10-02 "},{"name":"aurora","description":"Streamline & Traceur compiler for node.js","url":null,"keywords":"","version":"0.2.1","words":"aurora streamline & traceur compiler for node.js =aikar","author":"=aikar","date":"2011-10-06 "},{"name":"auryn","description":"magic item for node developer into mobile fantasia","url":null,"keywords":"","version":"0.0.3-pre","words":"auryn magic item for node developer into mobile fantasia =dawicorti","author":"=dawicorti","date":"2014-09-10 "},{"name":"ausarcode-github-example","keywords":"","version":[],"words":"ausarcode-github-example","author":"","date":"2014-03-07 "},{"name":"auster","url":null,"keywords":"","version":"0.0.7","words":"auster =ciembor","author":"=ciembor","date":"2014-06-08 "},{"name":"aute","description":"懒人express路由","url":null,"keywords":"aute.js 路由 express","version":"1.0.0","words":"aute 懒人express路由 =bbuc aute.js 路由 express","author":"=bbuc","date":"2014-09-17 "},{"name":"auth","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.9","words":"auth error: no readme.md file found! =architectd","author":"=architectd","date":"2013-01-18 "},{"name":"auth-app","description":"Contains login page and change/reset password functionality as well as eula acceptance.","url":null,"keywords":"","version":"1.1.1","words":"auth-app contains login page and change/reset password functionality as well as eula acceptance. =hlucas","author":"=hlucas","date":"2014-08-08 "},{"name":"auth-client","description":"Checks Authorisation using tokens from a remote web server","url":null,"keywords":"express auth authentication login session authorization","version":"0.4.3","words":"auth-client checks authorisation using tokens from a remote web server =philfcorcoran express auth authentication login session authorization","author":"=philfcorcoran","date":"2014-09-04 "},{"name":"auth-fs","description":"auth based on filesystem","url":null,"keywords":"auth","version":"0.0.1","words":"auth-fs auth based on filesystem =s-a auth","author":"=s-a","date":"2014-03-20 "},{"name":"auth-net-cim","description":"Authorize.net CIM bindings for Node.JS","url":null,"keywords":"authorize authorizenet authorize.net cim authorize cim authorize.net cim","version":"2.0.1","words":"auth-net-cim authorize.net cim bindings for node.js =durango authorize authorizenet authorize.net cim authorize cim authorize.net cim","author":"=durango","date":"2014-09-15 "},{"name":"auth-net-request","description":"Authorize.net requests for Node.JS","url":null,"keywords":"","version":"2.1.0","words":"auth-net-request authorize.net requests for node.js =durango","author":"=durango","date":"2014-09-13 "},{"name":"auth-net-types","description":"A collection of Authorize.net's types/data types/xml objects.","url":null,"keywords":"authorize authorizenet authorize.net","version":"1.0.3","words":"auth-net-types a collection of authorize.net's types/data types/xml objects. =durango authorize authorizenet authorize.net","author":"=durango","date":"2014-03-25 "},{"name":"auth-permission","description":"Represent a permission having an action and resource.","url":null,"keywords":"acl roles permissions permission","version":"0.1.0","words":"auth-permission represent a permission having an action and resource. =amingoia acl roles permissions permission","author":"=amingoia","date":"2013-11-09 "},{"name":"auth-proxy","description":"An authetnicating proxy server protecting operations services.","url":null,"keywords":"","version":"0.0.0","words":"auth-proxy an authetnicating proxy server protecting operations services. =tizzo","author":"=tizzo","date":"2014-07-02 "},{"name":"auth-role","description":"Create named collections of permissions.","url":null,"keywords":"acl roles permissions role","version":"0.1.0","words":"auth-role create named collections of permissions. =amingoia acl roles permissions role","author":"=amingoia","date":"2013-11-09 "},{"name":"auth-scope","description":"Create authorization scope from collection of roles and/or permissions.","url":null,"keywords":"acl roles permissions scope oauth","version":"0.2.0","words":"auth-scope create authorization scope from collection of roles and/or permissions. =amingoia acl roles permissions scope oauth","author":"=amingoia","date":"2013-11-10 "},{"name":"auth-server","description":"OAuth Server for v2.31 of spec","url":null,"keywords":"oauth auth server","version":"2.2.2","words":"auth-server oauth server for v2.31 of spec =wyatt oauth auth server","author":"=wyatt","date":"2013-06-23 "},{"name":"auth-socket","description":"pluggable authentication API for http, websockets, etc","url":null,"keywords":"","version":"1.0.0","words":"auth-socket pluggable authentication api for http, websockets, etc =maxogden","author":"=maxogden","date":"2013-12-03 "},{"name":"auth-stream","description":"Authorize access before exposing a stream","url":null,"keywords":"","version":"0.1.0","words":"auth-stream authorize access before exposing a stream =raynos","author":"=raynos","date":"2012-08-24 "},{"name":"auth-token","description":"issues crypto-signed authentication token","url":null,"keywords":"","version":"0.1.0","words":"auth-token issues crypto-signed authentication token =parroit","author":"=parroit","date":"2014-01-18 "},{"name":"auth.net.types","description":"A collection of Authorize.net's types/data types/xml objects.","url":null,"keywords":"authorize authorizenet authorize.net","version":"1.0.0","words":"auth.net.types a collection of authorize.net's types/data types/xml objects. =durango authorize authorizenet authorize.net","author":"=durango","date":"2013-08-05 "},{"name":"auth.rbs","description":"Simple local authentication scheme with remember me functionality.","url":null,"keywords":"authentication cookies simple","version":"0.3.2","words":"auth.rbs simple local authentication scheme with remember me functionality. =rbs authentication cookies simple","author":"=rbs","date":"2012-02-29 "},{"name":"auth0","description":"Client library for the Auth0 platform","url":null,"keywords":"","version":"0.6.5","words":"auth0 client library for the auth0 platform =jfromaniello =iaco =pose =dschenkelman","author":"=jfromaniello =iaco =pose =dschenkelman","date":"2014-09-18 "},{"name":"auth0-angular","description":"This AngularJS module will help you implement client-side and server-side (API) authentication. You can use it together with [Auth0](https://www.auth0.com) to add support for username/password authentication, enterprise identity providers like Active Dire","url":null,"keywords":"","version":"2.2.7","words":"auth0-angular this angularjs module will help you implement client-side and server-side (api) authentication. you can use it together with [auth0](https://www.auth0.com) to add support for username/password authentication, enterprise identity providers like active dire =pose =cristiandouce =mgonto","author":"=pose =cristiandouce =mgonto","date":"2014-09-18 "},{"name":"auth0-js","description":"Auth0 headless browser sdk","url":null,"keywords":"auth0 auth openid authentication jwt browser","version":"4.2.7","words":"auth0-js auth0 headless browser sdk =jfromaniello =iaco =pose =cristiandouce =dschenkelman =mgonto =auth0 auth0 auth openid authentication jwt browser","author":"=jfromaniello =iaco =pose =cristiandouce =dschenkelman =mgonto =auth0","date":"2014-09-15 "},{"name":"auth0-lock","description":"Auth0 Lock","url":null,"keywords":"auth0 auth openid authentication jwt browser","version":"6.2.9","words":"auth0-lock auth0 lock =cristiandouce =jfromaniello =pose =iaco =auth0 =mgonto auth0 auth openid authentication jwt browser","author":"=cristiandouce =jfromaniello =pose =iaco =auth0 =mgonto","date":"2014-09-17 "},{"name":"auth0-widget.js","description":"Auth0 Login Widget","url":null,"keywords":"auth0 auth openid authentication jwt browser","version":"5.2.9","words":"auth0-widget.js auth0 login widget =jfromaniello =pose =iaco =cristiandouce =dschenkelman =mgonto =auth0 auth0 auth openid authentication jwt browser","author":"=jfromaniello =pose =iaco =cristiandouce =dschenkelman =mgonto =auth0","date":"2014-09-16 "},{"name":"auth0mosca","description":"An authentication/authorization module for mosca servers, using Auth0","url":null,"keywords":"mosca authentication authorization mqtt jwt","version":"0.1.0","words":"auth0mosca an authentication/authorization module for mosca servers, using auth0 =eugeniop mosca authentication authorization mqtt jwt","author":"=eugeniop","date":"2014-05-17 "},{"name":"authcenter","description":"Auth appliaction","url":null,"keywords":"","version":"0.0.0","words":"authcenter auth appliaction =happy7259","author":"=happy7259","date":"2014-01-14 "},{"name":"authcode","description":"discuz authcode function for nodejs","url":null,"keywords":"authcode discuz","version":"0.0.1","words":"authcode discuz authcode function for nodejs =gloomyzerg authcode discuz","author":"=gloomyzerg","date":"2014-01-24 "},{"name":"authen","description":"Authentication tools - signing, tokens, password hashes","url":null,"keywords":"authentification sign token password hash urlsafe base64","version":"0.0.2","words":"authen authentication tools - signing, tokens, password hashes =dimsmol authentification sign token password hash urlsafe base64","author":"=dimsmol","date":"2013-09-20 "},{"name":"authentic","keywords":"","version":[],"words":"authentic","author":"","date":"2014-04-05 "},{"name":"authenticate","description":"Access token authentication middleware for Express, NodeJS","url":null,"keywords":"express connect auth authn authentication middleware accesstoken","version":"0.1.5","words":"authenticate access token authentication middleware for express, nodejs =badave express connect auth authn authentication middleware accesstoken","author":"=badave","date":"2013-01-23 "},{"name":"authenticate-pam","description":"Asynchronous PAM authentication for Node.JS","url":null,"keywords":"","version":"0.2.2","words":"authenticate-pam asynchronous pam authentication for node.js =rushpl","author":"=RushPL","date":"2014-05-26 "},{"name":"authenticated","description":"ensure a request is authenticated","url":null,"keywords":"authenticated connect middleware logged in","version":"0.1.0","words":"authenticated ensure a request is authenticated =jden =agilemd authenticated connect middleware logged in","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"authentication","keywords":"","version":[],"words":"authentication","author":"","date":"2014-03-28 "},{"name":"authentication-plus","description":"Authentication for node.js","url":null,"keywords":"sessions authentication persistent json","version":"0.0.2","words":"authentication-plus authentication for node.js =dicaxdorcas sessions authentication persistent json","author":"=dicaxdorcas","date":"2013-09-22 "},{"name":"auther","description":"(Auth)entification and (Auth)orization middleware for express.js","url":null,"keywords":"","version":"0.0.4","words":"auther (auth)entification and (auth)orization middleware for express.js =anderslarsson","author":"=anderslarsson","date":"2013-05-03 "},{"name":"autheremin","description":"Authing against a DB","url":null,"keywords":"","version":"0.0.5","words":"autheremin authing against a db =gsf","author":"=gsf","date":"2013-08-25 "},{"name":"authhmac","description":"HMAC signature for NodeJS HTTP requests","url":null,"keywords":"","version":"0.0.2","words":"authhmac hmac signature for nodejs http requests =cloudify","author":"=cloudify","date":"2012-01-18 "},{"name":"authinator","description":"Simple Authenticator based on requirejs using MySQL to store pbkdf2-Hashed Passwords.","url":null,"keywords":"mysql pbkdf2 passport.js","version":"0.0.12","words":"authinator simple authenticator based on requirejs using mysql to store pbkdf2-hashed passwords. =sharian mysql pbkdf2 passport.js","author":"=sharian","date":"2014-09-10 "},{"name":"authkit","description":"A small brunch of code that help developer to manage access control","url":null,"keywords":"api","version":"0.2.0","words":"authkit a small brunch of code that help developer to manage access control =bu api","author":"=bu","date":"2012-08-21 "},{"name":"authlink","description":"A simple middleware to generate and check an hmac signed cookie as a lightweight auth.","url":null,"keywords":"","version":"0.2.0","words":"authlink a simple middleware to generate and check an hmac signed cookie as a lightweight auth. =johntoopublic","author":"=johntoopublic","date":"2014-07-18 "},{"name":"authlogic","description":"auth module for app backed by jsoncan","url":null,"keywords":"auth authlogic","version":"0.2.2","words":"authlogic auth module for app backed by jsoncan =bibig auth authlogic","author":"=bibig","date":"2014-06-13 "},{"name":"authnet","description":"Authorize.net Node API","url":null,"keywords":"authorize.net","version":"0.0.2","words":"authnet authorize.net node api =euforic authorize.net","author":"=euforic","date":"2013-02-22 "},{"name":"authnet_cim","description":"Authorize.net CIM Interface.","url":null,"keywords":"gateway authorize.net cim payment credit card","version":"0.2.0","words":"authnet_cim authorize.net cim interface. =jessedpate gateway authorize.net cim payment credit card","author":"=jessedpate","date":"2012-11-14 "},{"name":"authom","description":"A dependency-free multi-service authentication tool for node.js","url":null,"keywords":"auth authorization oauth http","version":"0.4.31","words":"authom a dependency-free multi-service authentication tool for node.js =jed =aslakhellesoy =danielepolencic auth authorization oauth http","author":"=jed =aslakhellesoy =danielepolencic","date":"2014-07-26 "},{"name":"author","description":"a simple token and signature creator for OAuth","url":null,"keywords":"oauth token timestamp nonce ket","version":"0.0.1","words":"author a simple token and signature creator for oauth =turing oauth token timestamp nonce ket","author":"=turing","date":"2013-09-22 "},{"name":"author-name","description":"a library for author name paring ","url":null,"keywords":"author name parsing","version":"0.1.0","words":"author-name a library for author name paring =iamfat author name parsing","author":"=iamfat","date":"2013-12-24 "},{"name":"authorify","description":"Authorization and authentication system for REST server","url":null,"keywords":"rest restify authorization authentication X509","version":"1.1.0","words":"authorify authorization and authentication system for rest server =mgesmundo rest restify authorization authentication x509","author":"=mgesmundo","date":"2014-06-11 "},{"name":"authorify-client","description":"Client for Authorify authorization and authentication system for REST server","url":null,"keywords":"rest restify authorization authentication X509","version":"1.1.0","words":"authorify-client client for authorify authorization and authentication system for rest server =mgesmundo rest restify authorization authentication x509","author":"=mgesmundo","date":"2014-06-11 "},{"name":"authorify-websocket","description":"A websocket plugin for Authorify authorization and authentication system for REST server","url":null,"keywords":"authorify websocket socket.io primus rest restify authorization authentication X509","version":"1.0.0","words":"authorify-websocket a websocket plugin for authorify authorization and authentication system for rest server =mgesmundo authorify websocket socket.io primus rest restify authorization authentication x509","author":"=mgesmundo","date":"2014-06-11 "},{"name":"authoritee","description":"Authoritative models for scuttlebutt meshes","url":null,"keywords":"scuttlebutt distributed authoritative authority","version":"0.1.0","words":"authoritee authoritative models for scuttlebutt meshes =juliangruber scuttlebutt distributed authoritative authority","author":"=juliangruber","date":"2013-07-09 "},{"name":"authority","description":"node-authority ==============","url":null,"keywords":"","version":"0.0.1-beta-1","words":"authority node-authority ============== =rabchev","author":"=rabchev","date":"2013-01-23 "},{"name":"authorization","description":"Provide user authorization mechanizm.","url":null,"keywords":"","version":"1.0.9","words":"authorization provide user authorization mechanizm. =batalin.a","author":"=batalin.a","date":"2014-08-19 "},{"name":"authorization-server-client","description":"Client to access an authorization server for oauth2 token validation in a distributed environment.","url":null,"keywords":"oauth2 distributed security client","version":"0.0.3","words":"authorization-server-client client to access an authorization server for oauth2 token validation in a distributed environment. =mwawrusch oauth2 distributed security client","author":"=mwawrusch","date":"2012-04-30 "},{"name":"authorizator","description":"Node module for user authorization","url":null,"keywords":"node authorization authentication user policy express connect","version":"1.0.7","words":"authorizator node module for user authorization =ivpusic node authorization authentication user policy express connect","author":"=ivpusic","date":"2013-10-15 "},{"name":"authorize","description":"国内各大微博的authorize链接生成方法集合。原理基本一样,稍有差别","url":null,"keywords":"sdk douban renren qq taobao authorize","version":"0.0.1","words":"authorize 国内各大微博的authorize链接生成方法集合。原理基本一样,稍有差别 =xinyu198736 sdk douban renren qq taobao authorize","author":"=xinyu198736","date":"2012-12-13 "},{"name":"authorize-jwt","description":"Simple JSON Web Token authorization","url":null,"keywords":"stream writable high-water mark","version":"0.0.2","words":"authorize-jwt simple json web token authorization =davedoesdev stream writable high-water mark","author":"=davedoesdev","date":"2014-07-12 "},{"name":"authorize-methods","description":"Connect middleware to authorize HTTP methods.","url":null,"keywords":"connect express middleware auth authorization","version":"1.0.2","words":"authorize-methods connect middleware to authorize http methods. =jsdevel connect express middleware auth authorization","author":"=jsdevel","date":"2014-06-19 "},{"name":"authorize-mw","description":"Authorization middleware for Node.js and the Javascript platform in general","url":null,"keywords":"authorize authorizer authorization approve permit allow ability rules access middleware","version":"0.0.1","words":"authorize-mw authorization middleware for node.js and the javascript platform in general =kmandrup authorize authorizer authorization approve permit allow ability rules access middleware","author":"=kmandrup","date":"2014-04-19 "},{"name":"authorize-net-arb","description":"Authorize.net Automated Recurring Billing (ARB)","url":null,"keywords":"authorize.net auth.net arb automated recurring billing credit card subscription","version":"0.0.4","words":"authorize-net-arb authorize.net automated recurring billing (arb) =reywood authorize.net auth.net arb automated recurring billing credit card subscription","author":"=reywood","date":"2014-07-08 "},{"name":"authorized","description":"Action based authorization middleware.","url":null,"keywords":"auth authorization security roles express connect","version":"0.4.1","words":"authorized action based authorization middleware. =tschaub auth authorization security roles express connect","author":"=tschaub","date":"2013-06-01 "},{"name":"authorized-keys","description":"Platform agnostic path resolution to a user's authorized_keys file Node.js.","url":null,"keywords":"authorized_keys rsa authentication ssh publickey openssh","version":"0.1.0","words":"authorized-keys platform agnostic path resolution to a user's authorized_keys file node.js. =wilmoore authorized_keys rsa authentication ssh publickey openssh","author":"=wilmoore","date":"2014-02-22 "},{"name":"authorizedjs","description":"A tool for authorization based on permits","url":null,"keywords":"auth authorization permits","version":"1.0.2","words":"authorizedjs a tool for authorization based on permits =warszk auth authorization permits","author":"=warszk","date":"2013-05-17 "},{"name":"authorizer","description":"Lightweight connect based authorization middleware with express-style routing.","url":null,"keywords":"connect authorization middleware","version":"0.0.2","words":"authorizer lightweight connect based authorization middleware with express-style routing. =martincronje connect authorization middleware","author":"=martincronje","date":"2014-02-04 "},{"name":"authors","description":"print a markdown list of authors/contributors to your git repo, including github usernames","url":null,"keywords":"github git authors username markdown contributors project","version":"0.0.2","words":"authors print a markdown list of authors/contributors to your git repo, including github usernames =dtrejo =xingrz github git authors username markdown contributors project","author":"=dtrejo =xingrz","date":"2013-12-25 "},{"name":"authpack","description":"Package of distributed client and server OAuth2 API's","url":null,"keywords":"distributed oauth2 service authorization authentication OpenID Connect","version":"0.0.1","words":"authpack package of distributed client and server oauth2 api's =stolsma distributed oauth2 service authorization authentication openid connect","author":"=stolsma","date":"2011-12-10 "},{"name":"authproxy","description":"OAuth Proxy","url":null,"keywords":"oauth proxy websockets","version":"0.0.1","words":"authproxy oauth proxy =lxfontes oauth proxy websockets","author":"=lxfontes","date":"2014-06-30 "},{"name":"authr","description":"Simple, flexible authorization and signup for apps.","url":null,"keywords":"authorization security signup login password","version":"0.4.2","words":"authr simple, flexible authorization and signup for apps. =jtowers authorization security signup login password","author":"=jtowers","date":"2014-09-05 "},{"name":"authr-mongo","description":"MongoDB adapter for authr","url":null,"keywords":"authorization security","version":"1.1.1","words":"authr-mongo mongodb adapter for authr =jtowers authorization security","author":"=jtowers","date":"2014-08-26 "},{"name":"authr-nedb","description":"nedb adapter for authr","url":null,"keywords":"authorization security","version":"1.5.6","words":"authr-nedb nedb adapter for authr =jtowers authorization security","author":"=jtowers","date":"2014-08-26 "},{"name":"authr-sql","description":"sql adapter for authr","url":null,"keywords":"authorization security","version":"0.1.2","words":"authr-sql sql adapter for authr =jtowers authorization security","author":"=jtowers","date":"2014-08-26 "},{"name":"authrc","description":"authrc implementation for Node.js","url":null,"keywords":"authentication private bower npm auth credentials","version":"0.1.6","words":"authrc authrc implementation for node.js =h2non authentication private bower npm auth credentials","author":"=h2non","date":"2013-11-06 "},{"name":"auths","description":"Print authorizations granted to a user on an Illumos based operating system","url":null,"keywords":"illumos rbac auths permissions","version":"0.0.0","words":"auths print authorizations granted to a user on an illumos based operating system =bahamas10 illumos rbac auths permissions","author":"=bahamas10","date":"2013-03-01 "},{"name":"authstarter","description":"Add mongodb based authentication to an express web app with three lines of code","url":null,"keywords":"","version":"0.0.7","words":"authstarter add mongodb based authentication to an express web app with three lines of code =tqc","author":"=tqc","date":"2013-05-02 "},{"name":"authsux","description":"A simple Node.js authentication library","url":null,"keywords":"auth authentication rest api","version":"0.0.1","words":"authsux a simple node.js authentication library =misterpuddin auth authentication rest api","author":"=misterpuddin","date":"2013-06-09 "},{"name":"authy","description":"Authy.com API lib for node.js","url":null,"keywords":"authentication auth authy security two factor 2 factor","version":"0.3.2","words":"authy authy.com api lib for node.js =adam_baldwin authentication auth authy security two factor 2 factor","author":"=adam_baldwin","date":"2014-09-15 "},{"name":"authy-node","description":"Authy API wrapper","url":null,"keywords":"authy authentication security api","version":"1.0.1","words":"authy-node authy api wrapper =franklin authy authentication security api","author":"=franklin","date":"2014-04-29 "},{"name":"authz","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"authz error: no readme.md file found! =jden","author":"=jden","date":"2013-04-11 "},{"name":"auto","description":"Asynchronous task runner for Node.js","url":null,"keywords":"express async auto task","version":"0.1.2","words":"auto asynchronous task runner for node.js =andy.potanin express async auto task","author":"=andy.potanin","date":"2013-12-15 "},{"name":"auto-convert","description":"Runs the specified conversion scripts automagically","url":null,"keywords":"","version":"0.0.0","words":"auto-convert runs the specified conversion scripts automagically =coverslide","author":"=coverslide","date":"2013-04-03 "},{"name":"auto-correct","description":"auto correct for command line tools ","url":null,"keywords":"client command auto-correct typo","version":"1.0.0","words":"auto-correct auto correct for command line tools =dead_horse client command auto-correct typo","author":"=dead_horse","date":"2014-04-18 "},{"name":"auto-crud","description":"A simple tool for automatically generating REST APIs with json schemas and mongodb.","url":null,"keywords":"mongo mongodb crud rest express json-schema validation","version":"0.2.8","words":"auto-crud a simple tool for automatically generating rest apis with json schemas and mongodb. =andrewrademacher mongo mongodb crud rest express json-schema validation","author":"=andrewrademacher","date":"2013-09-11 "},{"name":"auto-curry","description":"Supercharge your functions by giving them the ability to auto-curry","url":null,"keywords":"curry auto functional function currying","version":"0.1.1","words":"auto-curry supercharge your functions by giving them the ability to auto-curry =zeusdeux curry auto functional function currying","author":"=zeusdeux","date":"2014-09-08 "},{"name":"auto-deps","description":"extract dependencies into bower.json and package.json","url":null,"keywords":"kissy","version":"1.0.3","words":"auto-deps extract dependencies into bower.json and package.json =weekeight kissy","author":"=weekeight","date":"2014-09-16 "},{"name":"auto-file-to-dir","description":"Groups numbered files into folders (i.e. group \"test 01.jpg\", \"test 02.jpg\" into \"test\" folder) ","url":null,"keywords":"auto file directory organize","version":"0.0.2","words":"auto-file-to-dir groups numbered files into folders (i.e. group \"test 01.jpg\", \"test 02.jpg\" into \"test\" folder) =hrakotobe auto file directory organize","author":"=hrakotobe","date":"2014-06-12 "},{"name":"auto-grunt","description":"A task-based command line auto build tool for static resource.","url":null,"keywords":"async cli minify uglify build underscore unit test qunit nodeunit server init scaffold make jake tool","version":"0.0.2","words":"auto-grunt a task-based command line auto build tool for static resource. =mozhuoying async cli minify uglify build underscore unit test qunit nodeunit server init scaffold make jake tool","author":"=mozhuoying","date":"2012-08-22 "},{"name":"auto-invoice","description":"Script that makes invoices.","url":null,"keywords":"","version":"0.0.2","words":"auto-invoice script that makes invoices. =daxxog","author":"=daxxog","date":"2013-04-17 "},{"name":"auto-invoicer","description":"My first node module. Automatic invoice creator via json object.","url":null,"keywords":"auto invoice creator auto-invoicer slip","version":"0.0.3","words":"auto-invoicer my first node module. automatic invoice creator via json object. =rosenbergd auto invoice creator auto-invoicer slip","author":"=rosenbergd","date":"2013-12-11 "},{"name":"auto-jsonp","description":"express jsonp middleware","url":null,"keywords":"middleware jsonp json","version":"0.0.2","words":"auto-jsonp express jsonp middleware =poying middleware jsonp json","author":"=poying","date":"2013-03-31 "},{"name":"auto-keywords","description":"extract keywords from text","url":null,"keywords":"util meta keywords SEO","version":"0.0.2","words":"auto-keywords extract keywords from text =lancehub util meta keywords seo","author":"=lancehub","date":"2013-05-20 "},{"name":"auto-launch","description":"Launch node-webkit apps at login (mac & windows)","url":null,"keywords":"login launch node-webkit boot login-items","version":"0.1.14","words":"auto-launch launch node-webkit apps at login (mac & windows) =4ver login launch node-webkit boot login-items","author":"=4ver","date":"2014-08-24 "},{"name":"auto-load","description":"Require all files in subfolders","url":null,"keywords":"","version":"1.1.0","words":"auto-load require all files in subfolders =matthieu.bacconnier","author":"=matthieu.bacconnier","date":"2014-06-18 "},{"name":"auto-loader","description":"node-auto-loader =========","url":null,"keywords":"node auto load","version":"0.2.0","words":"auto-loader node-auto-loader ========= =werle node auto load","author":"=werle","date":"2014-05-10 "},{"name":"auto-page","description":"Automatically combine paginated api calls","url":null,"keywords":"","version":"0.0.2","words":"auto-page automatically combine paginated api calls =trevorah","author":"=trevorah","date":"2013-12-02 "},{"name":"auto-qunit","description":"Automatically run QUnit tests in browser under NodeJS control","url":null,"keywords":"qunit browser test auto","version":"0.1.1","words":"auto-qunit automatically run qunit tests in browser under nodejs control =jacek.p qunit browser test auto","author":"=jacek.p","date":"2012-03-09 "},{"name":"auto-refresher","description":"Refresh the browser page if called. It works well with [gulp](https://github.com/gulpjs/gulp) and [nodemon](https://github.com/remy/nodemon) (or [gulp-nodemon](https://github.com/JacksonGariety/gulp-nodemon)).","url":null,"keywords":"","version":"0.0.1","words":"auto-refresher refresh the browser page if called. it works well with [gulp](https://github.com/gulpjs/gulp) and [nodemon](https://github.com/remy/nodemon) (or [gulp-nodemon](https://github.com/jacksongariety/gulp-nodemon)). =gyson","author":"=gyson","date":"2014-06-17 "},{"name":"auto-refreshing-browser-console","description":"Live reloaded output from command line apps in the browser","url":null,"keywords":"live-reload browser console","version":"0.2.0","words":"auto-refreshing-browser-console live reloaded output from command line apps in the browser =jpochtar live-reload browser console","author":"=jpochtar","date":"2014-09-02 "},{"name":"auto-reload","description":"To clear require cache, and auto reload module","url":null,"keywords":"reload auto reload reload require re-require","version":"0.0.2","words":"auto-reload to clear require cache, and auto reload module =lellansin reload auto reload reload require re-require","author":"=lellansin","date":"2014-09-19 "},{"name":"auto-reload-brunch","description":"Adds automatic browser reloading support to brunch.","url":null,"keywords":"brunchplugin auto-reload websocket auto reload","version":"1.7.3","words":"auto-reload-brunch adds automatic browser reloading support to brunch. =paulmillr =es128 brunchplugin auto-reload websocket auto reload","author":"=paulmillr =es128","date":"2014-02-27 "},{"name":"auto-router","url":null,"keywords":"","version":"0.0.1","words":"auto-router =qiuzuhui","author":"=qiuzuhui","date":"2014-08-01 "},{"name":"auto-schema","description":"automatic redshift schema definition for an object","url":null,"keywords":"redshift schema","version":"0.3.2","words":"auto-schema automatic redshift schema definition for an object =tjholowaychuk redshift schema","author":"=tjholowaychuk","date":"2014-04-25 "},{"name":"auto-share","url":null,"keywords":"","version":"0.0.7","words":"auto-share =flybyme","author":"=flybyme","date":"2012-11-07 "},{"name":"auto-sprites","description":"自动合并图片的模块","url":null,"keywords":"","version":"0.1.8","words":"auto-sprites 自动合并图片的模块 =windyge","author":"=windyge","date":"2014-07-17 "},{"name":"auto-sprites-win","description":"一个用于天马的自动合并图片的windows版","url":null,"keywords":"","version":"0.1.0","words":"auto-sprites-win 一个用于天马的自动合并图片的windows版 =windyge","author":"=windyge","date":"2013-10-19 "},{"name":"auto-trade","description":"自动交易A股","url":null,"keywords":"auto-trade stock-of-china stock","version":"0.0.1","words":"auto-trade 自动交易a股 =wangyu0248 auto-trade stock-of-china stock","author":"=wangyu0248","date":"2013-11-24 "},{"name":"auto-update","url":null,"keywords":"","version":"0.0.2","words":"auto-update =endotakashi1992","author":"=endotakashi1992","date":"2014-03-22 "},{"name":"auto-updater","description":"Automatically updates your client version when is outdated by the repository","url":null,"keywords":"auto-updater automatic auto update updater","version":"0.0.7","words":"auto-updater automatically updates your client version when is outdated by the repository =juampi92 auto-updater automatic auto update updater","author":"=juampi92","date":"2014-03-20 "},{"name":"auto-watch","description":"Utilities for auto watching file trees in node.js.","url":null,"keywords":"auto-watch watch watch tree watch fs auto watch auto watch file system watch file system auto auto watch tree monitor monitor file system auto monitor monitor fs tree","version":"0.0.2","words":"auto-watch utilities for auto watching file trees in node.js. =openlg auto-watch watch watch tree watch fs auto watch auto watch file system watch file system auto auto watch tree monitor monitor file system auto monitor monitor fs tree","author":"=openlg","date":"2013-08-19 "},{"name":"auto2dot","description":"Parse async.auto out of a JS file and generate GraphViz .dot files","url":null,"keywords":"async auto graphviz dot ast","version":"0.2.0","words":"auto2dot parse async.auto out of a js file and generate graphviz .dot files =dfellis async auto graphviz dot ast","author":"=dfellis","date":"2014-07-15 "},{"name":"auto_npm","description":"Automatically update NPM packages and Git tags","url":null,"keywords":"git commit auto update version control","version":"1.0.0","words":"auto_npm automatically update npm packages and git tags =larzconwell git commit auto update version control","author":"=larzconwell","date":"2013-09-28 "},{"name":"autoauth","description":"OAuth credential helper (supports Twitter and Flickr).","url":null,"keywords":"oauth luddite automatic phantomjs","version":"0.1.1","words":"autoauth oauth credential helper (supports twitter and flickr). =chbrown oauth luddite automatic phantomjs","author":"=chbrown","date":"2013-07-01 "},{"name":"autobahn","description":"An implementation of The Web Application Messaging Protocol (WAMP).","url":null,"keywords":"WAMP WebSocket RPC PubSub","version":"0.9.4-2","words":"autobahn an implementation of the web application messaging protocol (wamp). =oberstet wamp websocket rpc pubsub","author":"=oberstet","date":"2014-08-25 "},{"name":"autobahnjs","description":"nodejs/expressjs/deepjs related tools and middlewares","url":null,"keywords":"util promise asynch AOP query composition restful OCM","version":"0.4.6","words":"autobahnjs nodejs/expressjs/deepjs related tools and middlewares =nomocas =philid util promise asynch aop query composition restful ocm","author":"=nomocas =philid","date":"2014-09-18 "},{"name":"autoborg","description":"Automatic compilation of changed files, live updates in the browser","url":null,"keywords":"editor edit save file automatic detect watch monitor change compile update upload refresh reload browser live chrome remote debugging script style sheet image","version":"0.0.4","words":"autoborg automatic compilation of changed files, live updates in the browser =denniskehrig editor edit save file automatic detect watch monitor change compile update upload refresh reload browser live chrome remote debugging script style sheet image","author":"=denniskehrig","date":"2013-04-12 "},{"name":"autobot","description":"more than meets the eye","url":null,"keywords":"","version":"0.0.11","words":"autobot more than meets the eye =mundizzle","author":"=mundizzle","date":"2014-06-12 "},{"name":"autobower","description":"install bower modules on demand","url":null,"keywords":"bower install auto bootstrap script demand wrapper","version":"0.1.5","words":"autobower install bower modules on demand =harsha-mudi bower install auto bootstrap script demand wrapper","author":"=harsha-mudi","date":"2014-07-26 "},{"name":"autobrowse","description":"Automate browser execution based on known browser executables (like browser-launcher, but not quite as clever)","url":null,"keywords":"launcher browser automation","version":"0.0.1","words":"autobrowse automate browser execution based on known browser executables (like browser-launcher, but not quite as clever) =damonoehlman launcher browser automation","author":"=damonoehlman","date":"2013-09-30 "},{"name":"autobuffer","description":"自动处理buffer数据,适合粘连包使用","url":null,"keywords":"Buffer tcp socket","version":"0.0.3","words":"autobuffer 自动处理buffer数据,适合粘连包使用 =dxhbiz buffer tcp socket","author":"=dxhbiz","date":"2013-09-06 "},{"name":"autobuild","description":"continous integration on the devloper pc","url":null,"keywords":"","version":"0.0.2","words":"autobuild continous integration on the devloper pc =rioki","author":"=rioki","date":"2012-11-15 "},{"name":"autocast","description":"Easily and automatically cast common datatypes in JavaScript","url":null,"keywords":"auto cast typecast convert","version":"0.0.4","words":"autocast easily and automatically cast common datatypes in javascript =bahamas10 auto cast typecast convert","author":"=bahamas10","date":"2012-12-09 "},{"name":"autoclasscss","description":"CSS skeleton generator","url":null,"keywords":"","version":"0.0.5","words":"autoclasscss css skeleton generator =tenorok","author":"=tenorok","date":"2013-12-22 "},{"name":"autocmdr","description":"autocmdr","url":null,"keywords":"","version":"0.0.7","words":"autocmdr autocmdr =hypercubed","author":"=hypercubed","date":"2014-05-17 "},{"name":"autocms","description":"test autocms","url":null,"keywords":"","version":"1.0.0","words":"autocms test autocms =caodongqing","author":"=caodongqing","date":"2013-12-17 "},{"name":"autocombo","description":"autocombo less/sass module from html to css","url":null,"keywords":"","version":"0.1.4","words":"autocombo autocombo less/sass module from html to css =xiaoqiang","author":"=xiaoqiang","date":"2012-08-29 "},{"name":"autocompile","keywords":"","version":[],"words":"autocompile","author":"","date":"2014-02-23 "},{"name":"autocomplete","description":"An in-memory autocomplete package based on the trie data structure","url":null,"keywords":"autocomplete trie search","version":"0.0.1","words":"autocomplete an in-memory autocomplete package based on the trie data structure =marccampbell autocomplete trie search","author":"=marccampbell","date":"2011-08-16 "},{"name":"autocompletejs","description":"An asynchronous autocomplete data store built on top of a trie.","url":null,"keywords":"autocomplete dictionary trie data store async","version":"0.2.1","words":"autocompletejs an asynchronous autocomplete data store built on top of a trie. =yazaddaruvala autocomplete dictionary trie data store async","author":"=yazaddaruvala","date":"2012-11-18 "},{"name":"autoconverter","description":"Automatically HandBrake convert videos that are added to a directory, move to iTunes directory, and add to iTunes library","url":null,"keywords":"handbrake itunes transcoding automation","version":"0.0.1","words":"autoconverter automatically handbrake convert videos that are added to a directory, move to itunes directory, and add to itunes library =qrpike handbrake itunes transcoding automation","author":"=qrpike","date":"2013-04-17 "},{"name":"autocopyfile","description":"watch and copy","url":null,"keywords":"","version":"0.0.2","words":"autocopyfile watch and copy =johnqing","author":"=johnqing","date":"2013-05-27 "},{"name":"autocue","description":"Conversation AI library for Node.js","url":null,"keywords":"conversation talk ai artificial intelligence","version":"0.1.0","words":"autocue conversation ai library for node.js =timvanelsloo conversation talk ai artificial intelligence","author":"=timvanelsloo","date":"2013-01-13 "},{"name":"autod","description":"auto generate dependencies","url":null,"keywords":"","version":"0.3.2","words":"autod auto generate dependencies =dead_horse","author":"=dead_horse","date":"2014-08-06 "},{"name":"autodafe","description":"Just framework providing application factory. The power is in the components for applications.","url":null,"keywords":"framework application components","version":"1.0.0-alpha.1","words":"autodafe just framework providing application factory. the power is in the components for applications. =jifeon framework application components","author":"=jifeon","date":"2014-05-11 "},{"name":"autodafe-http","description":"A component for autodafe providing HTTP connection to application","url":null,"keywords":"autodafe http","version":"1.0.0-alpha.1","words":"autodafe-http a component for autodafe providing http connection to application =jifeon autodafe http","author":"=jifeon","date":"2014-05-11 "},{"name":"autodiscover","description":"A Node.js client for Microsoft's POX Autodiscover Service","url":null,"keywords":"","version":"0.0.1","words":"autodiscover a node.js client for microsoft's pox autodiscover service =teloo","author":"=teloo","date":"2014-09-18 "},{"name":"autodoc","description":"Doc generation on steroids","url":null,"keywords":"","version":"0.6.2","words":"autodoc doc generation on steroids =dtao","author":"=dtao","date":"2014-07-24 "},{"name":"autofile","description":"Automatically files tv shows in the correct format for XBMC","url":null,"keywords":"XBMC Plex Torrents","version":"0.0.3","words":"autofile automatically files tv shows in the correct format for xbmc =ryanknell xbmc plex torrents","author":"=ryanknell","date":"2014-05-05 "},{"name":"autofile-chmod","description":"Change mode of files and folders.","url":null,"keywords":"autofile automaton task chmod permissions glob","version":"0.0.0","words":"autofile-chmod change mode of files and folders. =satazor autofile automaton task chmod permissions glob","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-cp","description":"Copy files and folders.","url":null,"keywords":"autofile automaton task cp copy cpr glob","version":"0.0.3","words":"autofile-cp copy files and folders. =satazor autofile automaton task cp copy cpr glob","author":"=satazor","date":"2014-04-18 "},{"name":"autofile-download","description":"Task that downloads files","url":null,"keywords":"autofile automaton download get fetch request","version":"0.0.0","words":"autofile-download task that downloads files =marcooliveira =indigounited autofile automaton download get fetch request","author":"=marcooliveira =indigounited","date":"2013-09-02 "},{"name":"autofile-init","description":"Init an empty autofile.","url":null,"keywords":"autofile automaton task init initialize empty","version":"0.0.0","words":"autofile-init init an empty autofile. =satazor autofile automaton task init initialize empty","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-mkdir","description":"Make directory recursively, just like 'mkdir -p'.","url":null,"keywords":"autofile automaton task mkdir make dir directory folder","version":"0.0.0","words":"autofile-mkdir make directory recursively, just like 'mkdir -p'. =satazor autofile automaton task mkdir make dir directory folder","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-mv","description":"Move files and folders.","url":null,"keywords":"autofile automaton task glob mv move rename","version":"0.0.0","words":"autofile-mv move files and folders. =satazor autofile automaton task glob mv move rename","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-pack-macosx-app","description":"Task for packing a .app with custom information","keywords":"","version":[],"words":"autofile-pack-macosx-app task for packing a .app with custom information =marcooliveira","author":"=marcooliveira","date":"2013-08-23 "},{"name":"autofile-rm","description":"Remove files and folders.","url":null,"keywords":"autofile automaton task rm remove delete del rimraf glob","version":"0.0.0","words":"autofile-rm remove files and folders. =satazor autofile automaton task rm remove delete del rimraf glob","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-run","description":"Run command just like it was run from the command line.","url":null,"keywords":"autofile automaton task run execute exec shell cli cmd","version":"0.0.0","words":"autofile-run run command just like it was run from the command line. =satazor autofile automaton task run execute exec shell cli cmd","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-scaffolding-append","description":"Append data to {{placeholders}} in files.","url":null,"keywords":"autofile automaton task glob scaffolding append placeholder","version":"0.0.0","words":"autofile-scaffolding-append append data to {{placeholders}} in files. =satazor autofile automaton task glob scaffolding append placeholder","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-scaffolding-close","description":"Close {{placeholders}} in files.","url":null,"keywords":"autofile automaton task glob scaffolding close placeholder","version":"0.0.0","words":"autofile-scaffolding-close close {{placeholders}} in files. =satazor autofile automaton task glob scaffolding close placeholder","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-scaffolding-file-rename","description":"Replaces {{placeholders}} of file and folder names.","url":null,"keywords":"autofile automaton task scaffolding file rename glob placeholder","version":"0.0.0","words":"autofile-scaffolding-file-rename replaces {{placeholders}} of file and folder names. =satazor autofile automaton task scaffolding file rename glob placeholder","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-scaffolding-replace","description":"Replace {{placeholders}} in files with data.","url":null,"keywords":"autofile automaton task replace scaffolding glob placeholder","version":"0.0.0","words":"autofile-scaffolding-replace replace {{placeholders}} in files with data. =satazor autofile automaton task replace scaffolding glob placeholder","author":"=satazor","date":"2013-06-21 "},{"name":"autofile-symlink","description":"Create a symlink.","url":null,"keywords":"autofile automaton task symlink","version":"0.0.0","words":"autofile-symlink create a symlink. =satazor autofile automaton task symlink","author":"=satazor","date":"2013-06-21 "},{"name":"autofill-event","description":"Autofill Event module","url":null,"keywords":"autofill-event","version":"0.0.1","words":"autofill-event autofill event module =akalinovski =ws-malysheva =pitbeast autofill-event","author":"=akalinovski =ws-malysheva =pitbeast","date":"2014-08-04 "},{"name":"autofinance","description":"The best project ever.","url":null,"keywords":"","version":"1.0.0","words":"autofinance the best project ever. =wb_haibo.hehb","author":"=wb_haibo.hehb","date":"2014-07-11 "},{"name":"autofixture","description":"randomly generates test data fixtures","url":null,"keywords":"testing fixtures","version":"0.1.0","words":"autofixture randomly generates test data fixtures =jcteague testing fixtures","author":"=jcteague","date":"2014-05-17 "},{"name":"autoflow","description":"Autoflow (formerly named react) is a javascript module implementing a control-flow / flow control engine to make it easier to work with asynchronous code, by reducing boilerplate code and improving error and exception handling while allowing variable and ","url":null,"keywords":"flow flow control control flow dataflow reactive deferred promise async","version":"0.7.3","words":"autoflow autoflow (formerly named react) is a javascript module implementing a control-flow / flow control engine to make it easier to work with asynchronous code, by reducing boilerplate code and improving error and exception handling while allowing variable and =jeffbski flow flow control control flow dataflow reactive deferred promise async","author":"=jeffbski","date":"2014-04-12 "},{"name":"autoflow-deferred","description":"autoflow-deferred is a plugin for autoflow, the flow control rules engine, which adds integration with jQuery-style Deferred promises","url":null,"keywords":"deferred promise flow flow control control flow dataflow reactive async","version":"0.7.0","words":"autoflow-deferred autoflow-deferred is a plugin for autoflow, the flow control rules engine, which adds integration with jquery-style deferred promises =jeffbski deferred promise flow flow control control flow dataflow reactive async","author":"=jeffbski","date":"2013-12-14 "},{"name":"autoflow-graphviz","description":"autoflow-graphviz is a plugin for autoflow, the flow control rules engine, which allows autoflow to use graphviz to generate flow diagrams for the dependencies","url":null,"keywords":"","version":"0.7.0","words":"autoflow-graphviz autoflow-graphviz is a plugin for autoflow, the flow control rules engine, which allows autoflow to use graphviz to generate flow diagrams for the dependencies =jeffbski","author":"=jeffbski","date":"2013-12-14 "},{"name":"autoflow-q","description":"autoflow-q is a plugin for autoflow, the flow control rules engine, which adds integration with Q-style Deferred promises https://github.com/kriskowal/q ","url":null,"keywords":"Q deferred promise flow flow control control flow dataflow reactive async","version":"0.7.0","words":"autoflow-q autoflow-q is a plugin for autoflow, the flow control rules engine, which adds integration with q-style deferred promises https://github.com/kriskowal/q =jeffbski q deferred promise flow flow control control flow dataflow reactive async","author":"=jeffbski","date":"2013-12-14 "},{"name":"autograph","description":"A visual data routing automation tool.","url":null,"keywords":"puredata Max/MSP Lily HTTP D3 Backbone","version":"0.1.5","words":"autograph a visual data routing automation tool. =jbeuckm puredata max/msp lily http d3 backbone","author":"=jbeuckm","date":"2014-05-12 "},{"name":"autohost","description":"Resource driven transport agnostic host","url":null,"keywords":"http websockets resource transport","version":"0.2.0-19","words":"autohost resource driven transport agnostic host =arobson =a_robson http websockets resource transport","author":"=arobson =a_robson","date":"2014-09-19 "},{"name":"autohost-nedb-auth","description":"Nedb backed auth provider for autohost","url":null,"keywords":"autohost","version":"0.1.0-3","words":"autohost-nedb-auth nedb backed auth provider for autohost =arobson autohost","author":"=arobson","date":"2014-08-19 "},{"name":"autohost-riak-auth","description":"Riak backed auth provider for autohost","url":null,"keywords":"autohost riak","version":"0.1.0-4","words":"autohost-riak-auth riak backed auth provider for autohost =arobson autohost riak","author":"=arobson","date":"2014-09-05 "},{"name":"autoindex","description":"parse an autoindex page into JSON","url":null,"keywords":"autoindex parse directory listing","version":"0.1.2","words":"autoindex parse an autoindex page into json =weisjohn autoindex parse directory listing","author":"=weisjohn","date":"2014-01-10 "},{"name":"autoingestion","description":"Apple Auto-Ingest tool write in JavaScript for Node.js","url":null,"keywords":"Apple sales reports download","version":"0.1.4","words":"autoingestion apple auto-ingest tool write in javascript for node.js =john.pinch apple sales reports download","author":"=john.pinch","date":"2014-01-06 "},{"name":"autoingesttool","description":"Apple Auto-Ingest tool written in JavaScript for NodeJS","url":null,"keywords":"Apple sales trends iTunes Connect iTunes reports download newsstand opt-in","version":"1.0.7","words":"autoingesttool apple auto-ingest tool written in javascript for nodejs =linitix apple sales trends itunes connect itunes reports download newsstand opt-in","author":"=linitix","date":"2014-06-25 "},{"name":"autoinit","description":"A utility that loads and initializes a directory structure of node modules","url":null,"keywords":"","version":"0.0.11","words":"autoinit a utility that loads and initializes a directory structure of node modules =mrvisser","author":"=mrvisser","date":"2014-03-24 "},{"name":"autoinstall","description":"automatically install dependencies via `require()`","url":null,"keywords":"","version":"0.3.0","words":"autoinstall automatically install dependencies via `require()` =jongleberry =swatinem","author":"=jongleberry =swatinem","date":"2014-08-04 "},{"name":"autojs-contrib-toolkit","description":"A toolkit","url":null,"keywords":"","version":"0.0.2","words":"autojs-contrib-toolkit a toolkit =elob","author":"=elob","date":"2014-04-21 "},{"name":"autojs-official-toolkit","keywords":"","version":[],"words":"autojs-official-toolkit","author":"","date":"2014-04-21 "},{"name":"autokey","description":"autokey stream cipher","url":null,"keywords":"autokey stream cipher","version":"2.0.1","words":"autokey autokey stream cipher =hex7c0 autokey stream cipher","author":"=hex7c0","date":"2014-09-07 "},{"name":"autolander","description":"autolander ================","url":null,"keywords":"","version":"0.0.0","words":"autolander autolander ================ =kevingrandon","author":"=kevingrandon","date":"2014-09-12 "},{"name":"autoless","description":"Another .less files watcher, but this time with growl notifications","url":null,"keywords":"less watcher auto","version":"0.1.5","words":"autoless another .less files watcher, but this time with growl notifications =jgonera less watcher auto","author":"=jgonera","date":"2014-02-16 "},{"name":"autolink","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.1.0","words":"autolink error: no readme.md file found! =nami-doc","author":"=nami-doc","date":"2013-07-18 "},{"name":"autolinker","description":"Simple utility to automatically link the URLs, email addresses, and Twitter handles in a given block of text/HTML","url":null,"keywords":"auto link autolink url urls anchor","version":"0.11.2","words":"autolinker simple utility to automatically link the urls, email addresses, and twitter handles in a given block of text/html =gregjacobs auto link autolink url urls anchor","author":"=gregjacobs","date":"2014-09-08 "},{"name":"autolinker.js","description":"Simple utility to automatically link the URLs, email addresses, and Twitter handles in a given block of text/HTML","url":null,"keywords":"auto link autolink url urls anchor","version":"0.7.0","words":"autolinker.js simple utility to automatically link the urls, email addresses, and twitter handles in a given block of text/html =gregjacobs auto link autolink url urls anchor","author":"=gregjacobs","date":"2014-05-04 "},{"name":"autolinks","description":"Automatically turn URL's into links","url":null,"keywords":"","version":"0.0.5","words":"autolinks automatically turn url's into links =bahamas10","author":"=bahamas10","date":"2014-09-17 "},{"name":"autolint","description":"Autolint watches your files for jslint-errors.","url":null,"keywords":"JavaScript lint jslint jshint","version":"1.1.4","words":"autolint autolint watches your files for jslint-errors. =magnars javascript lint jslint jshint","author":"=magnars","date":"2013-10-10 "},{"name":"autoload","description":"Autoloading symbols via source code grokking","url":null,"keywords":"autoload require","version":"0.1.2","words":"autoload autoloading symbols via source code grokking =laverdet autoload require","author":"=laverdet","date":"2014-02-16 "},{"name":"autoload-proxy","description":"Elegant module autoloading for node.","url":null,"keywords":"autoload module server node","version":"0.1.1","words":"autoload-proxy elegant module autoloading for node. =rthrfrd autoload module server node","author":"=rthrfrd","date":"2014-08-29 "},{"name":"autoload-test","description":"this package is testing purpose package for autoload feature.","url":null,"keywords":"autoloader test","version":"0.0.3","words":"autoload-test this package is testing purpose package for autoload feature. =yanfeng autoloader test","author":"=yanfeng","date":"2012-10-31 "},{"name":"autoloader","description":"Autoloads JS Files","url":null,"keywords":"","version":"2.1.0","words":"autoloader autoloads js files =aikar","author":"=aikar","date":"2013-10-25 "},{"name":"automake","description":"Making a various file format and make fake data eaily in stream in Nodejs, automake can easily help you making fake data with different file format easily. And cause this module is using stream so you could create really large fake data!!!","url":null,"keywords":"fake data","version":"0.1.4","words":"automake making a various file format and make fake data eaily in stream in nodejs, automake can easily help you making fake data with different file format easily. and cause this module is using stream so you could create really large fake data!!! =chilijung fake data","author":"=chilijung","date":"2014-07-07 "},{"name":"automan","description":"","url":null,"keywords":"","version":"0.0.0","words":"automan =yuanyan","author":"=yuanyan","date":"2014-01-22 "},{"name":"automarked","description":"Use marked and heighlight to build the html file from markdown file and auto rebuild it when file changed","url":null,"keywords":"","version":"0.1.0","words":"automarked use marked and heighlight to build the html file from markdown file and auto rebuild it when file changed =chemzqm","author":"=chemzqm","date":"2012-05-24 "},{"name":"automata","description":"Automata is a Deterministic Finite State Machine automata framework featuring: a JSON based automata creation, timed transitions, sub-states, guards, FSM registry, etc.","url":null,"keywords":"DFA state machine automata","version":"1.0.7","words":"automata automata is a deterministic finite state machine automata framework featuring: a json based automata creation, timed transitions, sub-states, guards, fsm registry, etc. =hyperandroid dfa state machine automata","author":"=hyperandroid","date":"2013-02-05 "},{"name":"automate","description":"Automatic Link API Client","url":null,"keywords":"","version":"0.0.3","words":"automate automatic link api client =flochtililoch","author":"=flochtililoch","date":"2014-07-14 "},{"name":"automated-readability","description":"Formula to detect the ease of reading a text according to the Automated Readability Index (1967)","url":null,"keywords":"ari automated readability index formula","version":"0.0.1","words":"automated-readability formula to detect the ease of reading a text according to the automated readability index (1967) =wooorm ari automated readability index formula","author":"=wooorm","date":"2014-09-15 "},{"name":"automated-readability-index","description":"Calculate Automated Readability Index","url":null,"keywords":"english writing prose words automatedReadabilityIndex readability","version":"0.0.1","words":"automated-readability-index calculate automated readability index =duereg english writing prose words automatedreadabilityindex readability","author":"=duereg","date":"2014-05-17 "},{"name":"automated-screenshot-diff","description":"Automated Screenshot Diff - Continuous Safe Deployment Made Easy","url":null,"keywords":"","version":"0.1.5","words":"automated-screenshot-diff automated screenshot diff - continuous safe deployment made easy =igorescobar","author":"=igorescobar","date":"2014-01-30 "},{"name":"automatejs","description":"Javascript integration/functional testing","url":null,"keywords":"","version":"0.0.13","words":"automatejs javascript integration/functional testing =paulyi","author":"=paulyi","date":"2013-09-09 "},{"name":"automatic","description":"Automatic API Node.js module","url":null,"keywords":"obd ecu car vehicle automatic on-board diagnostics api","version":"0.2.0","words":"automatic automatic api node.js module =blainsmith obd ecu car vehicle automatic on-board diagnostics api","author":"=blainsmith","date":"2014-03-07 "},{"name":"automatic-api","description":"A node.js module to interface with the Automatic cloud API","url":null,"keywords":"Automatic OBD on-board diagnostics automobile","version":"0.9.4","words":"automatic-api a node.js module to interface with the automatic cloud api =mrose17 automatic obd on-board diagnostics automobile","author":"=mrose17","date":"2014-03-26 "},{"name":"automation","description":"Modular, event-driven home automation library","url":null,"keywords":"","version":"0.0.0","words":"automation modular, event-driven home automation library =bminer","author":"=bminer","date":"2012-09-10 "},{"name":"automationhub-client","description":"AutomationHub Client for Node.JS","url":null,"keywords":"","version":"0.0.2","words":"automationhub-client automationhub client for node.js =mwwhited","author":"=mwwhited","date":"2014-02-01 "},{"name":"automaton","description":"Task automation tool","url":null,"keywords":"automation automatic automaton batch script task tasks async build test minimize declarative concat scaffolding uglify minify mkdir cp rm","version":"0.2.0-rc.3","words":"automaton task automation tool =indigounited =marcooliveira =satazor automation automatic automaton batch script task tasks async build test minimize declarative concat scaffolding uglify minify mkdir cp rm","author":"=indigounited =marcooliveira =satazor","date":"2013-08-22 "},{"name":"automator","description":"A minimal JavaScript library for automating practically anything","url":null,"keywords":"automate automation unit testing","version":"0.1.0","words":"automator a minimal javascript library for automating practically anything =brophdawg11 automate automation unit testing","author":"=brophdawg11","date":"2014-02-05 "},{"name":"automatta","description":"A powerful and lightweight library to create, execute and monitor automata in NodeJS and Javascript.","url":null,"keywords":"automatta automata robot monitor flux execution","version":"0.0.1","words":"automatta a powerful and lightweight library to create, execute and monitor automata in nodejs and javascript. =frankcortes automatta automata robot monitor flux execution","author":"=frankcortes","date":"2012-01-29 "},{"name":"automeme","description":"An automeme API wrapper.","url":null,"keywords":"automeme meme api","version":"0.0.3","words":"automeme an automeme api wrapper. =fiveisprime automeme meme api","author":"=fiveisprime","date":"2014-04-26 "},{"name":"automerger","description":"Streaming ETL","url":null,"keywords":"","version":"2.0.0","words":"automerger streaming etl =tphummel =dguttman","author":"=tphummel =dguttman","date":"2014-07-22 "},{"name":"autometa","description":"Generate various data from Excel spreadsheet","url":null,"keywords":"excel spreadsheet data generate","version":"0.0.5","words":"autometa generate various data from excel spreadsheet =knjcode excel spreadsheet data generate","author":"=knjcode","date":"2014-09-15 "},{"name":"autominify","description":"Auto-minifier middleware for js files in an express-served node.js project","url":null,"keywords":"javascript minifier minify js","version":"0.0.2","words":"autominify auto-minifier middleware for js files in an express-served node.js project =mrpoptart javascript minifier minify js","author":"=mrpoptart","date":"2013-07-07 "},{"name":"automocha","description":"autorun mocha tests on file changes","url":null,"keywords":"mocha testing watch","version":"1.0.0","words":"automocha autorun mocha tests on file changes =toastynerd mocha testing watch","author":"=toastynerd","date":"2014-08-28 "},{"name":"automodule","description":"automagically include submodules or create static include scripts","url":null,"keywords":"","version":"0.1.1","words":"automodule automagically include submodules or create static include scripts =brett_langdon","author":"=brett_langdon","date":"2012-11-28 "},{"name":"automon","description":"Automate life","url":null,"keywords":"","version":"0.0.1","words":"automon automate life =mattmueller","author":"=mattmueller","date":"2013-05-03 "},{"name":"auton","description":"Automated node development environment & resource compiler","url":null,"keywords":"","version":"0.5.2","words":"auton automated node development environment & resource compiler =digiwano","author":"=digiwano","date":"2013-08-06 "},{"name":"autonode","description":"Connect a cluster on a single machine. One node starts a server on a given port, but if the address is in use, become a client, and connect to that port instead.","url":null,"keywords":"","version":"0.3.2","words":"autonode connect a cluster on a single machine. one node starts a server on a given port, but if the address is in use, become a client, and connect to that port instead. =dominictarr","author":"=dominictarr","date":"2013-07-04 "},{"name":"autonomous-webdriver","description":"Tests based on selenium without starting a server","url":null,"keywords":"","version":"0.0.1","words":"autonomous-webdriver tests based on selenium without starting a server =mathbruyen","author":"=mathbruyen","date":"2014-04-17 "},{"name":"autonomy","description":"Lightweight functional utility library complementing ES5","url":null,"keywords":"utility functional haskell partial curry zipWith FP ES5","version":"0.5.2","words":"autonomy lightweight functional utility library complementing es5 =clux utility functional haskell partial curry zipwith fp es5","author":"=clux","date":"2014-09-02 "},{"name":"autonpm","description":"install npm modules on demand","url":null,"keywords":"npm install auto bootstrap script demand wrapper","version":"0.2.0","words":"autonpm install npm modules on demand =harsha-mudi npm install auto bootstrap script demand wrapper","author":"=harsha-mudi","date":"2014-08-19 "},{"name":"autopages","description":"Automated compilation and deployment to gh-pages","url":null,"keywords":"","version":"0.1.0","words":"autopages automated compilation and deployment to gh-pages =mathisonian","author":"=mathisonian","date":"2014-06-28 "},{"name":"autopages-browserify","description":"Browserify plugin for autopages","url":null,"keywords":"autopages browserify github gh-pages github pages","version":"0.0.1","words":"autopages-browserify browserify plugin for autopages =mathisonian autopages browserify github gh-pages github pages","author":"=mathisonian","date":"2014-05-29 "},{"name":"autopia","description":"Automated Node require.","url":null,"keywords":"auto require","version":"0.0.1","words":"autopia automated node require. =asmblah auto require","author":"=asmblah","date":"2013-04-29 "},{"name":"autopilot","url":null,"keywords":"autopilot scaffold build processing packages managment","version":"0.0.0","words":"autopilot =websperts autopilot scaffold build processing packages managment","author":"=websperts","date":"2014-03-05 "},{"name":"autoping","description":"Keep your heroku app alive","url":null,"keywords":"keepalive heroku","version":"0.0.2","words":"autoping keep your heroku app alive =esetnik keepalive heroku","author":"=esetnik","date":"2014-09-14 "},{"name":"autopkginit","description":"Tiny helper to speed up common npm script utils for task automation.","url":null,"keywords":"task automation, npm scripts, auto, pkginit","version":"0.0.1","words":"autopkginit tiny helper to speed up common npm script utils for task automation. =johannesboyne task automation, npm scripts, auto, pkginit","author":"=johannesboyne","date":"2013-12-09 "},{"name":"autopolyfiller","description":"Precise polyfills. Like Autoprefixer, but for JavaScript polyfills","url":null,"keywords":"polyfill polyfills dom ecmascript ecmascript5 ecmascript6 postprocessor","version":"1.3.0","words":"autopolyfiller precise polyfills. like autoprefixer, but for javascript polyfills =azproduction polyfill polyfills dom ecmascript ecmascript5 ecmascript6 postprocessor","author":"=azproduction","date":"2014-08-31 "},{"name":"autopolyfiller-helpers","description":"Helpers for making polyfills for Autopolyfiller","url":null,"keywords":"utils","version":"1.0.2","words":"autopolyfiller-helpers helpers for making polyfills for autopolyfiller =azproduction utils","author":"=azproduction","date":"2014-08-31 "},{"name":"autopolyfiller-stable","description":"Stable polyfills for Autopolyfiller","url":null,"keywords":"polyfill polyfills autopolyfillerplugin ecmascript ecmascript5","version":"1.0.1","words":"autopolyfiller-stable stable polyfills for autopolyfiller =azproduction polyfill polyfills autopolyfillerplugin ecmascript ecmascript5","author":"=azproduction","date":"2014-08-31 "},{"name":"autoprefixer","description":"Parse CSS and add vendor prefixes to CSS rules using values from the Can I Use website","url":null,"keywords":"css prefix postprocessor postcss","version":"3.1.0","words":"autoprefixer parse css and add vendor prefixes to css rules using values from the can i use website =ai =kossnocorp css prefix postprocessor postcss","author":"=ai =kossnocorp","date":"2014-09-14 "},{"name":"autoprefixer-brunch","description":"Adds autoprefixer support to brunch.","url":null,"keywords":"brunch autoprefixer","version":"1.8.3","words":"autoprefixer-brunch adds autoprefixer support to brunch. =lydell brunch autoprefixer","author":"=lydell","date":"2014-08-23 "},{"name":"autoprefixer-core","description":"CLI-less core of Autoprefixer to use in plugins","url":null,"keywords":"autoprefixer css prefix postprocessor postcss","version":"3.1.0","words":"autoprefixer-core cli-less core of autoprefixer to use in plugins =ai autoprefixer css prefix postprocessor postcss","author":"=ai","date":"2014-09-14 "},{"name":"autoprefixer-loader","description":"Autoprefixer loader for webpack","url":null,"keywords":"webpack loader autoprefixer","version":"1.0.0","words":"autoprefixer-loader autoprefixer loader for webpack =passy =ai webpack loader autoprefixer","author":"=passy =ai","date":"2014-08-27 "},{"name":"autoprefixer-stylus","description":"autoprefixer for stylus","url":null,"keywords":"","version":"0.3.0","words":"autoprefixer-stylus autoprefixer for stylus =jenius","author":"=jenius","date":"2014-08-23 "},{"name":"autoprint","description":"New (working) version of autoprint in JavaScript.","url":null,"keywords":"","version":"0.0.4","words":"autoprint new (working) version of autoprint in javascript. =daxxog","author":"=daxxog","date":"2013-06-23 "},{"name":"autoqueue","description":"Helps AMQP publishers keep their bindings up.","url":null,"keywords":"amqp rabbitmq","version":"0.1.2","words":"autoqueue helps amqp publishers keep their bindings up. =graemef amqp rabbitmq","author":"=graemef","date":"2013-02-17 "},{"name":"autoquit","description":"Automatically shut down servers when inactive","url":null,"keywords":"autoquit server","version":"0.1.6","words":"autoquit automatically shut down servers when inactive =rubenv autoquit server","author":"=rubenv","date":"2014-03-25 "},{"name":"autorecordmic","description":"Record microphone data via getUsermedia automatically based on microphone activity","url":null,"keywords":"getUserMedia record mic activity level auto","version":"0.0.8","words":"autorecordmic record microphone data via getusermedia automatically based on microphone activity =mikkoh =mattdesl getusermedia record mic activity level auto","author":"=mikkoh =mattdesl","date":"2014-09-11 "},{"name":"autoreleasepool","description":"A very simple wrapper around the OS X NSAutoreleasePool","url":null,"keywords":"","version":"0.0.2","words":"autoreleasepool a very simple wrapper around the os x nsautoreleasepool =tootallnate =tootallnate","author":"=TooTallNate =tootallnate","date":"2013-02-03 "},{"name":"autoreload","description":"Autoreload server - watches your files for changes and handles client polling.","url":null,"keywords":"","version":"0.0.2","words":"autoreload autoreload server - watches your files for changes and handles client polling. =ianw","author":"=ianw","date":"2013-09-26 "},{"name":"autoremote.js","description":"autoRemote node.js API","url":null,"keywords":"autoRemote.js API","version":"0.6.7","words":"autoremote.js autoremote node.js api =kwe autoremote.js api","author":"=kwe","date":"2014-07-11 "},{"name":"autoremoteserver","description":"A cross-plattform AutoRemote-Server based on node.js (AutoNode)","url":null,"keywords":"","version":"0.2.3","words":"autoremoteserver a cross-plattform autoremote-server based on node.js (autonode) =kwe","author":"=kwe","date":"2014-07-10 "},{"name":"autorequire","description":"Automatically requires source for a module/project, provided you follow a convention.","url":null,"keywords":"require autorequire autoload modules load loader","version":"0.3.4","words":"autorequire automatically requires source for a module/project, provided you follow a convention. =nevir require autorequire autoload modules load loader","author":"=nevir","date":"2012-07-17 "},{"name":"autoresolve","description":"A simple module to auto resolve module paths.","url":null,"keywords":"require autoresolve path resolve","version":"0.0.3","words":"autoresolve a simple module to auto resolve module paths. =jp require autoresolve path resolve","author":"=jp","date":"2012-07-17 "},{"name":"autorespons2","description":"A fork for autoresponse","url":null,"keywords":"mock autoresponse","version":"0.1.2","words":"autorespons2 a fork for autoresponse =afc163 mock autoresponse","author":"=afc163","date":"2014-09-18 "},{"name":"autoresponse","description":"Autoresponse middleare using local data or proxy","url":null,"keywords":"mock autoresponse","version":"0.1.2","words":"autoresponse autoresponse middleare using local data or proxy =wuhuiyao mock autoresponse","author":"=wuhuiyao","date":"2014-09-12 "},{"name":"autoresponse2","description":"A fork for autoresponse","url":null,"keywords":"mock autoresponse","version":"0.1.2","words":"autoresponse2 a fork for autoresponse =afc163 mock autoresponse","author":"=afc163","date":"2014-09-17 "},{"name":"autorev","description":"blindly update couchdb documents","url":null,"keywords":"couchdb _rev _id ddoc design document","version":"0.0.0","words":"autorev blindly update couchdb documents =substack couchdb _rev _id ddoc design document","author":"=substack","date":"2012-02-19 "},{"name":"autoroute","description":"Autorouter for express","url":null,"keywords":"expressjs router autroute","version":"0.2.1","words":"autoroute autorouter for express =tinganho expressjs router autroute","author":"=tinganho","date":"2013-05-27 "},{"name":"autos3","description":"express middleware for uploading files to directly to s3","url":null,"keywords":"S3 Amazon S3","version":"0.0.4-0","words":"autos3 express middleware for uploading files to directly to s3 =bekzod s3 amazon s3","author":"=bekzod","date":"2013-04-18 "},{"name":"autosave","description":"A server for Chrome Devtools Autosave (https://github.com/NV/chrome-devtools-autosave)","url":null,"keywords":"devtools","version":"1.0.3","words":"autosave a server for chrome devtools autosave (https://github.com/nv/chrome-devtools-autosave) =nv devtools","author":"=nv","date":"2012-11-22 "},{"name":"autoscale-canvas","description":"Retina-enable an HTML canvas","url":null,"keywords":"canvas retina hd","version":"0.0.3","words":"autoscale-canvas retina-enable an html canvas =tjholowaychuk canvas retina hd","author":"=tjholowaychuk","date":"2012-10-01 "},{"name":"autoscout24-node","description":"A simple client implementation to access autoscout24 api for/in node.js","url":null,"keywords":"api sdk","version":"0.0.1","words":"autoscout24-node a simple client implementation to access autoscout24 api for/in node.js =teeaich api sdk","author":"=teeaich","date":"2012-08-26 "},{"name":"autostart","description":"Multiplatform autostart tool for Node.js applications","url":null,"keywords":"","version":"0.0.9-1","words":"autostart multiplatform autostart tool for node.js applications =julianduque","author":"=julianduque","date":"2013-05-10 "},{"name":"autostatic","description":"Automatically serve static files, with version control (etag support), compression and CDN support. This makes it possible to skip all the annoying packaging process when deploying your application.","url":null,"keywords":"express packaging compression minify assets cdn deploy","version":"0.1.1-2","words":"autostatic automatically serve static files, with version control (etag support), compression and cdn support. this makes it possible to skip all the annoying packaging process when deploying your application. =ktmud express packaging compression minify assets cdn deploy","author":"=ktmud","date":"2013-04-27 "},{"name":"autostrip-json-comments","description":"Installs nodejs require hook to strip JSON comments","url":null,"keywords":"json comments strip nodejs require","version":"0.0.4","words":"autostrip-json-comments installs nodejs require hook to strip json comments =bahmutov json comments strip nodejs require","author":"=bahmutov","date":"2013-11-19 "},{"name":"autosuggest","description":"Autosuggest values for text inputs","url":null,"keywords":"","version":"0.0.2","words":"autosuggest autosuggest values for text inputs =tootallnate","author":"=tootallnate","date":"2013-02-26 "},{"name":"autotest","description":"Simple script to provide some autotest capabilities for node or python.","url":null,"keywords":"monitor development restart autotest reload","version":"0.2.6","words":"autotest simple script to provide some autotest capabilities for node or python. =realistschuckle monitor development restart autotest reload","author":"=realistschuckle","date":"2012-06-01 "},{"name":"autotrace","description":"A simple interface for converting raster images into vector graphics using AutoTrace.","url":null,"keywords":"bitmap image raster vector vectorization convert","version":"0.0.1","words":"autotrace a simple interface for converting raster images into vector graphics using autotrace. =zacbarton bitmap image raster vector vectorization convert","author":"=zacbarton","date":"2014-08-06 "},{"name":"autoupdatedjson","description":"when all you need is a json file hot loaded into memory when the file changes","url":null,"keywords":"","version":"0.1.0","words":"autoupdatedjson when all you need is a json file hot loaded into memory when the file changes =sfusco","author":"=sfusco","date":"2014-01-10 "},{"name":"autoweb","description":"http mvc框架","url":null,"keywords":"web http mvc","version":"0.0.6","words":"autoweb http mvc框架 =dxhbiz web http mvc","author":"=dxhbiz","date":"2013-12-18 "},{"name":"autumn","description":"A tool to export answers from a Formspring (Spring.me) account.","url":null,"keywords":"formspring spring spring.me answers autumn","version":"1.0.2","words":"autumn a tool to export answers from a formspring (spring.me) account. =mithgol formspring spring spring.me answers autumn","author":"=mithgol","date":"2014-08-24 "},{"name":"aux","description":"Simplify running commands on multiple systems","url":null,"keywords":"deployments administration remote ssh","version":"0.0.6","words":"aux simplify running commands on multiple systems =eliasgs deployments administration remote ssh","author":"=eliasgs","date":"2014-01-06 "},{"name":"aux.js","description":"idiomatic JavaScript","url":null,"keywords":"","version":"0.5.0","words":"aux.js idiomatic javascript =streetstrider","author":"=streetstrider","date":"2014-08-30 "},{"name":"auxiliary","keywords":"","version":[],"words":"auxiliary","author":"","date":"2014-04-05 "},{"name":"auxilio-backend","description":"The server responding on auxilio chrome extension","url":null,"keywords":"auxilio chrome extension","version":"0.0.57","words":"auxilio-backend the server responding on auxilio chrome extension =krasimir auxilio chrome extension","author":"=krasimir","date":"2014-04-17 "},{"name":"av","description":"Audio decoding framework","url":null,"keywords":"","version":"0.4.2","words":"av audio decoding framework =devongovett","author":"=devongovett","date":"2014-06-17 "},{"name":"av-push","description":"Push notification lib","url":null,"keywords":"push apn","version":"0.0.1","words":"av-push push notification lib =arvan push apn","author":"=arvan","date":"2014-03-02 "},{"name":"av-station","description":"Commandline interface to update avControl dashboard with information on the local station.","url":null,"keywords":"","version":"0.0.4","words":"av-station commandline interface to update avcontrol dashboard with information on the local station. =darneas","author":"=darneas","date":"2014-02-26 "},{"name":"ava","description":"WIP - Simple test runner","url":null,"keywords":"cli bin","version":"0.0.4","words":"ava wip - simple test runner =sindresorhus cli bin","author":"=sindresorhus","date":"2014-08-17 "},{"name":"avahi","url":null,"keywords":"","version":"0.0.1","words":"avahi =izaakschroeder","author":"=izaakschroeder","date":"2012-03-06 "},{"name":"avail","description":"Check if a domain is available - fast","url":null,"keywords":"cli domain availability","version":"0.0.3","words":"avail check if a domain is available - fast =srn cli domain availability","author":"=srn","date":"2014-09-19 "},{"name":"available-versions","description":"Returns a promise with new versions higher than given for a npm module","url":null,"keywords":"npm version available check","version":"0.1.5","words":"available-versions returns a promise with new versions higher than given for a npm module =bahmutov npm version available check","author":"=bahmutov","date":"2014-04-09 "},{"name":"avalanche","description":"placeholder","url":null,"keywords":"","version":"0.0.1","words":"avalanche placeholder =ahn","author":"=ahn","date":"2013-05-28 "},{"name":"avalanche-ots","url":null,"keywords":"","version":"0.0.2","words":"avalanche-ots =hellopat","author":"=hellopat","date":"2014-02-10 "},{"name":"avalon-node","keywords":"","version":[],"words":"avalon-node","author":"","date":"2014-04-15 "},{"name":"avangate","description":"avangate ipn confirmation for nodejs","url":null,"keywords":"ipn avangate","version":"0.1.7","words":"avangate avangate ipn confirmation for nodejs =callmewa ipn avangate","author":"=callmewa","date":"2014-06-02 "},{"name":"avant","description":"Cross-browser JavaScript events","url":null,"keywords":"event events dom browser","version":"0.2.0","words":"avant cross-browser javascript events =ryanve event events dom browser","author":"=ryanve","date":"2014-09-19 "},{"name":"avar","description":"Async variables","url":null,"keywords":"","version":"0.0.1","words":"avar async variables =jb55","author":"=jb55","date":"2013-10-13 "},{"name":"avatar","description":"skinned avatar player model for voxel games","url":null,"keywords":"voxel avatar skin","version":"0.1.0","words":"avatar skinned avatar player model for voxel games =deathcap voxel avatar skin","author":"=deathcap","date":"2014-05-01 "},{"name":"avatar-cropper","keywords":"","version":[],"words":"avatar-cropper","author":"","date":"2014-06-05 "},{"name":"avatar-cropper-view","url":null,"keywords":"","version":"2.0.1","words":"avatar-cropper-view =latentflip","author":"=latentflip","date":"2014-08-26 "},{"name":"avatar-generator","description":"8bit avatar generator. Inspired by https://github.com/matveyco/8biticon","url":null,"keywords":"avatar 8bit old school","version":"1.0.1","words":"avatar-generator 8bit avatar generator. inspired by https://github.com/matveyco/8biticon =arusanov avatar 8bit old school","author":"=arusanov","date":"2014-07-03 "},{"name":"avatars.io","description":"Avatars.io client","url":null,"keywords":"","version":"0.1.6","words":"avatars.io avatars.io client =vdemedes","author":"=vdemedes","date":"2013-05-30 "},{"name":"avault","description":"Simple module to protect api keys, username credentials, and other sensitive data.","url":null,"keywords":"secure vault sensitive","version":"0.1.17","words":"avault simple module to protect api keys, username credentials, and other sensitive data. =rsolton =jeffreyawest secure vault sensitive","author":"=rsolton =jeffreyawest","date":"2014-08-07 "},{"name":"avconv","description":"Simply spawns an avconv process with any parameters and *streams* the result + conversion progress to you. Very small, fast, clean and does only this.","url":null,"keywords":"avconv video conversion video encoding","version":"2.0.0","words":"avconv simply spawns an avconv process with any parameters and *streams* the result + conversion progress to you. very small, fast, clean and does only this. =michael.heuberger avconv video conversion video encoding","author":"=michael.heuberger","date":"2014-05-14 "},{"name":"avconv-utils","description":"utility functions to perform operations on videos using avconv","url":null,"keywords":"extract images create mosaics video utilities avconv","version":"0.1.5","words":"avconv-utils utility functions to perform operations on videos using avconv =josepedrodias extract images create mosaics video utilities avconv","author":"=josepedrodias","date":"2014-05-16 "},{"name":"avec","description":"Eventual ES5 array operations using promises","url":null,"keywords":"promises","version":"1.1.0","words":"avec eventual es5 array operations using promises =jden =agilemd promises","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"avec-geojs","description":"Geospatial Library","url":null,"keywords":"OGC ISO Geospatial Spatial Geographic Geography Library Feature Geometry CRS Metadata Inspire","version":"0.0.1","words":"avec-geojs geospatial library =acuster ogc iso geospatial spatial geographic geography library feature geometry crs metadata inspire","author":"=acuster","date":"2014-08-27 "},{"name":"avec-geojs-web","description":"Geospatial Library","url":null,"keywords":"OGC ISO Geospatial Spatial Geographic Geography Library Feature Geometry CRS Metadata Inspire Canvas Map Viewer MapModel","version":"0.0.1","words":"avec-geojs-web geospatial library =acuster ogc iso geospatial spatial geographic geography library feature geometry crs metadata inspire canvas map viewer mapmodel","author":"=acuster","date":"2014-08-28 "},{"name":"avenue","description":"File system dervied routes for Node.js and the browser.","url":null,"keywords":"router html5 middleware routes browser filesystem","version":"0.0.3","words":"avenue file system dervied routes for node.js and the browser. =bigeasy router html5 middleware routes browser filesystem","author":"=bigeasy","date":"2013-09-16 "},{"name":"aver","description":"ultraminimal test dsl","url":null,"keywords":"test tdd bdd dsl wtf bbq","version":"0.0.2","words":"aver ultraminimal test dsl =quarterto test tdd bdd dsl wtf bbq","author":"=quarterto","date":"2013-11-16 "},{"name":"average","description":"Mathematical average. Sum of all values divided by the number of values provided.","url":null,"keywords":"math average mean","version":"0.0.1","words":"average mathematical average. sum of all values divided by the number of values provided. =bytespider math average mean","author":"=bytespider","date":"2014-01-30 "},{"name":"avg","description":"calculate rounded averages","url":null,"keywords":"averages rounding","version":"0.1.0","words":"avg calculate rounded averages =ilja averages rounding","author":"=ilja","date":"2013-12-04 "},{"name":"avg-stream","description":"average the last n samples and emit the result as a stream ","url":null,"keywords":"","version":"0.0.1","words":"avg-stream average the last n samples and emit the result as a stream =soldair","author":"=soldair","date":"2014-01-18 "},{"name":"avgcounter","description":"Counts things and averages them per whatever time unit you like","url":null,"keywords":"average counter performance monitor monitoring requestspersecond","version":"1.0.1","words":"avgcounter counts things and averages them per whatever time unit you like =tomaszbrue average counter performance monitor monitoring requestspersecond","author":"=tomaszbrue","date":"2014-08-17 "},{"name":"aviary","description":"A NodeJS implementation of the Aviary Server-side Render Api.","url":null,"keywords":"photo image render","version":"0.1.1","words":"aviary a nodejs implementation of the aviary server-side render api. =arifuchs photo image render","author":"=arifuchs","date":"2013-03-05 "},{"name":"aviglitch","description":"A node.js porting of aviglitch rubygem by ucnv.","url":null,"keywords":"avi video glitch datamosh","version":"0.0.2","words":"aviglitch a node.js porting of aviglitch rubygem by ucnv. =fand avi video glitch datamosh","author":"=fand","date":"2014-06-21 "},{"name":"aviratkumar-startup","description":"Get list of user github Repositories","url":null,"keywords":"githubrepos","version":"0.0.1","words":"aviratkumar-startup get list of user github repositories =aviratkumar-startup githubrepos","author":"=aviratkumar-startup","date":"2013-10-23 "},{"name":"avl-tree-adt","description":"AVL Tree ADT for browser and nodejs","url":null,"keywords":"avl-tree adt datatype abstractdatatype","version":"0.0.0","words":"avl-tree-adt avl tree adt for browser and nodejs =pasangsherpa avl-tree adt datatype abstractdatatype","author":"=pasangsherpa","date":"2014-08-01 "},{"name":"avltree","description":"an AVL tree implementation that supports node streams","url":null,"keywords":"avl avltree binary binarytree bintree btree cache streaming streams tree trees","version":"0.1.4","words":"avltree an avl tree implementation that supports node streams =mmaelzer avl avltree binary binarytree bintree btree cache streaming streams tree trees","author":"=mmaelzer","date":"2014-09-07 "},{"name":"avm","description":"A demo manage Customised Message on app version number","url":null,"keywords":"customised message api management push update message updates","version":"0.0.200002","words":"avm a demo manage customised message on app version number =vipin customised message api management push update message updates","author":"=vipin","date":"2013-07-12 "},{"name":"avn","description":"Automatic Node Version Switching","url":null,"keywords":"nvm n node version switch automatic cd change directory","version":"0.1.4","words":"avn automatic node version switching =wbyoung nvm n node version switch automatic cd change directory","author":"=wbyoung","date":"2014-05-24 "},{"name":"avn-n","description":"avn plugin for n","url":null,"keywords":"avn node n version switch automatic cd change directory","version":"0.1.1","words":"avn-n avn plugin for n =wbyoung avn node n version switch automatic cd change directory","author":"=wbyoung","date":"2014-05-19 "},{"name":"avn-nvm","description":"avn plugin for n","url":null,"keywords":"avn node n version switch automatic cd change directory","version":"0.1.1","words":"avn-nvm avn plugin for n =wbyoung avn node n version switch automatic cd change directory","author":"=wbyoung","date":"2014-05-19 "},{"name":"avocado-api","description":"node.js implementation of the avocado api","url":null,"keywords":"","version":"0.0.1","words":"avocado-api node.js implementation of the avocado api =dmcaulay","author":"=dmcaulay","date":"2013-04-12 "},{"name":"avocadojs","description":"Node wrapper for Avocado API","url":null,"keywords":"avocado api","version":"0.8.3","words":"avocadojs node wrapper for avocado api =johnny avocado api","author":"=johnny","date":"2012-11-14 "},{"name":"avon","description":"node bindings for the blake2 cryptographic hash","url":null,"keywords":"blake2 hash cryptographic hash","version":"0.2.0","words":"avon node bindings for the blake2 cryptographic hash =ceejbot blake2 hash cryptographic hash","author":"=ceejbot","date":"2014-06-29 "},{"name":"avos-express-cookie-session","description":"AVOS Cloud Code cookie session middleware for express framework.","url":null,"keywords":"cloud BaaS avos avoscloud web-service","version":"0.1.3","words":"avos-express-cookie-session avos cloud code cookie session middleware for express framework. =avos cloud baas avos avoscloud web-service","author":"=avos","date":"2013-12-26 "},{"name":"avos-express-https-redirect","description":"AVOS Cloud Code https redirect middleware for express framework.","url":null,"keywords":"cloud BaaS avos avoscloud web-service","version":"0.1.0","words":"avos-express-https-redirect avos cloud code https redirect middleware for express framework. =avos cloud baas avos avoscloud web-service","author":"=avos","date":"2013-12-20 "},{"name":"avos-lock","description":"AVOSCloud Cloud Mock Lock SDK!","url":null,"keywords":"","version":"0.0.2","words":"avos-lock avoscloud cloud mock lock sdk! =avos","author":"=avos","date":"2013-12-06 "},{"name":"avoscloud-code","description":"AVOS Cloud Code SDK.","url":null,"keywords":"cloud BaaS avos avoscloud web-service","version":"0.4.9-RC3","words":"avoscloud-code avos cloud code sdk. =avos cloud baas avos avoscloud web-service","author":"=avos","date":"2014-09-16 "},{"name":"avoscloud-code-mock-sdk","description":"AVOSCloud Cloud Code Mock SDK.!","url":null,"keywords":"","version":"0.2.4-rc2","words":"avoscloud-code-mock-sdk avoscloud cloud code mock sdk.! =avos","author":"=avos","date":"2013-12-06 "},{"name":"avoscloud-sdk","description":"AVOSCloud JavaScript SDK.","url":null,"keywords":"","version":"0.4.2","words":"avoscloud-sdk avoscloud javascript sdk. =avos","author":"=avos","date":"2014-09-15 "},{"name":"avow","description":"Example Promises/A+ implementation. Simple, tiny, fast, fully async","url":null,"keywords":"promise promises promises-aplus Promises/A+ async asynchronous deferred","version":"2.0.2","words":"avow example promises/a+ implementation. simple, tiny, fast, fully async =briancavalier promise promises promises-aplus promises/a+ async asynchronous deferred","author":"=briancavalier","date":"2014-09-11 "},{"name":"avprober","description":"A simplistic rewrite of node-ffprobe, written for avprobe","url":null,"keywords":"ffmpeg ffprobe avprobe","version":"0.1.0","words":"avprober a simplistic rewrite of node-ffprobe, written for avprobe =pete-otaqui ffmpeg ffprobe avprobe","author":"=pete-otaqui","date":"2014-05-22 "},{"name":"avr","description":"avr project tools","url":null,"keywords":"avr","version":"0.0.4","words":"avr avr project tools =tmpvar avr","author":"=tmpvar","date":"2013-05-22 "},{"name":"avr-info","description":"Database of AVR chip info","url":null,"keywords":"avr atmel memory","version":"0.0.4","words":"avr-info database of avr chip info =morganrallen avr atmel memory","author":"=morganrallen","date":"2013-11-23 "},{"name":"avr-isp","description":"Library to allow Tessel to act as an AVR In-System Programmer","url":null,"keywords":"tessel avr isp","version":"0.0.3","words":"avr-isp library to allow tessel to act as an avr in-system programmer =technicalmachine tessel avr isp","author":"=technicalmachine","date":"2014-08-01 "},{"name":"avril","description":"avril framework is a web framework based on Express, it provides unlimited layout and partial support for web, make the coding experience feel like asp.net mvc, provides globallization and resource( css and js) minify.","url":null,"keywords":"layout support for express unlimited layout unlimited partial Asp.net MVC areas razor","version":"0.0.79","words":"avril avril framework is a web framework based on express, it provides unlimited layout and partial support for web, make the coding experience feel like asp.net mvc, provides globallization and resource( css and js) minify. =flowforever layout support for express unlimited layout unlimited partial asp.net mvc areas razor","author":"=flowforever","date":"2014-06-05 "},{"name":"avro","description":"Avro","url":null,"keywords":"","version":"0.1.0","words":"avro avro =jeromyc","author":"=jeromyc","date":"2012-02-01 "},{"name":"avro-schema","description":"AVRO schema utilities","url":null,"keywords":"AVRO marshall","version":"0.0.3","words":"avro-schema avro schema utilities =nsabovic avro marshall","author":"=nsabovic","date":"2013-02-14 "},{"name":"avrodoc","description":"Documentation tool for Avro schemas","url":null,"keywords":"","version":"0.3.0","words":"avrodoc documentation tool for avro schemas =martinkl","author":"=martinkl","date":"2013-01-30 "},{"name":"avrojs","description":"Avro JS","url":null,"keywords":"","version":"0.0.2","words":"avrojs avro js =mountainmansoftware","author":"=mountainmansoftware","date":"2012-06-08 "},{"name":"avronode","description":"A wrapper for the c++ implemenation of Avro.","url":null,"keywords":"","version":"0.2.3","words":"avronode a wrapper for the c++ implemenation of avro. =bendavidjamin","author":"=bendavidjamin","date":"2014-05-14 "},{"name":"avs-statechart","description":"Statecharts for Node.js","url":null,"keywords":"statechart","version":"0.1.6","words":"avs-statechart statecharts for node.js =gigerlin statechart","author":"=gigerlin","date":"2014-03-10 "},{"name":"aw-cache-heater","description":"A cache-heater Cetrea Anywhere.","url":null,"keywords":"","version":"1.0.4","words":"aw-cache-heater a cache-heater cetrea anywhere. =jonathanbp","author":"=jonathanbp","date":"2014-03-04 "},{"name":"aw-cache-validator","description":"A cache-validator Cetrea Anywhere.","url":null,"keywords":"","version":"1.0.3","words":"aw-cache-validator a cache-validator cetrea anywhere. =jonathanbp","author":"=jonathanbp","date":"2014-03-07 "},{"name":"await","description":"Set-theoretical promises","url":null,"keywords":"promises futures deferreds asynchronous","version":"0.2.4","words":"await set-theoretical promises =greim promises futures deferreds asynchronous","author":"=greim","date":"2014-06-16 "},{"name":"await-event","description":"yield an event with generators","url":null,"keywords":"co events event-emitter await","version":"1.0.0","words":"await-event yield an event with generators =jongleberry =coderhaoxin co events event-emitter await","author":"=jongleberry =coderhaoxin","date":"2014-08-15 "},{"name":"await-stream","description":"A stream which emits when each constituent stream has emitted.","url":null,"keywords":"await stream asynchronous","version":"1.0.1","words":"await-stream a stream which emits when each constituent stream has emitted. =andrewwinterman await stream asynchronous","author":"=andrewwinterman","date":"2014-04-01 "},{"name":"await.js","description":"Node's await implement powered by v8's generator","url":null,"keywords":"","version":"0.0.5","words":"await.js node's await implement powered by v8's generator =patr0nus","author":"=patr0nus","date":"2014-01-28 "},{"name":"awaitable","description":"promise and generator-based coroutines","url":null,"keywords":"async asynchronous flow control generator generators coroutine co promise promises await awaitable","version":"1.0.2","words":"awaitable promise and generator-based coroutines =jongleberry async asynchronous flow control generator generators coroutine co promise promises await awaitable","author":"=jongleberry","date":"2014-08-23 "},{"name":"awaitajax","description":"Turns Node http.request into single-callback form, for use with await/defer","url":null,"keywords":"iced coffeescript await defer ajax http xhr queue","version":"0.0.2","words":"awaitajax turns node http.request into single-callback form, for use with await/defer =doublerebel iced coffeescript await defer ajax http xhr queue","author":"=doublerebel","date":"2014-08-14 "},{"name":"awake","description":"File watcher for make","url":null,"keywords":"","version":"0.1.1","words":"awake file watcher for make =acconut","author":"=acconut","date":"2014-05-11 "},{"name":"aware","description":"Bindable key-value storage","url":null,"keywords":"key value bind storage","version":"0.3.0","words":"aware bindable key-value storage =arboleya key value bind storage","author":"=arboleya","date":"2014-04-24 "},{"name":"away","description":"detect when a user is idle on a page","url":null,"keywords":"idle","version":"1.0.0","words":"away detect when a user is idle on a page =shtylman idle","author":"=shtylman","date":"2013-03-05 "},{"name":"awdry","description":"Auto controller-view rendering","url":null,"keywords":"view layout controller sodor brio gusto","version":"0.2.0","words":"awdry auto controller-view rendering =quarterto view layout controller sodor brio gusto","author":"=quarterto","date":"2014-08-10 "},{"name":"awe","description":"Simplifies the building and maintenance of websites / web apps, by handling the compilation & minification of assets, and deployment to remote servers","url":null,"keywords":"","version":"0.0.5","words":"awe simplifies the building and maintenance of websites / web apps, by handling the compilation & minification of assets, and deployment to remote servers =davejamesmiller","author":"=davejamesmiller","date":"2014-09-07 "},{"name":"awe-cli","keywords":"","version":[],"words":"awe-cli","author":"","date":"2014-05-17 "},{"name":"aweforms","description":"mustache lambdas to create bootstrap forms","url":null,"keywords":"mustache lambdas bootstrap form helper hogan hogan.js","version":"0.1.8","words":"aweforms mustache lambdas to create bootstrap forms =parroit mustache lambdas bootstrap form helper hogan hogan.js","author":"=parroit","date":"2014-01-18 "},{"name":"awesom0","description":"An IRC bot that responds to custom user scripts.","url":null,"keywords":"","version":"0.0.4","words":"awesom0 an irc bot that responds to custom user scripts. =l1fescape","author":"=l1fescape","date":"2014-07-18 "},{"name":"awesome","description":"awesome framework","url":null,"keywords":"","version":"0.0.7","words":"awesome awesome framework =alfredwesterveld","author":"=alfredwesterveld","date":"2011-02-08 "},{"name":"awesome-auth-client","description":"Authenticating, awesomely","url":null,"keywords":"","version":"0.0.43","words":"awesome-auth-client authenticating, awesomely =khughes","author":"=khughes","date":"2014-07-25 "},{"name":"awesome-branch-forwarder","description":"Hello!","url":null,"keywords":"","version":"0.0.5","words":"awesome-branch-forwarder hello! =hookdump","author":"=hookdump","date":"2014-01-30 "},{"name":"awesome-module-system","description":"An alternative module system.","url":null,"keywords":"","version":"0.1.0","words":"awesome-module-system an alternative module system. =kesla","author":"=kesla","date":"2014-06-10 "},{"name":"awesome-paginator","description":"A simple paginator with url building","url":null,"keywords":"paging","version":"1.0.0","words":"awesome-paginator a simple paginator with url building =wwwdata paging","author":"=wwwdata","date":"2014-03-08 "},{"name":"awesome-service","description":"Common awesome service library.","url":null,"keywords":"","version":"0.3.8","words":"awesome-service common awesome service library. =conde-nast","author":"=conde-nast","date":"2014-09-18 "},{"name":"awesome-websocket","description":"A WebSocket, with the extra awesome of client failover and autoreconnect","url":null,"keywords":"WebSocket reconnect reconnecting queueing failover resend","version":"0.0.23","words":"awesome-websocket a websocket, with the extra awesome of client failover and autoreconnect =wballard =intimonkey =nswarr websocket reconnect reconnecting queueing failover resend","author":"=wballard =intimonkey =nswarr","date":"2014-09-16 "},{"name":"awesomebox","description":"Effortless HTML, CSS, JS development in the flavor of your choice","url":null,"keywords":"","version":"0.5.3","words":"awesomebox effortless html, css, js development in the flavor of your choice =mattinsler","author":"=mattinsler","date":"2014-02-27 "},{"name":"awesomebox-bower","description":"Bower plugin for awesomebox","url":null,"keywords":"","version":"0.2.0","words":"awesomebox-bower bower plugin for awesomebox =mattinsler","author":"=mattinsler","date":"2013-04-01 "},{"name":"awesomebox-cli","description":"CLI for awesomebox","url":null,"keywords":"","version":"0.0.2","words":"awesomebox-cli cli for awesomebox =mattinsler","author":"=mattinsler","date":"2013-10-29 "},{"name":"awesomebox-core","description":"Rendering core for awesomebox","url":null,"keywords":"","version":"0.3.0","words":"awesomebox-core rendering core for awesomebox =mattinsler","author":"=mattinsler","date":"2014-02-23 "},{"name":"awesomebox-layer","description":"layer-cake plugin to use awesomebox as a rendering engine","url":null,"keywords":"layer-cake rendering","version":"0.0.7","words":"awesomebox-layer layer-cake plugin to use awesomebox as a rendering engine =mattinsler layer-cake rendering","author":"=mattinsler","date":"2014-07-30 "},{"name":"awesomebox-livereload","description":"Livereload plugin for awesomebox","url":null,"keywords":"","version":"0.2.2","words":"awesomebox-livereload livereload plugin for awesomebox =mattinsler","author":"=mattinsler","date":"2013-04-10 "},{"name":"awesomebox-mailer","description":"Simple mailer using nodemailer, awesomebox, and juice","url":null,"keywords":"","version":"0.0.6","words":"awesomebox-mailer simple mailer using nodemailer, awesomebox, and juice =mattinsler","author":"=mattinsler","date":"2013-12-17 "},{"name":"awesomebox-open","description":"awesomebox plugin to open your browser on run or deploy","url":null,"keywords":"","version":"0.2.1","words":"awesomebox-open awesomebox plugin to open your browser on run or deploy =mattinsler","author":"=mattinsler","date":"2013-04-08 "},{"name":"awesomebox.node","description":"Awesomebox API client","url":null,"keywords":"","version":"0.0.16","words":"awesomebox.node awesomebox api client =mattinsler","author":"=mattinsler","date":"2013-11-16 "},{"name":"awesomecms","description":"Ambitious education project from snowy Russia","url":null,"keywords":"http server cms cmf framework","version":"0.0.1","words":"awesomecms ambitious education project from snowy russia =smile42ru http server cms cmf framework","author":"=smile42ru","date":"2014-01-26 "},{"name":"awesomemarkup","description":"In-JS markup generation without the messiness.","url":null,"keywords":"markup","version":"1.0.0","words":"awesomemarkup in-js markup generation without the messiness. =clint.tseng markup","author":"=clint.tseng","date":"2013-02-19 "},{"name":"awesomeness","description":"Pure epic awesomeness","url":null,"keywords":"","version":"0.0.2-beta","words":"awesomeness pure epic awesomeness =robertwhurst","author":"=robertwhurst","date":"2013-07-31 "},{"name":"awesomeport","description":"find a nice looking free port","url":null,"keywords":"","version":"0.1.2","words":"awesomeport find a nice looking free port =mafintosh","author":"=mafintosh","date":"2011-11-16 "},{"name":"awesomium","url":null,"keywords":"","version":"0.0.1","words":"awesomium =architectd","author":"=architectd","date":"2011-10-16 "},{"name":"aweson","description":"This is AWESON!!! AWESON > JSON","url":null,"keywords":"JSON AWESON awesome","version":"1.0.2","words":"aweson this is aweson!!! aweson > json =martinthomson json aweson awesome","author":"=martinthomson","date":"2013-05-25 "},{"name":"awestruct","description":"Awestruct =========","url":null,"keywords":"buffer struct","version":"0.7.0","words":"awestruct awestruct ========= =goto-bus-stop buffer struct","author":"=goto-bus-stop","date":"2014-09-05 "},{"name":"awis","description":"Node.js client for the Alexa Web Information Service.","url":null,"keywords":"awis alexa","version":"0.0.3","words":"awis node.js client for the alexa web information service. =lupomontero awis alexa","author":"=lupomontero","date":"2014-06-05 "},{"name":"awk","description":"a wrapper of webAwk, wak in javascript","url":null,"keywords":"awk","version":"1.0.0","words":"awk a wrapper of webawk, wak in javascript =turing awk","author":"=turing","date":"2014-07-19 "},{"name":"awklib","description":"A small library to process file like csv. Inspired By AWK command line tool","url":null,"keywords":"awk file processing csv","version":"0.1.0","words":"awklib a small library to process file like csv. inspired by awk command line tool =bhimsen92 awk file processing csv","author":"=bhimsen92","date":"2013-05-27 "},{"name":"awlib","description":"a library that's used in a bunch of my projects -- use at your own risk :)","url":null,"keywords":"","version":"0.0.4","words":"awlib a library that's used in a bunch of my projects -- use at your own risk :) =awarth","author":"=awarth","date":"2014-03-08 "},{"name":"awp","url":null,"keywords":"","version":"0.0.1","words":"awp =yinfeng.fcx","author":"=yinfeng.fcx","date":"2013-12-31 "},{"name":"awpp","description":"auto web page publish","url":null,"keywords":"awpp awp auto publish","version":"0.3.6","words":"awpp auto web page publish =dickeylth awpp awp auto publish","author":"=dickeylth","date":"2014-09-18 "},{"name":"awrepl","description":"A slightly better REPL utility","url":null,"keywords":"repl npm","version":"0.0.1-b1","words":"awrepl a slightly better repl utility =expr repl npm","author":"=expr","date":"2014-02-18 "},{"name":"awry","keywords":"","version":[],"words":"awry","author":"","date":"2014-04-05 "},{"name":"aws","description":"evil wrapper for the amazon command line tools","url":null,"keywords":"amazon aws ec2 cloud","version":"0.0.3-2","words":"aws evil wrapper for the amazon command line tools =teemow amazon aws ec2 cloud","author":"=teemow","date":"2013-01-17 "},{"name":"aws-ami-container","description":"nscale aws ami container","url":null,"keywords":"nearForm nscale deployer docker container aws ami ec2","version":"0.1.1","words":"aws-ami-container nscale aws ami container =matteo.collina =pelger nearform nscale deployer docker container aws ami ec2","author":"=matteo.collina =pelger","date":"2014-09-06 "},{"name":"aws-api","description":"A client interface to various AWS services.","url":null,"keywords":"","version":"0.2.3","words":"aws-api a client interface to various aws services. =ssimon","author":"=ssimon","date":"2012-04-05 "},{"name":"aws-arn-parser","description":"Parser for Amazon Resource Name strings","url":null,"keywords":"amazon aws parser arn","version":"0.0.1","words":"aws-arn-parser parser for amazon resource name strings =sandfox amazon aws parser arn","author":"=sandfox","date":"2012-07-01 "},{"name":"aws-billing","description":"AWS billing API for node","url":null,"keywords":"AWS amazon billing node API","version":"0.0.2","words":"aws-billing aws billing api for node =ivolo aws amazon billing node api","author":"=ivolo","date":"2014-03-07 "},{"name":"aws-cleanup","description":"This project helps to terminate/delete all the resources in a given AWS account.","url":null,"keywords":"","version":"0.1.1","words":"aws-cleanup this project helps to terminate/delete all the resources in a given aws account. =hsachdevah","author":"=hsachdevah","date":"2014-04-07 "},{"name":"aws-cli","description":"Command Line Tools for Amazon Web Services","url":null,"keywords":"AWS","version":"0.0.1","words":"aws-cli command line tools for amazon web services =iandotkelly aws","author":"=iandotkelly","date":"2013-11-03 "},{"name":"aws-cloudfront-sign","description":"Utility module for signing AWS CloudFront URLs","url":null,"keywords":"aws CloudFront signed URL","version":"1.0.0","words":"aws-cloudfront-sign utility module for signing aws cloudfront urls =jasonsims aws cloudfront signed url","author":"=jasonsims","date":"2014-06-07 "},{"name":"aws-cloudsearch","description":"Simple wrapper around AWS CloudSearch with a bus-based interface.","url":null,"keywords":"AWS CloudSearch","version":"0.0.2","words":"aws-cloudsearch simple wrapper around aws cloudsearch with a bus-based interface. =dyoder aws cloudsearch","author":"=dyoder","date":"2012-12-07 "},{"name":"aws-cloudwatch-statsd-backend","description":"A backend for StatsD to emit stats to Amazon's AWS CloudWatch.","url":null,"keywords":"statsd cloudwatch aws amazon cloudwatchappender","version":"1.2.0","words":"aws-cloudwatch-statsd-backend a backend for statsd to emit stats to amazon's aws cloudwatch. =camitz statsd cloudwatch aws amazon cloudwatchappender","author":"=camitz","date":"2012-11-04 "},{"name":"aws-command-stack","description":"execute flexible series of dependent AWS api calls","url":null,"keywords":"ec2 aws","version":"0.2.1","words":"aws-command-stack execute flexible series of dependent aws api calls =femto113 ec2 aws","author":"=femto113","date":"2013-08-14 "},{"name":"aws-commons","description":"A collection of small utilities to manage AWS services and actions","url":null,"keywords":"","version":"0.90.56","words":"aws-commons a collection of small utilities to manage aws services and actions =darryl.west","author":"=darryl.west","date":"2014-09-05 "},{"name":"aws-cred","description":"Share your aws credentials across apps through yaml files in /etc","url":null,"keywords":"amazon aws credentials authentication","version":"0.1.1","words":"aws-cred share your aws credentials across apps through yaml files in /etc =hamman amazon aws credentials authentication","author":"=hamman","date":"2012-06-09 "},{"name":"aws-credentials","description":"Load AWS credentials from ENV/filesystem.","url":null,"keywords":"AWS","version":"0.0.1","words":"aws-credentials load aws credentials from env/filesystem. =coreyjewett aws","author":"=coreyjewett","date":"2012-11-14 "},{"name":"aws-curl","description":"A cli tool to curl ec2 boxes","url":null,"keywords":"","version":"0.0.2","words":"aws-curl a cli tool to curl ec2 boxes =jga","author":"=jga","date":"2013-03-18 "},{"name":"aws-dns","description":"Virtual DNS server for Amazon EC2","url":null,"keywords":"","version":"0.2.0","words":"aws-dns virtual dns server for amazon ec2 =kfigiela","author":"=kfigiela","date":"2014-04-16 "},{"name":"aws-ec2","description":"A tiny little module for managing ec2 instance from node","url":null,"keywords":"","version":"1.0.0","words":"aws-ec2 a tiny little module for managing ec2 instance from node =camerondgray","author":"=camerondgray","date":"2013-10-16 "},{"name":"aws-elb-container","description":"nscale aws elb container","url":null,"keywords":"nearForm nscale deployer docker container aws ami elb","version":"0.1.1","words":"aws-elb-container nscale aws elb container =matteo.collina =pelger nearform nscale deployer docker container aws ami elb","author":"=matteo.collina =pelger","date":"2014-09-06 "},{"name":"aws-instances","description":"Get instances meta data from aws","url":null,"keywords":"aws instances","version":"1.4.2","words":"aws-instances get instances meta data from aws =ralphtheninja aws instances","author":"=ralphtheninja","date":"2014-08-29 "},{"name":"aws-item-lookup","description":"## Introduction","url":null,"keywords":"","version":"0.0.1","words":"aws-item-lookup ## introduction =adamvr","author":"=adamvr","date":"2014-03-20 "},{"name":"aws-js","description":"Amazon Web Services API Client","url":null,"keywords":"aws cloud amazon","version":"0.0.1","words":"aws-js amazon web services api client =zubairov aws cloud amazon","author":"=zubairov","date":"prehistoric"},{"name":"aws-kit","description":"Development helpers for the AWS stack","url":null,"keywords":"aws tool cli","version":"0.1.1","words":"aws-kit development helpers for the aws stack =gchao aws tool cli","author":"=gchao","date":"2014-07-24 "},{"name":"aws-lib","description":"Extensible Node.js library for the Amazon Web Services API","url":null,"keywords":"amazon aws ec2 product advertising simpledb Simple Queue Service SQS Simple Email Service SES Auto Scaling AS","version":"0.3.0","words":"aws-lib extensible node.js library for the amazon web services api =pib =mirkok =ianshward amazon aws ec2 product advertising simpledb simple queue service sqs simple email service ses auto scaling as","author":"=pib =mirkok =ianshward","date":"2013-11-12 "},{"name":"aws-locate","description":"Locate the region and/or availability zone for a node process running on EC2","url":null,"keywords":"aws region zone availability zone ec2","version":"0.0.3","words":"aws-locate locate the region and/or availability zone for a node process running on ec2 =azulus aws region zone availability zone ec2","author":"=azulus","date":"2013-02-12 "},{"name":"aws-mock","description":"Easily and automatically test essential AWS services with the language-agnostic aws-mock.","url":null,"keywords":"aws mock ec2","version":"1.0.1","words":"aws-mock easily and automatically test essential aws services with the language-agnostic aws-mock. =fluffycloud.project aws mock ec2","author":"=fluffycloud.project","date":"2013-12-08 "},{"name":"aws-price","description":"Amazon product API price lookup simplified","url":null,"keywords":"","version":"0.7.1","words":"aws-price amazon product api price lookup simplified =adamvr","author":"=adamvr","date":"2014-07-02 "},{"name":"aws-pricing","description":"Small module which uses nodes http module to retrieve AWS pricing and parse it.","url":null,"keywords":"","version":"0.2.0","words":"aws-pricing small module which uses nodes http module to retrieve aws pricing and parse it. =wolfeidau","author":"=wolfeidau","date":"2013-05-05 "},{"name":"aws-prod-adv-signature","description":"This is a signature creator for the AWS Product Advertising REST API. Dont try to use this signature method for other AWS API's!!!","url":null,"keywords":"AWS signature product Advertising API","version":"0.1.1","words":"aws-prod-adv-signature this is a signature creator for the aws product advertising rest api. dont try to use this signature method for other aws api's!!! =herenow aws signature product advertising api","author":"=herenow","date":"2013-10-13 "},{"name":"aws-promise","description":"content-aws ===========","url":null,"keywords":"","version":"0.4.0","words":"aws-promise content-aws =========== =bittorrent","author":"=bittorrent","date":"2013-10-28 "},{"name":"aws-publisher","description":"publish your static assets to amazon s3","url":null,"keywords":"s3 publish","version":"0.0.4","words":"aws-publisher publish your static assets to amazon s3 =pgherveou s3 publish","author":"=pgherveou","date":"2013-07-22 "},{"name":"aws-s3-size","description":"Simple module to calculate folder size in S3.","url":null,"keywords":"aws s3 folder size objects","version":"0.1.0","words":"aws-s3-size simple module to calculate folder size in s3. =zwigby =inconceivableduck aws s3 folder size objects","author":"=zwigby =inconceivableduck","date":"2014-09-12 "},{"name":"aws-s3-uploader","keywords":"","version":[],"words":"aws-s3-uploader","author":"","date":"2014-05-27 "},{"name":"aws-sdk","description":"AWS SDK for JavaScript","url":null,"keywords":"api amazon aws ec2 simpledb s3 sqs ses sns route53 rds elasticache cloudfront fps cloudformation cloudwatch dynamodb iam swf autoscaling cloudsearch elb loadbalancing emr mapreduce importexport storagegateway workflow ebs vpc beanstalk glacier kinesis cloudtrail","version":"2.0.17","words":"aws-sdk aws sdk for javascript =aws api amazon aws ec2 simpledb s3 sqs ses sns route53 rds elasticache cloudfront fps cloudformation cloudwatch dynamodb iam swf autoscaling cloudsearch elb loadbalancing emr mapreduce importexport storagegateway workflow ebs vpc beanstalk glacier kinesis cloudtrail","author":"=aws","date":"2014-09-12 "},{"name":"aws-sdk-apis","description":"AWS SDK for JavaScript APIs","url":null,"keywords":"api amazon aws sdk","version":"3.1.8","words":"aws-sdk-apis aws sdk for javascript apis =aws api amazon aws sdk","author":"=aws","date":"2014-09-11 "},{"name":"aws-sdk-promise","description":"Hack for adding the .promise() method to all aws-sdk request objects (aws-sdk is a peerDependency)","url":null,"keywords":"aws aws-sdk promise","version":"0.0.0","words":"aws-sdk-promise hack for adding the .promise() method to all aws-sdk request objects (aws-sdk is a peerdependency) =lights-of-apollo aws aws-sdk promise","author":"=lights-of-apollo","date":"2014-02-11 "},{"name":"aws-ses-feedback","description":"`aws-ses-feedback` makes it easy to handle feedback from aws ses.","url":null,"keywords":"aws ses feedback amazon email mail","version":"0.0.2","words":"aws-ses-feedback `aws-ses-feedback` makes it easy to handle feedback from aws ses. =tellnes aws ses feedback amazon email mail","author":"=tellnes","date":"2012-10-25 "},{"name":"aws-ses-mail","description":"Convenience tool for AWS SES","url":null,"keywords":"aws ses","version":"1.0.1","words":"aws-ses-mail convenience tool for aws ses =freewhale aws ses","author":"=freewhale","date":"2014-08-27 "},{"name":"aws-ses-send","description":"simple send method for AWS SES","url":null,"keywords":"","version":"0.2.0","words":"aws-ses-send simple send method for aws ses =brianleroux","author":"=brianleroux","date":"2014-07-23 "},{"name":"aws-sesame","description":"Open/close access to servers on AWS by IP like a boss","url":null,"keywords":"aws vpn","version":"0.0.1","words":"aws-sesame open/close access to servers on aws by ip like a boss =bmuller aws vpn","author":"=bmuller","date":"2014-08-18 "},{"name":"aws-setup","description":"A Node Module and Command Line Tool for initializing AWS setups via JSON, YAML or JS scripts.","url":null,"keywords":"AWS Amazon setup cluster","version":"0.2.3","words":"aws-setup a node module and command line tool for initializing aws setups via json, yaml or js scripts. =riga aws amazon setup cluster","author":"=riga","date":"2014-03-19 "},{"name":"aws-sign","description":"AWS signing. Originally pulled from LearnBoost/knox, maintained as vendor in request, now a standalone module.","url":null,"keywords":"","version":"0.1.1","words":"aws-sign aws signing. originally pulled from learnboost/knox, maintained as vendor in request, now a standalone module. =egorfine","author":"=egorfine","date":"2013-12-04 "},{"name":"aws-sign2","description":"AWS signing. Originally pulled from LearnBoost/knox, maintained as vendor in request, now a standalone module.","url":null,"keywords":"","version":"0.5.0","words":"aws-sign2 aws signing. originally pulled from learnboost/knox, maintained as vendor in request, now a standalone module. =mikeal","author":"=mikeal","date":"2013-12-04 "},{"name":"aws-snsclient","description":"A client for parsing Amazon AWS SNS requests.","url":null,"keywords":"amazon aws sns client","version":"0.2.0","words":"aws-snsclient a client for parsing amazon aws sns requests. =mattrobenolt amazon aws sns client","author":"=mattrobenolt","date":"2012-09-13 "},{"name":"aws-snsclient-ilsken","description":"A client for parsing Amazon AWS SNS requests.","url":null,"keywords":"amazon aws sns client","version":"0.2.1","words":"aws-snsclient-ilsken a client for parsing amazon aws sns requests. =ilskenlabs amazon aws sns client","author":"=IlskenLabs","date":"2012-10-06 "},{"name":"aws-snsclient2","description":"A client for parsing Amazon AWS SNS requests.","url":null,"keywords":"amazon aws sns client","version":"0.2.1","words":"aws-snsclient2 a client for parsing amazon aws sns requests. =rwky amazon aws sns client","author":"=rwky","date":"2014-06-28 "},{"name":"aws-sqs","description":"Amazon AWS SQS (Simple Queue Service) library for Node.js that is user-friendly","url":null,"keywords":"amazon aws sqs simple queue service wrapper api queue","version":"0.0.6","words":"aws-sqs amazon aws sqs (simple queue service) library for node.js that is user-friendly =zwigby amazon aws sqs simple queue service wrapper api queue","author":"=zwigby","date":"2013-04-30 "},{"name":"aws-sqs-event","keywords":"","version":[],"words":"aws-sqs-event","author":"","date":"2014-07-23 "},{"name":"aws-sqs-eventbus","description":"Eventbus coordinates many EventQueues. It is a central place to publish events, and subscribe handlers to events.","url":null,"keywords":"","version":"0.1.0","words":"aws-sqs-eventbus eventbus coordinates many eventqueues. it is a central place to publish events, and subscribe handlers to events. =brianleroux","author":"=brianleroux","date":"2014-07-24 "},{"name":"aws-sqs-eventqueue","description":"An array-like interface to publish a JSON message to an AWS SQS Queue","url":null,"keywords":"","version":"0.2.0","words":"aws-sqs-eventqueue an array-like interface to publish a json message to an aws sqs queue =brianleroux","author":"=brianleroux","date":"2014-07-23 "},{"name":"aws-sqs-poller","description":"Polling aws simple queue messages.","url":null,"keywords":"aws aws-sqs poller","version":"0.0.1","words":"aws-sqs-poller polling aws simple queue messages. =ankitpatial aws aws-sqs poller","author":"=ankitpatial","date":"2014-07-28 "},{"name":"aws-sqs-processor","description":"Library to assist in processing of Amazon AWS SQS queue messages","url":null,"keywords":"","version":"1.0.1","words":"aws-sqs-processor library to assist in processing of amazon aws sqs queue messages =phedny","author":"=phedny","date":"2014-08-06 "},{"name":"aws-sqs-promises","description":"simple pomise based interface to deal with aws-sqs","url":null,"keywords":"aws aws-sqs promises","version":"0.0.3","words":"aws-sqs-promises simple pomise based interface to deal with aws-sqs =ankitpatial aws aws-sqs promises","author":"=ankitpatial","date":"2014-07-28 "},{"name":"aws-sqs-stream","description":"AWS SQS library written using node.js streams","url":null,"keywords":"aws sqs streams mixdown","version":"0.1.0","words":"aws-sqs-stream aws sqs library written using node.js streams =tommydudebreaux aws sqs streams mixdown","author":"=tommydudebreaux","date":"2014-08-25 "},{"name":"aws-stream","description":"Node.js Stream interface for Amazon Web Services (AWS)","url":null,"keywords":"streams aws","version":"0.1.0","words":"aws-stream node.js stream interface for amazon web services (aws) =bmpvieira streams aws","author":"=bmpvieira","date":"2014-08-19 "},{"name":"aws-stuff","description":"{S3,...}{Server,Client}, e.g. for your tests.","url":null,"keywords":"","version":"0.0.10","words":"aws-stuff {s3,...}{server,client}, e.g. for your tests. =andrewschaaf","author":"=andrewschaaf","date":"2011-10-31 "},{"name":"aws-swf","description":"A Node.js library for accessing Amazon SWF","url":null,"keywords":"amazon aws swf workflow","version":"4.1.0","words":"aws-swf a node.js library for accessing amazon swf =neyric amazon aws swf workflow","author":"=neyric","date":"2014-07-13 "},{"name":"aws-swf-toolkit","description":"A Node.js Framework for workflows on Amazon SWF","url":null,"keywords":"cli amazon aws swf workflow","version":"0.1.0","words":"aws-swf-toolkit a node.js framework for workflows on amazon swf =neyric cli amazon aws swf workflow","author":"=neyric","date":"2013-09-21 "},{"name":"aws-upgrade","description":"Find aws instances and upgrade them","url":null,"keywords":"aws upgrade liveswap","version":"0.0.2","words":"aws-upgrade find aws instances and upgrade them =ralphtheninja aws upgrade liveswap","author":"=ralphtheninja","date":"2014-09-01 "},{"name":"aws.js","description":"Dead simple Amazon Web Services client","url":null,"keywords":"ec2 amazon amazon web services aws sqs s3","version":"0.2.3","words":"aws.js dead simple amazon web services client =xetorthio ec2 amazon amazon web services aws sqs s3","author":"=xetorthio","date":"2012-12-06 "},{"name":"aws2","description":"Signs and prepares requests using AWS Signature Version 2","url":null,"keywords":"amazon aws signature ec2 elasticache elasticmapreduce importexport sdb simpledb","version":"0.1.5","words":"aws2 signs and prepares requests using aws signature version 2 =hichaelmart amazon aws signature ec2 elasticache elasticmapreduce importexport sdb simpledb","author":"=hichaelmart","date":"2013-06-19 "},{"name":"aws2js","description":"AWS (Amazon Web Services) APIs client implementation for node.js","url":null,"keywords":"amazon aws rest api https query api ec2 rds ses elb s3 iam auto scaling cloudwatch elasticache sqs simpledb sdb security token service sts dynamodb sns emr elastic mapreduce","version":"0.8.3","words":"aws2js aws (amazon web services) apis client implementation for node.js =saltwaterc amazon aws rest api https query api ec2 rds ses elb s3 iam auto scaling cloudwatch elasticache sqs simpledb sdb security token service sts dynamodb sns emr elastic mapreduce","author":"=saltwaterc","date":"2013-03-14 "},{"name":"aws2js-patched","description":"AWS (Amazon Web Services) APIs client implementation for node.js","url":null,"keywords":"amazon aws rest api https query api ec2 rds ses elb s3 iam auto scaling cloudwatch elasticache sqs simpledb sdb security token service sts dynamodb sns","version":"0.6.12","words":"aws2js-patched aws (amazon web services) apis client implementation for node.js =johnnyhalife amazon aws rest api https query api ec2 rds ses elb s3 iam auto scaling cloudwatch elasticache sqs simpledb sdb security token service sts dynamodb sns","author":"=johnnyhalife","date":"2012-04-24 "},{"name":"aws3","description":"Signs and prepares requests using AWS Signature Version 3","url":null,"keywords":"amazon aws signature route53 swf","version":"0.1.0","words":"aws3 signs and prepares requests using aws signature version 3 =hichaelmart amazon aws signature route53 swf","author":"=hichaelmart","date":"2013-01-14 "},{"name":"aws3.js","description":"Simple AWS S3 Generator","url":null,"keywords":"AWS S3","version":"0.0.9","words":"aws3.js simple aws s3 generator =yunghwakwon aws s3","author":"=yunghwakwon","date":"2013-11-14 "},{"name":"aws4","description":"Signs and prepares requests using AWS Signature Version 4","url":null,"keywords":"amazon aws signature autoscaling cloudformation elasticloadbalancing elb elasticbeanstalk cloudsearch dynamodb glacier sqs sns iam sts ses storagegateway datapipeline directconnect redshift opsworks rds monitoring cloudwatch","version":"0.2.3","words":"aws4 signs and prepares requests using aws signature version 4 =hichaelmart amazon aws signature autoscaling cloudformation elasticloadbalancing elb elasticbeanstalk cloudsearch dynamodb glacier sqs sns iam sts ses storagegateway datapipeline directconnect redshift opsworks rds monitoring cloudwatch","author":"=hichaelmart","date":"2014-09-09 "},{"name":"aws_dynamo_converter","description":"Library for Conveting normal JSON to Amazon Recommeded JSON.","url":null,"keywords":"","version":"0.0.2","words":"aws_dynamo_converter library for conveting normal json to amazon recommeded json. =bboysathish","author":"=bboysathish","date":"2014-09-12 "},{"name":"awsauth","description":"ghauth for aws","url":null,"keywords":"aws auth prompt s3","version":"1.1.1","words":"awsauth ghauth for aws =mafintosh aws auth prompt s3","author":"=mafintosh","date":"2014-06-03 "},{"name":"awsbox","description":"A featherweight, DIY, PaaS system for deploying on NodeJS apps on Amazon's EC2","url":null,"keywords":"","version":"0.6.0-beta1","words":"awsbox a featherweight, diy, paas system for deploying on nodejs apps on amazon's ec2 =lloyd","author":"=lloyd","date":"2014-02-10 "},{"name":"awsboxen","description":"Deploying and Scaling NodeJS apps on AWS","url":null,"keywords":"","version":"0.5.2","words":"awsboxen deploying and scaling nodejs apps on aws =rfkelly =zaach =lloyd","author":"=rfkelly =zaach =lloyd","date":"2013-11-04 "},{"name":"awscms","description":"Awscms is a [Connect](https://github.com/senchalabs/connect) middleware that serves [Handlebars](https://github.com/wycats/handlebars.js) templates from an Amazon S3 bucket.","url":null,"keywords":"","version":"0.2.6","words":"awscms awscms is a [connect](https://github.com/senchalabs/connect) middleware that serves [handlebars](https://github.com/wycats/handlebars.js) templates from an amazon s3 bucket. =quarterto","author":"=quarterto","date":"2013-03-21 "},{"name":"awsecommerceservice","description":"Amazon Fulfillment Web Service (Amazon FWS) information are retry from Amazon API.","url":null,"keywords":"AWSECommerceService","version":"0.0.1","words":"awsecommerceservice amazon fulfillment web service (amazon fws) information are retry from amazon api. =elankeeran awsecommerceservice","author":"=elankeeran","date":"2013-06-25 "},{"name":"awsm","description":"node-awsm =========","url":null,"keywords":"","version":"0.0.44","words":"awsm node-awsm ========= =architectd","author":"=architectd","date":"2014-03-10 "},{"name":"awsm-cli","description":"node-awsm-cli =============","url":null,"keywords":"","version":"0.0.14","words":"awsm-cli node-awsm-cli ============= =architectd","author":"=architectd","date":"2014-02-24 "},{"name":"awsm-keypair-save","description":"node-awsm-keypair-save ======================","url":null,"keywords":"","version":"0.0.5","words":"awsm-keypair-save node-awsm-keypair-save ====================== =architectd","author":"=architectd","date":"2014-02-13 "},{"name":"awsm-o","description":"AWSM-O helps you with automating AWS instances","url":null,"keywords":"","version":"1.0.0","words":"awsm-o awsm-o helps you with automating aws instances =maghoff","author":"=maghoff","date":"2013-11-20 "},{"name":"awsm-ssh","description":"node-awsm-ssh =============","url":null,"keywords":"","version":"0.0.23","words":"awsm-ssh node-awsm-ssh ============= =architectd","author":"=architectd","date":"2014-08-06 "},{"name":"awsmang-connect","description":"Connect middleware for exposing awsbox system stats","url":null,"keywords":"","version":"0.0.2","words":"awsmang-connect connect middleware for exposing awsbox system stats =jedparsons","author":"=jedparsons","date":"2012-10-05 "},{"name":"awsqueue","keywords":"","version":[],"words":"awsqueue","author":"","date":"2014-04-13 "},{"name":"awssum","description":"NodeJS module to aid talking to Web Service APIs. Requires plugins.","url":null,"keywords":"api apis webapi client","version":"1.2.0","words":"awssum nodejs module to aid talking to web service apis. requires plugins. =chilts api apis webapi client","author":"=chilts","date":"2014-02-08 "},{"name":"awssum-amazon","description":"NodeJS module to aid talking to Amazon Web Services. Requires awssum-amazon-* plugins.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api","version":"1.4.0","words":"awssum-amazon nodejs module to aid talking to amazon web services. requires awssum-amazon-* plugins. =chilts awssum awssum-plugin amazon aws webapi api","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-autoscaling","description":"AwsSum plugin for Amazon AutoScaling.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api autoscaling","version":"1.3.0","words":"awssum-amazon-autoscaling awssum plugin for amazon autoscaling. =chilts awssum awssum-plugin amazon aws webapi api autoscaling","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-cloudformation","description":"AwsSum plugin for Amazon CloudFormation.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api cloudformation","version":"1.6.0","words":"awssum-amazon-cloudformation awssum plugin for amazon cloudformation. =chilts awssum awssum-plugin amazon aws webapi api cloudformation","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-cloudfront","description":"AwsSum plugin for Amazon CloudFront.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api cloudfront","version":"1.3.0","words":"awssum-amazon-cloudfront awssum plugin for amazon cloudfront. =chilts awssum awssum-plugin amazon aws webapi api cloudfront","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-cloudsearch","description":"AwsSum plugin for Amazon CloudSearch.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api cloudsearch","version":"1.3.0","words":"awssum-amazon-cloudsearch awssum plugin for amazon cloudsearch. =chilts awssum awssum-plugin amazon aws webapi api cloudsearch","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-cloudwatch","description":"AwsSum plugin for Amazon CloudWatch.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api cloudwatch","version":"1.2.0","words":"awssum-amazon-cloudwatch awssum plugin for amazon cloudwatch. =chilts awssum awssum-plugin amazon aws webapi api cloudwatch","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-dynamodb","description":"AwsSum plugin for Amazon DynamoDB.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api s3","version":"1.4.0","words":"awssum-amazon-dynamodb awssum plugin for amazon dynamodb. =chilts awssum awssum-plugin amazon aws webapi api s3","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-ec2","description":"AwsSum plugin for Amazon Elastic Compute Cloud (EC2).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api ec2","version":"1.5.0","words":"awssum-amazon-ec2 awssum plugin for amazon elastic compute cloud (ec2). =chilts awssum awssum-plugin amazon aws webapi api ec2","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-elasticache","description":"AwsSum plugin for Amazon ElastiCache.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api elasticache","version":"1.2.0","words":"awssum-amazon-elasticache awssum plugin for amazon elasticache. =chilts awssum awssum-plugin amazon aws webapi api elasticache","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-elasticbeanstalk","description":"AwsSum plugin for Amazon Elastic Beanstalk.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api elasticbeanstalk","version":"1.2.0","words":"awssum-amazon-elasticbeanstalk awssum plugin for amazon elastic beanstalk. =chilts awssum awssum-plugin amazon aws webapi api elasticbeanstalk","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-elb","description":"AwsSum plugin for Amazon Elastic LoadBalancing (ELB).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api elb","version":"1.2.0","words":"awssum-amazon-elb awssum plugin for amazon elastic loadbalancing (elb). =chilts awssum awssum-plugin amazon aws webapi api elb","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-emr","description":"AwsSum plugin for Amazon Elastic MapReduce (EMR).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api emr elastic mapreduce","version":"1.3.0","words":"awssum-amazon-emr awssum plugin for amazon elastic mapreduce (emr). =chilts awssum awssum-plugin amazon aws webapi api emr elastic mapreduce","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-fps","description":"AwsSum plugin for Amazon Flexible Payments Service (FPS).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api fps","version":"1.3.0","words":"awssum-amazon-fps awssum plugin for amazon flexible payments service (fps). =chilts awssum awssum-plugin amazon aws webapi api fps","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-glacier","description":"AwsSum plugin for Amazon Glacier.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api glacier","version":"1.3.0","words":"awssum-amazon-glacier awssum plugin for amazon glacier. =chilts awssum awssum-plugin amazon aws webapi api glacier","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-iam","description":"AwsSum plugin for Amazon Identity and Access Management (IAM).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api iam","version":"1.2.0","words":"awssum-amazon-iam awssum plugin for amazon identity and access management (iam). =chilts awssum awssum-plugin amazon aws webapi api iam","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-imd","description":"AwsSum plugin for Amazon Instance MetaData (IMD).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api imd","version":"1.2.0","words":"awssum-amazon-imd awssum plugin for amazon instance metadata (imd). =chilts awssum awssum-plugin amazon aws webapi api imd","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-importexport","description":"AwsSum plugin for Amazon ImportExport.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api importexport","version":"1.3.0","words":"awssum-amazon-importexport awssum plugin for amazon importexport. =chilts awssum awssum-plugin amazon aws webapi api importexport","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-rds","description":"AwsSum plugin for Amazon Relational Database Service (RDS).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api rds","version":"1.2.0","words":"awssum-amazon-rds awssum plugin for amazon relational database service (rds). =chilts awssum awssum-plugin amazon aws webapi api rds","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-redshift","description":"AwsSum plugin for Amazon Redshift.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api s3","version":"1.2.0","words":"awssum-amazon-redshift awssum plugin for amazon redshift. =chilts awssum awssum-plugin amazon aws webapi api s3","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-route53","description":"AwsSum plugin for Amazon Route53.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api route53","version":"1.2.0","words":"awssum-amazon-route53 awssum plugin for amazon route53. =chilts awssum awssum-plugin amazon aws webapi api route53","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-s3","description":"AwsSum plugin for Amazon Simple Storage Service (S3).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api s3","version":"1.5.0","words":"awssum-amazon-s3 awssum plugin for amazon simple storage service (s3). =chilts awssum awssum-plugin amazon aws webapi api s3","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-ses","description":"AwsSum plugin for Amazon Simple Email Service (SES).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api ses","version":"1.2.0","words":"awssum-amazon-ses awssum plugin for amazon simple email service (ses). =chilts awssum awssum-plugin amazon aws webapi api ses","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-simpledb","description":"AwsSum plugin for Amazon SimpleDB.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api simpledb","version":"1.2.0","words":"awssum-amazon-simpledb awssum plugin for amazon simpledb. =chilts awssum awssum-plugin amazon aws webapi api simpledb","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-sns","description":"AwsSum plugin for Amazon Simple Notification Service (SNS).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api sns","version":"1.2.0","words":"awssum-amazon-sns awssum plugin for amazon simple notification service (sns). =chilts awssum awssum-plugin amazon aws webapi api sns","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-sqs","description":"AwsSum plugin for Amazon Simple Queue Service (SQS).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api sqs","version":"1.2.0","words":"awssum-amazon-sqs awssum plugin for amazon simple queue service (sqs). =chilts awssum awssum-plugin amazon aws webapi api sqs","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-storagegateway","description":"AwsSum plugin for Amazon StorageGateway.","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api storagegateway","version":"1.2.0","words":"awssum-amazon-storagegateway awssum plugin for amazon storagegateway. =chilts awssum awssum-plugin amazon aws webapi api storagegateway","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-sts","description":"AwsSum plugin for Amazon Simple Token Service (STS).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api sts","version":"1.2.0","words":"awssum-amazon-sts awssum plugin for amazon simple token service (sts). =chilts awssum awssum-plugin amazon aws webapi api sts","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-amazon-swf","description":"AwsSum plugin for Amazon Simple WorkFlow (SWF).","url":null,"keywords":"awssum awssum-plugin amazon aws webapi api swf","version":"1.3.0","words":"awssum-amazon-swf awssum plugin for amazon simple workflow (swf). =chilts awssum awssum-plugin amazon aws webapi api swf","author":"=chilts","date":"2014-06-11 "},{"name":"awssum-greenqloud","description":"NodeJS module to aid talking to GreenQloud Web Services. Requires awssum-greenqloud-* plugins.","url":null,"keywords":"awssum awssum-plugin greenqloud aws webapi api","version":"1.3.2","words":"awssum-greenqloud nodejs module to aid talking to greenqloud web services. requires awssum-greenqloud-* plugins. =laddih awssum awssum-plugin greenqloud aws webapi api","author":"=laddih","date":"2014-06-24 "},{"name":"awssum-greenqloud-ec2","description":"AwsSum plugin for GreenQloud Elastic Compute Cloud (EC2).","url":null,"keywords":"awssum awssum-plugin greenqloud aws webapi api ec2","version":"1.4.2","words":"awssum-greenqloud-ec2 awssum plugin for greenqloud elastic compute cloud (ec2). =laddih awssum awssum-plugin greenqloud aws webapi api ec2","author":"=laddih","date":"2014-06-24 "},{"name":"awssum-greenqloud-s3","description":"AwsSum plugin for GreenQloud Simple Storage Service (S3).","url":null,"keywords":"awssum awssum-plugin greenqloud aws webapi api s3","version":"1.4.2","words":"awssum-greenqloud-s3 awssum plugin for greenqloud simple storage service (s3). =laddih awssum awssum-plugin greenqloud aws webapi api s3","author":"=laddih","date":"2014-06-24 "},{"name":"awstat","description":"Retrieving Google AdWords reports in a webbrowser using AWQL","url":null,"keywords":"","version":"0.0.3","words":"awstat retrieving google adwords reports in a webbrowser using awql =ladekjaer","author":"=ladekjaer","date":"2014-07-19 "},{"name":"awstk","description":"Toolkit for AWS on Node.js","url":null,"keywords":"","version":"0.1.2","words":"awstk toolkit for aws on node.js =sackio","author":"=sackio","date":"2014-09-17 "},{"name":"awt-grunt-ember-templates","description":"Compile Handlebars templates for Ember in Grunt. Features destination:source file arguments and customizable template names.","url":null,"keywords":"gruntplugin ember handlebars","version":"0.4.8","words":"awt-grunt-ember-templates compile handlebars templates for ember in grunt. features destination:source file arguments and customizable template names. =awt gruntplugin ember handlebars","author":"=awt","date":"2013-06-10 "},{"name":"ax","description":"A simple logging library","url":null,"keywords":"logging logger","version":"0.2.2","words":"ax a simple logging library =dyoder =automatthew logging logger","author":"=dyoder =automatthew","date":"2014-09-16 "},{"name":"ax24","url":null,"keywords":"","version":"0.0.0","words":"ax24 =tknew","author":"=tknew","date":"2014-05-14 "},{"name":"ax25","description":"A KISS & AX.25 packet radio stack for node.js.","url":null,"keywords":"ax25 ax.25 ham packet radio kiss","version":"1.1.0","words":"ax25 a kiss & ax.25 packet radio stack for node.js. =derekmullin ax25 ax.25 ham packet radio kiss","author":"=derekmullin","date":"2014-06-17 "},{"name":"axdcc","description":"advanced XDCC library for node","url":null,"keywords":"","version":"0.2.23","words":"axdcc advanced xdcc library for node =davarga","author":"=davarga","date":"2013-11-19 "},{"name":"axe","description":"Express-like API for dealing with native clusters in Node >= .6","url":null,"keywords":"","version":"0.0.1","words":"axe express-like api for dealing with native clusters in node >= .6 =ecto","author":"=ecto","date":"2011-11-21 "},{"name":"axe-logger","description":"A lightweight logger with multiple appenders","url":null,"keywords":"logging","version":"0.0.2","words":"axe-logger a lightweight logger with multiple appenders =felixhammerl =andris =tanx logging","author":"=felixhammerl =andris =tanx","date":"2014-07-25 "},{"name":"axeengine","description":"javascript library for resolving the real URL of online videos","url":null,"keywords":"video","version":"0.1.0","words":"axeengine javascript library for resolving the real url of online videos =seiarotg video","author":"=seiarotg","date":"2014-08-17 "},{"name":"axeman","description":"simplified git workflow","url":null,"keywords":"axe git workflow","version":"0.0.0","words":"axeman simplified git workflow =travis.burandt axe git workflow","author":"=travis.burandt","date":"2014-03-23 "},{"name":"axemule","description":"Javascript DSL for writing XML or HTML structures","url":null,"keywords":"xml html dsl","version":"0.0.1","words":"axemule javascript dsl for writing xml or html structures =qard xml html dsl","author":"=qard","date":"2013-03-11 "},{"name":"axes","description":"An alternative implementation of d3's quantitative scales","url":null,"keywords":"axes scales quantitative map axis d3 translate","version":"0.0.0","words":"axes an alternative implementation of d3's quantitative scales =hughsk axes scales quantitative map axis d3 translate","author":"=hughsk","date":"2013-08-26 "},{"name":"axes-helper","description":"Tools for making charts: scales, tick formats and tick data generation","url":null,"keywords":"chart axis react d3","version":"0.0.3","words":"axes-helper tools for making charts: scales, tick formats and tick data generation =fiatjaf chart axis react d3","author":"=fiatjaf","date":"2014-08-08 "},{"name":"axilla","description":"Simple Node.js view templating with Handlebars.","url":null,"keywords":"templating mustache handlebars views rendering markup node","version":"0.0.2-dev","words":"axilla simple node.js view templating with handlebars. =benjreinhart templating mustache handlebars views rendering markup node","author":"=benjreinhart","date":"2013-07-05 "},{"name":"axiom","description":"Environment setup/runtime standardization for Node.js applications.","url":null,"keywords":"","version":"0.1.3","words":"axiom environment setup/runtime standardization for node.js applications. =torchlight","author":"=torchlight","date":"2014-09-01 "},{"name":"axiom-base","description":"Base scripts for the Axiom environment.","url":null,"keywords":"","version":"0.0.4","words":"axiom-base base scripts for the axiom environment. =torchlight","author":"=torchlight","date":"2014-04-27 "},{"name":"axiom-client","keywords":"","version":[],"words":"axiom-client","author":"","date":"2014-03-21 "},{"name":"axiom-connect","description":"Axiom Connect extension.","url":null,"keywords":"","version":"0.0.6","words":"axiom-connect axiom connect extension. =torchlight","author":"=torchlight","date":"2014-08-31 "},{"name":"axiom-gulp","description":"Standard gulp pipeline for Axiom.","url":null,"keywords":"","version":"0.0.4","words":"axiom-gulp standard gulp pipeline for axiom. =torchlight","author":"=torchlight","date":"2014-09-21 "},{"name":"axiom-mocha","description":"Axiom Mocha extension.","url":null,"keywords":"","version":"0.0.5","words":"axiom-mocha axiom mocha extension. =torchlight","author":"=torchlight","date":"2014-08-31 "},{"name":"axiom-mongoose","description":"Mongoose extension for Axiom.","url":null,"keywords":"","version":"0.0.6","words":"axiom-mongoose mongoose extension for axiom. =torchlight","author":"=torchlight","date":"2014-08-31 "},{"name":"axiom-protocol","description":"Default protocol for Axiom.","url":null,"keywords":"","version":"0.0.2","words":"axiom-protocol default protocol for axiom. =torchlight","author":"=torchlight","date":"2014-08-26 "},{"name":"axiom-server","description":"Standard server services for Torchlight projects.","url":null,"keywords":"","version":"0.0.2","words":"axiom-server standard server services for torchlight projects. =torchlight","author":"=torchlight","date":"2014-04-27 "},{"name":"axios","description":"Promise based HTTP client for the browser and node.js","url":null,"keywords":"xhr http ajax promise node","version":"0.3.1","words":"axios promise based http client for the browser and node.js =mzabriskie xhr http ajax promise node","author":"=mzabriskie","date":"2014-09-17 "},{"name":"axis","description":"css library built on stylus","url":null,"keywords":"","version":"0.2.1","words":"axis css library built on stylus =jenius","author":"=jenius","date":"2014-08-18 "},{"name":"axis-css","description":"css library built on stylus","url":null,"keywords":"","version":"0.1.8","words":"axis-css css library built on stylus =jenius","author":"=jenius","date":"2014-01-19 "},{"name":"axiscam","description":"Axis (VAPIX) camera control in Node","url":null,"keywords":"","version":"0.1.1","words":"axiscam axis (vapix) camera control in node =mjohnsullivan","author":"=mjohnsullivan","date":"2013-08-02 "},{"name":"axle","description":"An effortless HTTP reverse proxy for node","url":null,"keywords":"","version":"0.2.1","words":"axle an effortless http reverse proxy for node =mattinsler","author":"=mattinsler","date":"2013-05-21 "},{"name":"axloader","description":"This is a library for loading assets files in batches. It works well for HTML5 games and for large web apps.","url":null,"keywords":"load loader game html5 archive","version":"1.0.6","words":"axloader this is a library for loading assets files in batches. it works well for html5 games and for large web apps. =simonparis load loader game html5 archive","author":"=simonparis","date":"2014-02-07 "},{"name":"axm","description":"keymetrics adapter","url":null,"keywords":"","version":"0.2.0","words":"axm keymetrics adapter =tknew","author":"=tknew","date":"2014-09-20 "},{"name":"axml","description":"Xml and Html parser and serializer.","url":null,"keywords":"Xml Html Parser Serializer MarkupLanguage","version":"0.1.0","words":"axml xml and html parser and serializer. =axfab xml html parser serializer markuplanguage","author":"=axfab","date":"2014-07-17 "},{"name":"axmonitoring","url":null,"keywords":"","version":"0.0.0","words":"axmonitoring =tknew","author":"=tknew","date":"2014-05-14 "},{"name":"axo","description":"Return an ActiveXObject without mentioning it in the source","url":null,"keywords":"ActiveX ActiveXObject active-x active-x-object","version":"0.0.0","words":"axo return an activexobject without mentioning it in the source =v1 activex activexobject active-x active-x-object","author":"=V1","date":"2014-09-19 "},{"name":"axon","description":"High-level messaging & socket patterns implemented in pure js","url":null,"keywords":"zmq zeromq pubsub socket emitter ipc rpc","version":"2.0.1","words":"axon high-level messaging & socket patterns implemented in pure js =tjholowaychuk =gjohnson zmq zeromq pubsub socket emitter ipc rpc","author":"=tjholowaychuk =gjohnson","date":"2014-09-09 "},{"name":"axon-callback","description":"Axon with callback stack","url":null,"keywords":"axon callback","version":"0.1.4","words":"axon-callback axon with callback stack =lianhanjin axon callback","author":"=lianhanjin","date":"2014-01-19 "},{"name":"axon-msgpack","description":"Axon msgpack codec","url":null,"keywords":"axon msgpack codec","version":"0.0.1","words":"axon-msgpack axon msgpack codec =tjholowaychuk axon msgpack codec","author":"=tjholowaychuk","date":"2013-03-21 "},{"name":"axon-priority","description":"priority module for axon","url":null,"keywords":"axon priority reqrep","version":"0.0.2","words":"axon-priority priority module for axon =ebensing axon priority reqrep","author":"=ebensing","date":"2013-09-24 "},{"name":"axon-rpc","description":"Remote procedure calls built on top of axon.","url":null,"keywords":"axon rpc cloud","version":"0.0.3","words":"axon-rpc remote procedure calls built on top of axon. =tjholowaychuk =bretcope axon rpc cloud","author":"=tjholowaychuk =bretcope","date":"2014-05-07 "},{"name":"axon-secure","description":"High-level messaging & socket patterns with optional encryption implemented in pure js","url":null,"keywords":"zmq zeromq pubsub socket emitter ipc rpc crypto security","version":"2.0.7","words":"axon-secure high-level messaging & socket patterns with optional encryption implemented in pure js =mgesmundo zmq zeromq pubsub socket emitter ipc rpc crypto security","author":"=mgesmundo","date":"2014-09-09 "},{"name":"axs-db","description":"DB manager","url":null,"keywords":"","version":"1.0.2","words":"axs-db db manager =gary.van.woerkens","author":"=gary.van.woerkens","date":"2014-01-16 "},{"name":"axs-file","description":"File manager","url":null,"keywords":"","version":"1.0.5","words":"axs-file file manager =gary.van.woerkens","author":"=gary.van.woerkens","date":"2014-01-16 "},{"name":"axs-image","description":"Image resizer","url":null,"keywords":"","version":"1.0.2","words":"axs-image image resizer =gary.van.woerkens","author":"=gary.van.woerkens","date":"2014-01-16 "},{"name":"axs-upload","description":"File uploader","url":null,"keywords":"","version":"1.0.1","words":"axs-upload file uploader =gary.van.woerkens","author":"=gary.van.woerkens","date":"2013-12-02 "},{"name":"axshare-downloader","description":"A small command line utlity to download an axshare site as PDFs","url":null,"keywords":"axshare phantomjs cli","version":"0.0.2","words":"axshare-downloader a small command line utlity to download an axshare site as pdfs =ebertsch axshare phantomjs cli","author":"=ebertsch","date":"2014-05-08 "},{"name":"ay","description":"Chainable array operations suitable for use inside coroutine generators (NB. this is NOT about lazy list transformation!) ","url":null,"keywords":"co","version":"0.1.0","words":"ay chainable array operations suitable for use inside coroutine generators (nb. this is not about lazy list transformation!) =danielearwicker co","author":"=danielearwicker","date":"2014-06-25 "},{"name":"aya-robot","description":"Programming puzzle","url":null,"keywords":"","version":"0.0.1","words":"aya-robot programming puzzle =kaiquewdev","author":"=kaiquewdev","date":"2014-04-08 "},{"name":"ayah","description":"An API frontend for captcha replacement 'are you a human' http://www.areyouahuman.com/","url":null,"keywords":"are you a human ayah captcha","version":"0.1.0","words":"ayah an api frontend for captcha replacement 'are you a human' http://www.areyouahuman.com/ =herzi are you a human ayah captcha","author":"=herzi","date":"2012-05-04 "},{"name":"ayamel.js","description":"Client-side services and display elements for the Flagship Media Library interface","url":null,"keywords":"","version":"0.1.5","words":"ayamel.js client-side services and display elements for the flagship media library interface =davidmikesimon","author":"=davidmikesimon","date":"2014-05-13 "},{"name":"ayazaga","description":"JavaScript port of lykoss/lykos, a Werewolf party game IRC bot","url":null,"keywords":"","version":"0.0.0","words":"ayazaga javascript port of lykoss/lykos, a werewolf party game irc bot =fkadev","author":"=fkadev","date":"2014-07-19 "},{"name":"aye","description":"watch stuff and exec something when there's a change","url":null,"keywords":"","version":"0.0.1","words":"aye watch stuff and exec something when there's a change =matomesc","author":"=matomesc","date":"2012-03-27 "},{"name":"ayecm-client","description":"Client application for ayecm.com service","url":null,"keywords":"","version":"0.8.15","words":"ayecm-client client application for ayecm.com service =vladferix","author":"=vladferix","date":"2014-05-31 "},{"name":"ayepromise","description":"A teeny-tiny promise library","url":null,"keywords":"q promise promises promises-a promises-aplus deferred future async flow control browser node","version":"1.1.1","words":"ayepromise a teeny-tiny promise library =cburgmer q promise promises promises-a promises-aplus deferred future async flow control browser node","author":"=cburgmer","date":"2014-04-28 "},{"name":"ayesmslib","description":"Client API for node.js","url":null,"keywords":"ayesms","version":"0.0.2","words":"ayesmslib client api for node.js =mateuszkosmider ayesms","author":"=mateuszkosmider","date":"2014-01-14 "},{"name":"ayla","description":"Ayla at your service.","url":null,"keywords":"ai ayla cortana devv igor ayla jarvis ninja siri","version":"0.1.0","words":"ayla ayla at your service. =igoramadas ai ayla cortana devv igor ayla jarvis ninja siri","author":"=igoramadas","date":"2014-01-30 "},{"name":"ayo-reader","description":"Allows simultaneous playback file with Node.js","url":null,"keywords":"","version":"0.0.8","words":"ayo-reader allows simultaneous playback file with node.js =ayoseby","author":"=ayoseby","date":"2014-02-22 "},{"name":"ayo-refry","description":"Allow to remove folder recursively","url":null,"keywords":"","version":"0.0.2","words":"ayo-refry allow to remove folder recursively =ayoseby","author":"=ayoseby","date":"2014-02-22 "},{"name":"az","url":null,"keywords":"","version":"0.0.1","words":"az =yofine","author":"=yofine","date":"2014-05-16 "},{"name":"azimuth","description":"Determines azimuth & distance of the second point (B) as seen from the first point (A), given latitude, longitude & elevation of two points on the Earth","url":null,"keywords":"distance azimuth altitude latitude longitude elevation gps","version":"0.1.0","words":"azimuth determines azimuth & distance of the second point (b) as seen from the first point (a), given latitude, longitude & elevation of two points on the earth =detj distance azimuth altitude latitude longitude elevation gps","author":"=detj","date":"2014-02-12 "},{"name":"azinc","description":"Simple Async Handling Library","url":null,"keywords":"async asynchronous flow control","version":"0.0.5","words":"azinc simple async handling library =nharbour =eugeneware async asynchronous flow control","author":"=nharbour =eugeneware","date":"2013-09-28 "},{"name":"azkvs","description":"azkvs is a simple key-value store backed by Windows Azure Table Storage","url":null,"keywords":"azure key value store","version":"0.0.2","words":"azkvs azkvs is a simple key-value store backed by windows azure table storage =rickh azure key value store","author":"=rickh","date":"2014-04-17 "},{"name":"azmodule","description":"first module","url":null,"keywords":"","version":"0.0.3","words":"azmodule first module =antonzotov","author":"=antonzotov","date":"2014-05-09 "},{"name":"azumio","description":"Library to easily access Azumio checkin data.","url":null,"keywords":"azumio data api checkins heartrate","version":"0.0.1","words":"azumio library to easily access azumio checkin data. =samcday azumio data api checkins heartrate","author":"=samcday","date":"2014-08-15 "},{"name":"azuqua","description":"The official node.js Azuqua API client library.","url":null,"keywords":"azuqua","version":"0.1.2","words":"azuqua the official node.js azuqua api client library. =aembke azuqua","author":"=aembke","date":"2014-08-07 "},{"name":"azure","description":"Microsoft Azure Client Library for node","url":null,"keywords":"node azure","version":"0.9.16","words":"azure microsoft azure client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-build-uploader","description":"The best project ever.","url":null,"keywords":"","version":"1.0.12","words":"azure-build-uploader the best project ever. =smarchetti","author":"=smarchetti","date":"2014-03-18 "},{"name":"azure-cli","description":"Microsoft Azure Cross Platform Command Line tool","url":null,"keywords":"node azure cli cloud hosting deployment","version":"0.8.9","words":"azure-cli microsoft azure cross platform command line tool =windowsazure node azure cli cloud hosting deployment","author":"=windowsazure","date":"2014-09-15 "},{"name":"azure-common","description":"Microsoft Azure Common Client Library for node","url":null,"keywords":"node azure","version":"0.9.8","words":"azure-common microsoft azure common client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-completion","description":"Completion for Windows Azure CLI tool.","url":null,"keywords":"cli azure completion bash","version":"0.1.1","words":"azure-completion completion for windows azure cli tool. =nnasaki cli azure completion bash","author":"=nnasaki","date":"2013-06-08 "},{"name":"azure-extra","description":"Microsoft Azure Client Library in node for miscellaneous items","url":null,"keywords":"node azure","version":"0.1.0","words":"azure-extra microsoft azure client library in node for miscellaneous items =windowsazure node azure","author":"=windowsazure","date":"2014-09-18 "},{"name":"azure-gallery","description":"Microsoft Azure Gallery Client Library for node","url":null,"keywords":"node azure","version":"2.0.0-pre.10","words":"azure-gallery microsoft azure gallery client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-metrics","description":"Windows Azure Storage Metrics Client Library for NodeJS","url":null,"keywords":"node azure metrics azure metrics","version":"0.8.2","words":"azure-metrics windows azure storage metrics client library for nodejs =jburnett node azure metrics azure metrics","author":"=jburnett","date":"2012-09-07 "},{"name":"azure-metrics-for-node","description":"Windows Azure Storage Metrics Client Library for NodeJS","url":null,"keywords":"node azure metrics azure metrics","version":"0.8.2","words":"azure-metrics-for-node windows azure storage metrics client library for nodejs =jburnett node azure metrics azure metrics","author":"=jburnett","date":"2012-09-07 "},{"name":"azure-mgmt","description":"Microsoft Azure Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt microsoft azure management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-authorization","description":"Microsoft Azure Authorization Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.0-pre.1","words":"azure-mgmt-authorization microsoft azure authorization management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-compute","description":"Microsoft Azure Compute Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-compute microsoft azure compute management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-hdinsight","description":"Microsoft Azure HDInsight Service Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-hdinsight microsoft azure hdinsight service library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-resource","description":"Microsoft Azure Resource Management Client Library for node","url":null,"keywords":"node azure","version":"2.0.0-pre.11","words":"azure-mgmt-resource microsoft azure resource management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-sb","description":"Microsoft Azure Service Bus Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-sb microsoft azure service bus management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-scheduler","description":"Microsoft Azure Scheduler Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.1-pre.11","words":"azure-mgmt-scheduler microsoft azure scheduler management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-sql","description":"Microsoft Azure SQL Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-sql microsoft azure sql management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-storage","description":"Microsoft Azure Storage Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-storage microsoft azure storage management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-store","description":"Microsoft Azure Store Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-store microsoft azure store management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-subscription","description":"Microsoft Azure Subscription Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-subscription microsoft azure subscription management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-vnet","description":"Microsoft Azure Virtual Network Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-vnet microsoft azure virtual network management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-mgmt-website","description":"Microsoft Azure WebSite Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-mgmt-website microsoft azure website management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-monitoring","description":"Microsoft Azure Monitoring Client Library for node","url":null,"keywords":"node azure","version":"0.9.1-pre.11","words":"azure-monitoring microsoft azure monitoring client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-odm","description":"Lightweight ODM for Azure Table Storage Services, inspired by Mongoose","url":null,"keywords":"azure ODM Node","version":"0.0.1","words":"azure-odm lightweight odm for azure table storage services, inspired by mongoose =uschen azure odm node","author":"=uschen","date":"2014-06-28 "},{"name":"azure-publishsettings-parser","description":"A node.js utility to parse the Windows Azure publishsettings file, and create ServiceManagementService objects to work with the Azure Service Management API.","url":null,"keywords":"azure management api publishsettings","version":"0.0.1","words":"azure-publishsettings-parser a node.js utility to parse the windows azure publishsettings file, and create servicemanagementservice objects to work with the azure service management api. =richard.astbury azure management api publishsettings","author":"=richard.astbury","date":"2014-02-25 "},{"name":"azure-queue","description":"adapts an event based non-polling listener for azure storage queues","url":null,"keywords":"azure queue","version":"0.0.1","words":"azure-queue adapts an event based non-polling listener for azure storage queues =tacowan azure queue","author":"=tacowan","date":"2013-04-17 "},{"name":"azure-queue-node","description":"Simplified and fast Azure Queue Storage client","url":null,"keywords":"azure storage queue client","version":"1.1.0","words":"azure-queue-node simplified and fast azure queue storage client =gluwer azure storage queue client","author":"=gluwer","date":"2014-07-07 "},{"name":"azure-rm-website","description":"Microsoft Azure WebSite Management Client Library for node","url":null,"keywords":"node azure","version":"0.9.0-pre.5","words":"azure-rm-website microsoft azure website management client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-sas","description":"Azure Shared Access Signature generation.","url":null,"keywords":"azure sign azure table table shared access signature","version":"0.0.1","words":"azure-sas azure shared access signature generation. =lights-of-apollo azure sign azure table table shared access signature","author":"=lights-of-apollo","date":"2014-02-12 "},{"name":"azure-sb","description":"Microsoft Azure Service Bus Service Library for node","url":null,"keywords":"node azure","version":"0.9.12","words":"azure-sb microsoft azure service bus service library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-scheduler","description":"Microsoft Azure Scheduler Client Library for node","url":null,"keywords":"node azure","version":"0.9.1-pre.11","words":"azure-scheduler microsoft azure scheduler client library for node =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-scripty","description":"Azure automation made easy","url":null,"keywords":"azure cloud bash","version":"1.0.1","words":"azure-scripty azure automation made easy =glennblock azure cloud bash","author":"=glennblock","date":"2014-01-26 "},{"name":"azure-search","description":"A client for the Azure Search service","url":null,"keywords":"","version":"0.0.1","words":"azure-search a client for the azure search service =richard.astbury","author":"=richard.astbury","date":"2014-09-02 "},{"name":"azure-sign","description":"Azure Shared Access Signature generation.","url":null,"keywords":"azure sign azure table table shared access signature","version":"0.1.2","words":"azure-sign azure shared access signature generation. =lights-of-apollo azure sign azure table table shared access signature","author":"=lights-of-apollo","date":"2014-05-12 "},{"name":"azure-storage","description":"Microsoft Azure Storage Client Library for Node.js","url":null,"keywords":"node azure storage","version":"0.3.3","words":"azure-storage microsoft azure storage client library for node.js =windowsazure node azure storage","author":"=windowsazure","date":"2014-08-21 "},{"name":"azure-storage-legacy","description":"Microsoft Azure Storage Client Library for node for back compat with older versions of node sdk","url":null,"keywords":"node azure","version":"0.9.11","words":"azure-storage-legacy microsoft azure storage client library for node for back compat with older versions of node sdk =windowsazure node azure","author":"=windowsazure","date":"2014-09-10 "},{"name":"azure-table","description":"Simplified azure table service client for node and the browser.","url":null,"keywords":"azure azure table service azure browser","version":"0.3.0","words":"azure-table simplified azure table service client for node and the browser. =lights-of-apollo azure azure table service azure browser","author":"=lights-of-apollo","date":"2014-05-11 "},{"name":"azure-table-node","description":"Azure Table Storage client using JSON on the wire","url":null,"keywords":"azure storage table client","version":"1.4.1","words":"azure-table-node azure table storage client using json on the wire =gluwer azure storage table client","author":"=gluwer","date":"2014-04-20 "},{"name":"azure-tables-promises","description":"Turns the Azure Tables Node.js API into promises","url":null,"keywords":"azure tables storage table promise promises","version":"1.0.1","words":"azure-tables-promises turns the azure tables node.js api into promises =andrewgaspar azure tables storage table promise promises","author":"=andrewgaspar","date":"2013-03-21 "},{"name":"azure-tablestorage-jugglingdb","description":"azure table storage adapter for jugglingdb ORM","url":null,"keywords":"azure jugglingdb orm table storage","version":"0.1.1","words":"azure-tablestorage-jugglingdb azure table storage adapter for jugglingdb orm =yads azure jugglingdb orm table storage","author":"=yads","date":"2012-10-01 "},{"name":"azure-uploader","description":"Tool for multithreaded, recursive uploading and gzipping of all files inside a given directory","url":null,"keywords":"azure blob storage upload multi threaded","version":"0.0.2","words":"azure-uploader tool for multithreaded, recursive uploading and gzipping of all files inside a given directory =veproza azure blob storage upload multi threaded","author":"=veproza","date":"2014-05-06 "},{"name":"azurecache","description":"Winows Azure Cache client and Express session store","url":null,"keywords":"","version":"0.1.0","words":"azurecache winows azure cache client and express session store =tjanczuk","author":"=tjanczuk","date":"2013-09-06 "},{"name":"azurekey","description":"Generate an 64bits unique ID for use in Windows Azure. Optimized for topN query.","url":null,"keywords":"oid uid uuid uniqueid unique id short id primary key distributed environment","version":"0.1.0","words":"azurekey generate an 64bits unique id for use in windows azure. optimized for topn query. =e2tox oid uid uuid uniqueid unique id short id primary key distributed environment","author":"=e2tox","date":"2013-12-11 "},{"name":"azureleveldown","description":"An implementation of LevelDown for Windows Azure Table Storage","url":null,"keywords":"leveldb leveldown levelup azure","version":"0.0.3","words":"azureleveldown an implementation of leveldown for windows azure table storage =richard.astbury leveldb leveldown levelup azure","author":"=richard.astbury","date":"2014-02-06 "},{"name":"azuremobile-leaderboard","description":"Azure Mobile Services Leaderboard Recipe","url":null,"keywords":"azure mobile leaderboard recipe platform: Windows Store App project language: C#","version":"0.1.4","words":"azuremobile-leaderboard azure mobile services leaderboard recipe =mimixu azure mobile leaderboard recipe platform: windows store app project language: c#","author":"=mimixu","date":"2013-08-14 "},{"name":"azuremobile-recipe","description":"Azure Mobile Services Recipe Core Module","url":null,"keywords":"azure mobile recipe","version":"0.1.4","words":"azuremobile-recipe azure mobile services recipe core module =mimixu azure mobile recipe","author":"=mimixu","date":"2013-08-14 "},{"name":"azuretablebackup","description":"Command line tool to backup Windows Azure Table Storage","url":null,"keywords":"azure table backup restore json","version":"0.0.3","words":"azuretablebackup command line tool to backup windows azure table storage =richorama azure table backup restore json","author":"=richorama","date":"2013-12-03 "},{"name":"b","description":"Benchmarks for Node.js.","url":null,"keywords":"benchmarks benchmarking","version":"2.0.1","words":"b benchmarks for node.js. =vesln =jkroso benchmarks benchmarking","author":"=vesln =jkroso","date":"2013-05-06 "},{"name":"b-accordion","description":"A Bosonic accordion element.","url":null,"keywords":"","version":"0.2.1","words":"b-accordion a bosonic accordion element. =goldoraf","author":"=goldoraf","date":"2014-05-05 "},{"name":"b-autocomplete","description":"A Bosonic autocomplete element.","url":null,"keywords":"","version":"0.1.1","words":"b-autocomplete a bosonic autocomplete element. =goldoraf","author":"=goldoraf","date":"2014-05-05 "},{"name":"b-collapsible","description":"A Bosonic element which adds a collapsible behavior to a block with a header.","url":null,"keywords":"","version":"0.2.3","words":"b-collapsible a bosonic element which adds a collapsible behavior to a block with a header. =goldoraf","author":"=goldoraf","date":"2014-04-29 "},{"name":"b-combo-box","description":"b-combo-box ========","url":null,"keywords":"","version":"0.1.1","words":"b-combo-box b-combo-box ======== =goldoraf","author":"=goldoraf","date":"2014-03-27 "},{"name":"b-datalist","description":"A Bosonic element which emulates the `` element.","url":null,"keywords":"","version":"0.2.0","words":"b-datalist a bosonic element which emulates the `` element. =goldoraf","author":"=goldoraf","date":"2014-04-03 "},{"name":"b-datepicker","description":"A Bosonic datepicker element which uses Pikaday.","url":null,"keywords":"","version":"0.2.2","words":"b-datepicker a bosonic datepicker element which uses pikaday. =goldoraf","author":"=goldoraf","date":"2014-08-29 "},{"name":"b-dialog","description":"A Bosonic element which can be used for popups in a web page.","url":null,"keywords":"","version":"0.2.1","words":"b-dialog a bosonic element which can be used for popups in a web page. =goldoraf","author":"=goldoraf","date":"2014-04-10 "},{"name":"b-draggable","description":"A Bosonic element which may be used to add draggable behavior to an element.","url":null,"keywords":"","version":"0.2.2","words":"b-draggable a bosonic element which may be used to add draggable behavior to an element. =goldoraf","author":"=goldoraf","date":"2014-04-18 "},{"name":"b-dropdown","description":"A Bosonic dropdown element.","url":null,"keywords":"","version":"0.1.1","words":"b-dropdown a bosonic dropdown element. =goldoraf","author":"=goldoraf","date":"2014-08-29 "},{"name":"b-flash-message","description":"A Bosonic flash message element with four different levels.","url":null,"keywords":"","version":"0.1.1","words":"b-flash-message a bosonic flash message element with four different levels. =goldoraf","author":"=goldoraf","date":"2014-04-30 "},{"name":"b-hello-world","description":"b-hello-world ========","url":null,"keywords":"","version":"0.2.0","words":"b-hello-world b-hello-world ======== =goldoraf","author":"=goldoraf","date":"2014-04-03 "},{"name":"b-resizer","description":"A Bosonic element which may be used to add resizable behavior to an element.","url":null,"keywords":"","version":"0.1.1","words":"b-resizer a bosonic element which may be used to add resizable behavior to an element. =goldoraf","author":"=goldoraf","date":"2014-05-17 "},{"name":"b-selectable","description":"A Bosonic element which allows selection of an item in a list.","url":null,"keywords":"","version":"0.2.8","words":"b-selectable a bosonic element which allows selection of an item in a list. =goldoraf","author":"=goldoraf","date":"2014-05-05 "},{"name":"b-sortable","description":"A Bosonic element which enable a group of DOM elements to be sortable.","url":null,"keywords":"","version":"0.2.0","words":"b-sortable a bosonic element which enable a group of dom elements to be sortable. =goldoraf","author":"=goldoraf","date":"2014-04-03 "},{"name":"b-swarm","description":"library for distributed computing ","url":null,"keywords":"distributed","version":"0.0.1","words":"b-swarm library for distributed computing =szydan distributed","author":"=szydan","date":"2013-03-27 "},{"name":"b-tabs","description":"A Bosonic element for tabs and tab panels.","url":null,"keywords":"","version":"0.1.4","words":"b-tabs a bosonic element for tabs and tab panels. =goldoraf","author":"=goldoraf","date":"2014-06-17 "},{"name":"b-toggle-button","description":"A Bosonic toggle button element.","url":null,"keywords":"","version":"0.1.0","words":"b-toggle-button a bosonic toggle button element. =goldoraf","author":"=goldoraf","date":"2014-04-30 "},{"name":"b-tooltip","description":"A Bosonic tooltip element which uses Tether, an excellent library with no dependencies by HubSpot.","url":null,"keywords":"","version":"0.1.0","words":"b-tooltip a bosonic tooltip element which uses tether, an excellent library with no dependencies by hubspot. =goldoraf","author":"=goldoraf","date":"2014-04-08 "},{"name":"b-tree","description":"Evented I/O B-tree in pure JavaScript for Node.js.","url":null,"keywords":"btree database json b-tree leveldb levelup","version":"0.0.26","words":"b-tree evented i/o b-tree in pure javascript for node.js. =bigeasy btree database json b-tree leveldb levelup","author":"=bigeasy","date":"2014-09-15 "},{"name":"b2d-sync","description":"continous syncing of host folder to boot2docker VM via rsync","url":null,"keywords":"","version":"0.3.3","words":"b2d-sync continous syncing of host folder to boot2docker vm via rsync =jkingyens","author":"=jkingyens","date":"2014-09-18 "},{"name":"b2g-scripts","description":"B2G/Gaia Helper Scripts","url":null,"keywords":"b2g cli gaia tools","version":"0.4.2","words":"b2g-scripts b2g/gaia helper scripts =lights-of-apollo b2g cli gaia tools","author":"=lights-of-apollo","date":"2013-08-01 "},{"name":"b2t","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"b2t error: no readme.md file found! =goto100","author":"=goto100","date":"2012-08-27 "},{"name":"b5m","description":"Front-end integrated solution for b5m","url":null,"keywords":"b5m","version":"0.0.2","words":"b5m front-end integrated solution for b5m =jakeauyeung b5m","author":"=jakeauyeung","date":"2014-01-29 "},{"name":"b64","description":"Base64 encode and decode UTF-8 strings","url":null,"keywords":"","version":"1.0.1","words":"b64 base64 encode and decode utf-8 strings =dscape","author":"=dscape","date":"2011-11-19 "},{"name":"b64-utils","description":"Simple Base64 methods (encode, decode) using Built In buffers. This means its just an abstraction and will be as reliable as nodejs buffers are.","url":null,"keywords":"base64 b64 encode decode buffer","version":"0.1.1","words":"b64-utils simple base64 methods (encode, decode) using built in buffers. this means its just an abstraction and will be as reliable as nodejs buffers are. =mhernandez base64 b64 encode decode buffer","author":"=mhernandez","date":"2014-02-19 "},{"name":"b64_share","description":"cli file upload that produces data urls","url":null,"keywords":"cloud share cli coffee","version":"0.0.1","words":"b64_share cli file upload that produces data urls =taky cloud share cli coffee","author":"=taky","date":"2013-09-18 "},{"name":"b64url","description":"URL safe base64 encoding/decoding.","url":null,"keywords":"","version":"1.0.3","words":"b64url url safe base64 encoding/decoding. =daaku","author":"=daaku","date":"2013-07-19 "},{"name":"b_combiner-js","description":"Simple JS Combiner","url":null,"keywords":"combiner","version":"0.0.2-a","words":"b_combiner-js simple js combiner =gmena combiner","author":"=gmena","date":"2014-08-09 "},{"name":"b_math_example","description":"Chapter 8 WebTechs Math Example","url":null,"keywords":"add subtract multiply divide fibonacci","version":"0.0.11","words":"b_math_example chapter 8 webtechs math example =hoocarez add subtract multiply divide fibonacci","author":"=hoocarez","date":"2013-09-29 "},{"name":"b_mongom","description":"Simple Mongo Api","url":null,"keywords":"mongo","version":"0.0.3","words":"b_mongom simple mongo api =gmena mongo","author":"=gmena","date":"2014-07-25 "},{"name":"b_node","description":"_B_ Framework node server","url":null,"keywords":"connection","version":"0.0.3","words":"b_node _b_ framework node server =gmena connection","author":"=gmena","date":"2014-07-28 "},{"name":"b_wsserver","description":"WebSocket Server","url":null,"keywords":"websocket","version":"0.1.0","words":"b_wsserver websocket server =gmena websocket","author":"=gmena","date":"2014-08-05 "},{"name":"ba","description":"web client benchmark tool (the opposite of ab)","url":null,"keywords":"web client benchmark ab ba","version":"0.0.5","words":"ba web client benchmark tool (the opposite of ab) =capotej web client benchmark ab ba","author":"=capotej","date":"2011-05-28 "},{"name":"ba-logger","description":"Simple logger","url":null,"keywords":"","version":"0.0.2","words":"ba-logger simple logger =babibu","author":"=babibu","date":"2012-09-08 "},{"name":"baas","description":"Node Back-end as a service. A permissions level server-side data store with a RESTful API.","url":null,"keywords":"backend baas store database data web rest restful router api login permissions session authentication","version":"1.0.36","words":"baas node back-end as a service. a permissions level server-side data store with a restful api. =jjbateman backend baas store database data web rest restful router api login permissions session authentication","author":"=jjbateman","date":"2013-12-16 "},{"name":"baasio","description":"A node.js module for baas.io","url":null,"keywords":"","version":"0.9.0","words":"baasio a node.js module for baas.io =r2fresh","author":"=r2fresh","date":"2013-10-08 "},{"name":"baaw","description":"## Installation","url":null,"keywords":"","version":"0.1.0","words":"baaw ## installation =mthenw","author":"=mthenw","date":"2014-03-16 "},{"name":"babar","description":"CLI bar charts","url":null,"keywords":"cli bar charts graph ascii","version":"0.0.3","words":"babar cli bar charts =stephan83 cli bar charts graph ascii","author":"=stephan83","date":"2014-01-14 "},{"name":"babascript","description":"BabaScript for node","url":null,"keywords":"babascript","version":"0.2.3","words":"babascript babascript for node =takumibaba babascript","author":"=takumibaba","date":"2014-06-27 "},{"name":"babascript-client","description":"babascript client for node","url":null,"keywords":"","version":"0.1.1","words":"babascript-client babascript client for node =takumibaba","author":"=takumibaba","date":"2014-06-27 "},{"name":"babascript-manager","description":"babascript manager, human resouces managemnt system","url":null,"keywords":"","version":"0.0.3","words":"babascript-manager babascript manager, human resouces managemnt system =takumibaba","author":"=takumibaba","date":"2014-05-31 "},{"name":"babble","description":"Dynamic communication flows between message based actors.","url":null,"keywords":"pubsub conversation talk","version":"0.10.0","words":"babble dynamic communication flows between message based actors. =josdejong pubsub conversation talk","author":"=josdejong","date":"2014-08-18 "},{"name":"babblr-api","keywords":"","version":[],"words":"babblr-api","author":"","date":"2014-02-27 "},{"name":"babel","description":"Babel is a protocol independent SOA service adapter for node.js (still in development)","url":null,"keywords":"","version":"0.0.2","words":"babel babel is a protocol independent soa service adapter for node.js (still in development) =missinglink","author":"=missinglink","date":"2013-05-09 "},{"name":"Babel","description":"Babel puts a soft cushion between you all the cool new file formats being developed for node.js such as CoffeeScript, SASS, and Jade.","url":null,"keywords":"","version":"0.0.1","words":"babel babel puts a soft cushion between you all the cool new file formats being developed for node.js such as coffeescript, sass, and jade. =lucaswoj","author":"=lucaswoj","date":"2011-06-30 "},{"name":"babelfish","description":"Human friendly i18n with easy syntax. For node.js and browser.","url":null,"keywords":"i18n l10n","version":"1.0.2","words":"babelfish human friendly i18n with easy syntax. for node.js and browser. =vitaly i18n l10n","author":"=vitaly","date":"2014-06-05 "},{"name":"babelweb","description":"Web-based monitoring tool for the Babel routing protocol","url":null,"keywords":"babel routing monitoring","version":"0.4.0","words":"babelweb web-based monitoring tool for the babel routing protocol =kerneis babel routing monitoring","author":"=kerneis","date":"2014-06-02 "},{"name":"babo","description":"sdf","url":null,"keywords":"","version":"1.1.1","words":"babo sdf =ujpark","author":"=ujpark","date":"2014-02-10 "},{"name":"baboon","description":"Baboon Web Toolkit, modular fullstack web application framework for single-page realtime apps.","url":null,"keywords":"single-page realtime app web application framework web toolkit fullstack web application framework","version":"0.4.14","words":"baboon baboon web toolkit, modular fullstack web application framework for single-page realtime apps. =litixsoft single-page realtime app web application framework web toolkit fullstack web application framework","author":"=litixsoft","date":"2014-09-18 "},{"name":"baboon-backend","keywords":"","version":[],"words":"baboon-backend","author":"","date":"2014-08-21 "},{"name":"baboon-image","description":"The baboon test image","url":null,"keywords":"baboon mandrill test image mandril ndarray","version":"1.0.0","words":"baboon-image the baboon test image =mikolalysenko baboon mandrill test image mandril ndarray","author":"=mikolalysenko","date":"2014-05-22 "},{"name":"baboon-image-uri","description":"baboon test image as base64 data URI","url":null,"keywords":"baboon image test data uri datauri url image pixels","version":"1.0.1","words":"baboon-image-uri baboon test image as base64 data uri =mattdesl baboon image test data uri datauri url image pixels","author":"=mattdesl","date":"2014-08-26 "},{"name":"babs","description":"bay area bike share status","url":null,"keywords":"cli","version":"0.1.0","words":"babs bay area bike share status =jden cli","author":"=jden","date":"2013-08-30 "},{"name":"baby","description":"A childish library","url":null,"keywords":"baby","version":"0.0.1","words":"baby a childish library =ranjmis baby","author":"=ranjmis","date":"2012-10-16 "},{"name":"baby-ftpd","description":"BabyFtpd ========","url":null,"keywords":"","version":"0.0.6","words":"baby-ftpd babyftpd ======== =bya00417","author":"=bya00417","date":"2014-08-07 "},{"name":"baby-loris-api","description":"Easy way to create your own API methods for server and client sides","url":null,"keywords":"","version":"0.0.10","words":"baby-loris-api easy way to create your own api methods for server and client sides =tarmolov","author":"=tarmolov","date":"2014-09-08 "},{"name":"babydom","description":"Little DOM manipulations","url":null,"keywords":"DOM manipulations","version":"0.0.5","words":"babydom little dom manipulations =hoho dom manipulations","author":"=hoho","date":"2014-09-12 "},{"name":"babylonjs","description":"Babylon.js is a 3D engine based on webgl and javascript.","url":null,"keywords":"3D javascript html5 webgl","version":"1.13.3","words":"babylonjs babylon.js is a 3d engine based on webgl and javascript. =babylonjs 3d javascript html5 webgl","author":"=babylonjs","date":"2014-08-10 "},{"name":"babyparse","description":"Fast and reliable CSV parser based on PapaParse","url":null,"keywords":"csv parse parsing parser delimited text data auto-detect comma tab pipe file filereader stream","version":"0.2.1","words":"babyparse fast and reliable csv parser based on papaparse =rich_harris csv parse parsing parser delimited text data auto-detect comma tab pipe file filereader stream","author":"=rich_harris","date":"2014-08-06 "},{"name":"babysitter","description":"Monitor a connection and automatically reconnect on failure.","url":null,"keywords":"connection retry retry handler automatic reconnect reconnect socket","version":"0.5.0","words":"babysitter monitor a connection and automatically reconnect on failure. =nickdaugherty connection retry retry handler automatic reconnect reconnect socket","author":"=nickdaugherty","date":"2013-06-15 "},{"name":"bac-results","description":"A daemon to email the user when the baccalaureate results are posted on the official website.","url":null,"keywords":"baccalaureate daemon","version":"0.1.0","words":"bac-results a daemon to email the user when the baccalaureate results are posted on the official website. =ionicabizau baccalaureate daemon","author":"=ionicabizau","date":"2014-07-06 "},{"name":"bac-results-my-class","description":"A list with my schoolmate results at BAC exams.","url":null,"keywords":"bac exams results","version":"0.0.0","words":"bac-results-my-class a list with my schoolmate results at bac exams. =ionicabizau bac exams results","author":"=ionicabizau","date":"2014-07-13 "},{"name":"baccalaureate-computer-science","description":"A small script that downloads subject models for computer science baccalaureate exams.","url":null,"keywords":"baccalaureate computer science models","version":"0.1.0","words":"baccalaureate-computer-science a small script that downloads subject models for computer science baccalaureate exams. =ionicabizau baccalaureate computer science models","author":"=ionicabizau","date":"2014-05-30 "},{"name":"bace","description":"A web-based ACE editor controlled by server-side scripts.","url":null,"keywords":"","version":"0.0.15","words":"bace a web-based ace editor controlled by server-side scripts. =mchahn","author":"=mchahn","date":"2013-08-03 "},{"name":"bach","description":"Compose your async functions with elegance","url":null,"keywords":"async compose fluent composing","version":"0.3.0","words":"bach compose your async functions with elegance =phated async compose fluent composing","author":"=phated","date":"2014-08-31 "},{"name":"back","description":"Simple exponential backoff pulled out of Primus by @3rd-Eden","url":null,"keywords":"random exponential backoff","version":"0.1.5","words":"back simple exponential backoff pulled out of primus by @3rd-eden =jcrugzz random exponential backoff","author":"=jcrugzz","date":"2013-10-28 "},{"name":"back-notifications","description":"- jQuery - [transit](http://ricostacruz.com/jquery.transit/)","url":null,"keywords":"","version":"0.0.1","words":"back-notifications - jquery - [transit](http://ricostacruz.com/jquery.transit/) =architectd","author":"=architectd","date":"2012-12-03 "},{"name":"back-on-promise","description":"Model relationship library for Backbone using promises","url":null,"keywords":"model promise backbone","version":"0.0.4","words":"back-on-promise model relationship library for backbone using promises =grahamjenson model promise backbone","author":"=grahamjenson","date":"2013-11-18 "},{"name":"back-proxy","description":"Reversing proxy to you gadgets or home http-server behind NAT with dynamic WAN ip. Needs two \"servers\": one in Internet for you connects for proxing and second in you home for serve proxy requests.","url":null,"keywords":"reverse proxy nat dynamic WAN ip","version":"0.1.2","words":"back-proxy reversing proxy to you gadgets or home http-server behind nat with dynamic wan ip. needs two \"servers\": one in internet for you connects for proxing and second in you home for serve proxy requests. =aleksandr reverse proxy nat dynamic wan ip","author":"=aleksandr","date":"2014-07-13 "},{"name":"back-to-thunk","description":"transform generator, generatorFunction, promise and other yieldables back to thunk","url":null,"keywords":"co flow thunk generator yieldables","version":"0.0.1","words":"back-to-thunk transform generator, generatorfunction, promise and other yieldables back to thunk =dead_horse co flow thunk generator yieldables","author":"=dead_horse","date":"2014-03-12 "},{"name":"backagetest","description":"测试包发布","url":null,"keywords":"","version":"0.0.0","words":"backagetest 测试包发布 =neikubar","author":"=neikubar","date":"2014-03-23 "},{"name":"backapp","description":"======= backapp =======","url":null,"keywords":"","version":"0.0.1","words":"backapp ======= backapp ======= =toomanydaves","author":"=toomanydaves","date":"2014-02-21 "},{"name":"backbacon","description":"Get bacon.js event streams from Backbone models","url":null,"keywords":"","version":"0.1.1","words":"backbacon get bacon.js event streams from backbone models =jwalgran","author":"=jwalgran","date":"2013-03-02 "},{"name":"backbeam","description":"Javascript library for backbeam.io. For both nodejs and the browser","url":null,"keywords":"backbeam","version":"0.12.1","words":"backbeam javascript library for backbeam.io. for both nodejs and the browser =gimenete backbeam","author":"=gimenete","date":"2014-03-14 "},{"name":"backbone","description":"Give your JS App some Backbone with Models, Views, Collections, and Events.","url":null,"keywords":"model view controller router server client browser","version":"1.1.2","words":"backbone give your js app some backbone with models, views, collections, and events. =jashkenas model view controller router server client browser","author":"=jashkenas","date":"2014-08-11 "},{"name":"backbone-ajaxretry","description":"Exponentially retry Backbone.ajax & $.ajax requests","url":null,"keywords":"Backbone ajax retry","version":"1.2.3","words":"backbone-ajaxretry exponentially retry backbone.ajax & $.ajax requests =gdibble backbone ajax retry","author":"=gdibble","date":"2014-08-02 "},{"name":"backbone-api-client","description":"Backbone mixin built for interacting with API clients","url":null,"keywords":"backbone api client server","version":"0.1.0","words":"backbone-api-client backbone mixin built for interacting with api clients =twolfson backbone api client server","author":"=twolfson","date":"2014-04-28 "},{"name":"backbone-api-client-redis","description":"Mixins that add Redis caching on top of backbone-api-client","url":null,"keywords":"backbone api client redis cache backbone-api-client","version":"1.0.0","words":"backbone-api-client-redis mixins that add redis caching on top of backbone-api-client =twolfson backbone api client redis cache backbone-api-client","author":"=twolfson","date":"2014-05-28 "},{"name":"backbone-archetype","description":"Backbone Model & Collection extension provides associations and validations via a schema.","url":null,"keywords":"backbone model collection validation association schema server client","version":"0.1.2","words":"backbone-archetype backbone model & collection extension provides associations and validations via a schema. =mrdarcymurphy =loudbit backbone model collection validation association schema server client","author":"=mrdarcymurphy =loudbit","date":"2014-05-19 "},{"name":"backbone-articulation","description":"Backbone-Articulation.js enhances Backbone.js model attributes with object serialization and deserialization.","url":null,"keywords":"backbone-articulation backbone-articulationjs backbone backbonejs backbone-relational backbone-rel","version":"0.3.4","words":"backbone-articulation backbone-articulation.js enhances backbone.js model attributes with object serialization and deserialization. =kmalakoff backbone-articulation backbone-articulationjs backbone backbonejs backbone-relational backbone-rel","author":"=kmalakoff","date":"2012-09-17 "},{"name":"backbone-assembler","description":"Plugin for Backbone that makes it easy to manage nested views","url":null,"keywords":"backbone nested view layout server client browser","version":"0.1.4","words":"backbone-assembler plugin for backbone that makes it easy to manage nested views =cyberthom backbone nested view layout server client browser","author":"=cyberthom","date":"2014-04-24 "},{"name":"backbone-assembler-handlebars","description":"Handlebars mixin for Assembler","url":null,"keywords":"backbone assembler handlebars mixin","version":"0.1.2","words":"backbone-assembler-handlebars handlebars mixin for assembler =cyberthom backbone assembler handlebars mixin","author":"=cyberthom","date":"2014-02-05 "},{"name":"backbone-associate","description":"Presumtionless model associations for Backbone.js","url":null,"keywords":"backbone-associate association model backbone","version":"0.0.9","words":"backbone-associate presumtionless model associations for backbone.js =rjz backbone-associate association model backbone","author":"=rjz","date":"2014-06-01 "},{"name":"backbone-associations","description":"Create object hierarchies with Backbone models. Respond to hierarchy changes using regular Backbone events","url":null,"keywords":"Backbone association associated nested model cyclic graph qualified event paths relational relations","version":"0.6.2","words":"backbone-associations create object hierarchies with backbone models. respond to hierarchy changes using regular backbone events =dhruvaray backbone association associated nested model cyclic graph qualified event paths relational relations","author":"=dhruvaray","date":"2014-06-29 "},{"name":"backbone-async-event","description":"asynchronous event triggers for Backbone Model/Collection for decoupled watching of model specific asynchronous activity","url":null,"keywords":"asynchronous ajax backbone","version":"0.4.0","words":"backbone-async-event asynchronous event triggers for backbone model/collection for decoupled watching of model specific asynchronous activity =jhudson asynchronous ajax backbone","author":"=jhudson","date":"2014-06-14 "},{"name":"backbone-async-route-filters","description":"async before and after filters for backbone routes","url":null,"keywords":"bacbkone async filters route-filters before filter after filter","version":"0.1.0","words":"backbone-async-route-filters async before and after filters for backbone routes =chirag04 bacbkone async filters route-filters before filter after filter","author":"=chirag04","date":"2013-08-29 "},{"name":"backbone-attrs","description":"ES5 getters/setters for Backbone models","url":null,"keywords":"backbone getter setter attributes","version":"0.1.0","words":"backbone-attrs es5 getters/setters for backbone models =nadav backbone getter setter attributes","author":"=nadav","date":"2014-04-19 "},{"name":"backbone-auto-save-form","description":"View for saving data as form changes","url":null,"keywords":"Backbone","version":"0.0.0","words":"backbone-auto-save-form view for saving data as form changes =moudy backbone","author":"=moudy","date":"2013-12-20 "},{"name":"backbone-autocomplete","description":"Backbone Autocomplete view made with browserified projects in mind","url":null,"keywords":"backbone autocomplete","version":"0.0.5","words":"backbone-autocomplete backbone autocomplete view made with browserified projects in mind =dazld backbone autocomplete","author":"=dazld","date":"2014-03-09 "},{"name":"backbone-base-and-form-view","description":"Create an organized hierarchy of views and subviews with Backbone.BaseView and highly extendable forms with Backbone.FormView","url":null,"keywords":"Backbone BaseView FormView forms subviews form fields","version":"0.7.4","words":"backbone-base-and-form-view create an organized hierarchy of views and subviews with backbone.baseview and highly extendable forms with backbone.formview =jballant backbone baseview formview forms subviews form fields","author":"=jballant","date":"2014-06-05 "},{"name":"backbone-basics","description":"Backbone support library","url":null,"keywords":"","version":"0.0.1","words":"backbone-basics backbone support library =joakin","author":"=joakin","date":"2013-06-16 "},{"name":"backbone-bindings","description":"Bi-directional bindings between Backbone.View elements and Backbone.Model attributes","url":null,"keywords":"backbone","version":"0.1.0","words":"backbone-bindings bi-directional bindings between backbone.view elements and backbone.model attributes =jden backbone","author":"=jden","date":"2013-02-03 "},{"name":"backbone-bites","description":"A collection of handy micro-extensions to the built-in Backbone classes","url":null,"keywords":"backbone underscore plugin","version":"0.0.1","words":"backbone-bites a collection of handy micro-extensions to the built-in backbone classes =thejameskyle backbone underscore plugin","author":"=thejameskyle","date":"2014-04-14 "},{"name":"backbone-blueprint","description":"Create object hierarchies based on json schema","url":null,"keywords":"backbone schema relations","version":"0.1.6","words":"backbone-blueprint create object hierarchies based on json schema =mikkolehtinen =orktes =nomon backbone schema relations","author":"=mikkolehtinen =orktes =nomon","date":"2014-09-10 "},{"name":"backbone-boilerplate","description":"![Boilerplate](https://github.com/backbone-boilerplate/backbone-boilerplate/raw/assets/header.png)","url":null,"keywords":"","version":"1.0.0","words":"backbone-boilerplate ![boilerplate](https://github.com/backbone-boilerplate/backbone-boilerplate/raw/assets/header.png) =tbranyen","author":"=tbranyen","date":"2013-09-17 "},{"name":"backbone-browserify","description":"DEPRECATED, 0.9.9 works with browserify","url":null,"keywords":"util functional server client browser browserify backbone","version":"0.9.2-1","words":"backbone-browserify deprecated, 0.9.9 works with browserify =kmiyashiro util functional server client browser browserify backbone","author":"=kmiyashiro","date":"2013-01-14 "},{"name":"backbone-browserify-lodash","description":"Give your JS App some Backbone with Models, Views, Collections, and Events. - For Browserify","url":null,"keywords":"util functional server client browser browserify backbone","version":"0.9.2-1","words":"backbone-browserify-lodash give your js app some backbone with models, views, collections, and events. - for browserify =jden util functional server client browser browserify backbone","author":"=jden","date":"2012-12-26 "},{"name":"backbone-bufferify","description":"Backbone utility for working with Buffers","url":null,"keywords":"backbone buffer","version":"0.0.4","words":"backbone-bufferify backbone utility for working with buffers =nadav backbone buffer","author":"=nadav","date":"2014-06-20 "},{"name":"backbone-cache-sync","description":"A server-side adapter that caches Backbone.fetch requests using Redis.","url":null,"keywords":"backbone cache","version":"0.0.3","words":"backbone-cache-sync a server-side adapter that caches backbone.fetch requests using redis. =zamiang =craigspaeth backbone cache","author":"=zamiang =craigspaeth","date":"2014-03-08 "},{"name":"backbone-calculate","description":"The calculation methods are inspired by Rails and taken a bit further. This package uses **[underscore-calculate](https://github.com/glencrossbrunet/underscore-calculate)** under the hood which only considers numbers, and returns `undefined` for empty col","url":null,"keywords":"","version":"0.0.3","words":"backbone-calculate the calculation methods are inspired by rails and taken a bit further. this package uses **[underscore-calculate](https://github.com/glencrossbrunet/underscore-calculate)** under the hood which only considers numbers, and returns `undefined` for empty col =aj0strow","author":"=aj0strow","date":"2014-07-10 "},{"name":"backbone-callbacks","description":"Anonymous callback style interface for Backbone.js async methods","url":null,"keywords":"","version":"0.1.7","words":"backbone-callbacks anonymous callback style interface for backbone.js async methods =lorenwest","author":"=lorenwest","date":"2014-01-14 "},{"name":"backbone-cappedcollection","description":"Capped Collections for BackboneJS","url":null,"keywords":"","version":"0.1.1","words":"backbone-cappedcollection capped collections for backbonejs =fgribreau","author":"=fgribreau","date":"2013-01-28 "},{"name":"backbone-celtra","description":"Give your JS App some Backbone with Models, Views, Collections, and Events. Packaged for browserify by Celtra","url":null,"keywords":"util functional server client browser","version":"0.5.3","words":"backbone-celtra give your js app some backbone with models, views, collections, and events. packaged for browserify by celtra =celtra util functional server client browser","author":"=celtra","date":"2011-09-07 "},{"name":"backbone-child-views","description":"Backbone child view functions mixin","url":null,"keywords":"backbone child view mixin","version":"0.0.4","words":"backbone-child-views backbone child view functions mixin =cjpartridge backbone child view mixin","author":"=cjpartridge","date":"2014-09-04 "},{"name":"backbone-class","description":"Backbone Class is the missing 'Backbone.Class' in Backbone.js which provides clean JavaScript class inheritence via the Backbone.extend pattern","url":null,"keywords":"backbone class simple inheritence backbone-class Backbone.Class","version":"0.0.1","words":"backbone-class backbone class is the missing 'backbone.class' in backbone.js which provides clean javascript class inheritence via the backbone.extend pattern =damassi backbone class simple inheritence backbone-class backbone.class","author":"=damassi","date":"2013-12-25 "},{"name":"backbone-clickdebounce","description":"Debounce multiple clicks for Backbone.Views","url":null,"keywords":"backbone plugin debounce clicks views client browser","version":"0.0.1","words":"backbone-clickdebounce debounce multiple clicks for backbone.views =alexanderbeletsky backbone plugin debounce clicks views client browser","author":"=alexanderbeletsky","date":"2013-03-17 "},{"name":"backbone-closeable-view-mixin","description":"Backbone.View mixin that helps manage and close views.","url":null,"keywords":"backbone view","version":"0.0.20130806","words":"backbone-closeable-view-mixin backbone.view mixin that helps manage and close views. =sdellysse backbone view","author":"=sdellysse","date":"2013-08-07 "},{"name":"backbone-collection","description":"Backbone Collections extracted to a separate module","url":null,"keywords":"backbone collection client browser","version":"1.0.6","words":"backbone-collection backbone collections extracted to a separate module =charlottegore backbone collection client browser","author":"=charlottegore","date":"2014-06-21 "},{"name":"backbone-collection-crud","description":"backbone-collection-crud [![Build Status](https://secure.travis-ci.org/caseywebdev/backbone-collection-crud.png)](http://travis-ci.org/caseywebdev/backbone-collection-crud) =============","url":null,"keywords":"","version":"0.1.0","words":"backbone-collection-crud backbone-collection-crud [![build status](https://secure.travis-ci.org/caseywebdev/backbone-collection-crud.png)](http://travis-ci.org/caseywebdev/backbone-collection-crud) ============= =caseywebdev","author":"=caseywebdev","date":"2014-03-25 "},{"name":"backbone-collection-proxy","description":"Create a read-only copy of a backbone collection that stays in sync with the original","url":null,"keywords":"","version":"0.2.5","words":"backbone-collection-proxy create a read-only copy of a backbone collection that stays in sync with the original =jmorrell","author":"=jmorrell","date":"2014-09-07 "},{"name":"backbone-collection-view","description":"CollectionView implementation for Backbone.","url":null,"keywords":"backbone view collection","version":"0.0.3","words":"backbone-collection-view collectionview implementation for backbone. =bryandragon backbone view collection","author":"=bryandragon","date":"2014-04-06 "},{"name":"backbone-commands","description":"Backbone commands","url":null,"keywords":"backbone command async macrocommand","version":"0.2.0","words":"backbone-commands backbone commands =moorinteractive backbone command async macrocommand","author":"=moorinteractive","date":"2013-12-30 "},{"name":"backbone-composite-keys","description":"backbone-composite-keys [![Build Status](https://secure.travis-ci.org/caseywebdev/backbone-composite-keys.png)](http://travis-ci.org/caseywebdev/backbone-composite-keys) =============","url":null,"keywords":"","version":"0.0.7","words":"backbone-composite-keys backbone-composite-keys [![build status](https://secure.travis-ci.org/caseywebdev/backbone-composite-keys.png)](http://travis-ci.org/caseywebdev/backbone-composite-keys) ============= =caseywebdev","author":"=caseywebdev","date":"2013-01-23 "},{"name":"backbone-composite-view","description":"Base composite backbone view using backbone-child-views and backbone-route-events","url":null,"keywords":"backbone view composite child","version":"0.0.3","words":"backbone-composite-view base composite backbone view using backbone-child-views and backbone-route-events =cjpartridge backbone view composite child","author":"=cjpartridge","date":"2014-09-04 "},{"name":"backbone-computedfields","description":"Computed fields for Backbone models","url":null,"keywords":"Backbone model computed field","version":"0.0.7","words":"backbone-computedfields computed fields for backbone models =alexanderbeletsky backbone model computed field","author":"=alexanderbeletsky","date":"2013-11-19 "},{"name":"backbone-couch","description":"Backbone.js sync for CouchDB","url":null,"keywords":"","version":"2.0.1","words":"backbone-couch backbone.js sync for couchdb =yhahn =lxbarth =kkaefer =miccolis =willwhite =ianshward","author":"=yhahn =lxbarth =kkaefer =miccolis =willwhite =ianshward","date":"2014-01-29 "},{"name":"backbone-courier","description":"Easily bubble events up your view hierarchy in your Backbone.js applications.","url":null,"keywords":"backbone events view","version":"1.0.0","words":"backbone-courier easily bubble events up your view hierarchy in your backbone.js applications. =davidbeck backbone events view","author":"=davidbeck","date":"2014-08-16 "},{"name":"backbone-cradle","description":"Backbone.js sync for CouchDB using Cradle","url":null,"keywords":"","version":"0.1.1","words":"backbone-cradle backbone.js sync for couchdb using cradle =samlown","author":"=samlown","date":"2011-10-31 "},{"name":"backbone-crossdomain","description":"An extension for Backbone.js with a Sync that adds support for IE 7-9 CORS requests using IE's XDomainRequest Object while maintaining compatibility with non-IE systems.","url":null,"keywords":"backbone plugin cors ie","version":"0.4.0","words":"backbone-crossdomain an extension for backbone.js with a sync that adds support for ie 7-9 cors requests using ie's xdomainrequest object while maintaining compatibility with non-ie systems. =victorquinn backbone plugin cors ie","author":"=victorquinn","date":"2013-12-30 "},{"name":"backbone-csv","description":"Backbone.js sync for CSV files.","url":null,"keywords":"csv backbone bones","version":"0.0.3","words":"backbone-csv backbone.js sync for csv files. =vkareh csv backbone bones","author":"=vkareh","date":"2012-09-09 "},{"name":"backbone-dataloader","description":"# Instructions","url":null,"keywords":"","version":"0.0.4","words":"backbone-dataloader # instructions =hamiltoon","author":"=hamiltoon","date":"2013-12-10 "},{"name":"backbone-datarouter","description":"A router abstraction built with jquery-mobile, localstorage caching, and backbone collections in mind.","url":null,"keywords":"","version":"0.4.0","words":"backbone-datarouter a router abstraction built with jquery-mobile, localstorage caching, and backbone collections in mind. =logankoester","author":"=logankoester","date":"2014-05-13 "},{"name":"backbone-daybed","description":"Generic wrappers around Backbone-Forms for Daybed models","url":null,"keywords":"Daybed Forms","version":"0.1.0","words":"backbone-daybed generic wrappers around backbone-forms for daybed models =leplatrem daybed forms","author":"=leplatrem","date":"2013-07-27 "},{"name":"backbone-db","description":"Backbone.js database storage interface","url":null,"keywords":"backbone database sync","version":"0.5.3","words":"backbone-db backbone.js database storage interface =nomon =mikkolehtinen backbone database sync","author":"=nomon =mikkolehtinen","date":"2014-08-06 "},{"name":"backbone-db-cache","description":"Caching support for backbone-db","url":null,"keywords":"backbone backbone-db cache","version":"0.1.1","words":"backbone-db-cache caching support for backbone-db =mikkolehtinen =nomon backbone backbone-db cache","author":"=mikkolehtinen =nomon","date":"2014-08-08 "},{"name":"backbone-db-elasticsearch","description":"Elasticsearch driver for backbone-db","url":null,"keywords":"backbone backbone-db elasticsearch search","version":"0.1.9","words":"backbone-db-elasticsearch elasticsearch driver for backbone-db =mikkolehtinen backbone backbone-db elasticsearch search","author":"=mikkolehtinen","date":"2014-09-02 "},{"name":"backbone-db-local","description":"Backbone-db localStorage and in-process implementation","url":null,"keywords":"backbone database sync","version":"0.5.8","words":"backbone-db-local backbone-db localstorage and in-process implementation =mikkolehtinen =nomon backbone database sync","author":"=mikkolehtinen =nomon","date":"2014-08-07 "},{"name":"backbone-db-mongodb","description":"MongoDB driver for Backbone.Db","url":null,"keywords":"","version":"0.2.18","words":"backbone-db-mongodb mongodb driver for backbone.db =nomon =mikkolehtinen","author":"=nomon =mikkolehtinen","date":"2014-09-03 "},{"name":"backbone-db-redis","description":"Redis driver for Backbone.Db","url":null,"keywords":"backbone database sync redis models odm","version":"0.0.42","words":"backbone-db-redis redis driver for backbone.db =nomon =mikkolehtinen backbone database sync redis models odm","author":"=nomon =mikkolehtinen","date":"2014-08-14 "},{"name":"backbone-decorator","description":"Give your JS Backbone Views a Decorator.","url":null,"keywords":"decorator backbone","version":"0.0.1","words":"backbone-decorator give your js backbone views a decorator. =angelomichel decorator backbone","author":"=angelomichel","date":"2014-07-27 "},{"name":"backbone-deep-model","description":"Improved support for models with nested attributes.","url":null,"keywords":"","version":"0.11.0","words":"backbone-deep-model improved support for models with nested attributes. =powmedia","author":"=powmedia","date":"2013-05-24 "},{"name":"backbone-deferred-amd","keywords":"","version":[],"words":"backbone-deferred-amd","author":"","date":"2014-03-06 "},{"name":"backbone-define","description":"ExtJS style class definition for name aware Classes","url":null,"keywords":"backbone plugin","version":"0.0.3","words":"backbone-define extjs style class definition for name aware classes =morganrallen backbone plugin","author":"=morganrallen","date":"2012-06-12 "},{"name":"backbone-delta","description":"Detect and apply changes on Backbone.js models","url":null,"keywords":"","version":"0.3.1","words":"backbone-delta detect and apply changes on backbone.js models =stephank","author":"=stephank","date":"2013-02-13 "},{"name":"backbone-di","description":"Backbone dependency injector","url":null,"keywords":"backbone ioc depedency injector","version":"0.1.0","words":"backbone-di backbone dependency injector =moorinteractive backbone ioc depedency injector","author":"=moorinteractive","date":"2013-12-31 "},{"name":"backbone-diorama","description":"A client-side web application framework designed for rapid development, using opinionated backbone pattern generators","url":null,"keywords":"backbone web","version":"0.2.1","words":"backbone-diorama a client-side web application framework designed for rapid development, using opinionated backbone pattern generators =th3james backbone web","author":"=th3james","date":"2014-01-09 "},{"name":"backbone-dirty","url":null,"keywords":"","version":"1.1.3","words":"backbone-dirty =kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","date":"2012-04-16 "},{"name":"backbone-dnode","description":"Persistant backbone storage through dnode pub/sub","url":null,"keywords":"backbone redis pubsub dnode mongodb mongoose","version":"0.4.1","words":"backbone-dnode persistant backbone storage through dnode pub/sub =sorensen backbone redis pubsub dnode mongodb mongoose","author":"=sorensen","date":"2012-01-07 "},{"name":"backbone-documentmodel","description":"A plugin to create entire Document structures with nested Backbone.js Models & Collections with deep model references and event bubbling.","url":null,"keywords":"model controller event deep model","version":"0.6.4","words":"backbone-documentmodel a plugin to create entire document structures with nested backbone.js models & collections with deep model references and event bubbling. =icereval model controller event deep model","author":"=icereval","date":"2014-04-20 "},{"name":"backbone-ducktyped","description":"Give your JS App some Backbone with Models, Views, Collections, and Events.","url":null,"keywords":"util functional server client browser","version":"0.9.2","words":"backbone-ducktyped give your js app some backbone with models, views, collections, and events. =balupton util functional server client browser","author":"=balupton","date":"2012-05-08 "},{"name":"backbone-dynamodb","description":"Backbone.js sync for DynamoDB","url":null,"keywords":"backbone dynamodb dyndb aws amazon","version":"0.2.0","words":"backbone-dynamodb backbone.js sync for dynamodb =serg.io backbone dynamodb dyndb aws amazon","author":"=serg.io","date":"2013-03-31 "},{"name":"backbone-ender","description":"Backbone powered by Ender instead of jQuery/Zepto","url":null,"keywords":"","version":"0.0.2","words":"backbone-ender backbone powered by ender instead of jquery/zepto =akovalev","author":"=akovalev","date":"2011-10-06 "},{"name":"backbone-events","url":null,"keywords":"","version":"0.0.0","words":"backbone-events =youngjay","author":"=youngjay","date":"2014-05-12 "},{"name":"backbone-events-promises","description":"Adds promise functionality to Backbone.Events.trigger()","url":null,"keywords":"backbone deferred promises","version":"0.2.0","words":"backbone-events-promises adds promise functionality to backbone.events.trigger() =defiantbidet =rmarscher backbone deferred promises","author":"=defiantbidet =rmarscher","date":"2014-07-29 "},{"name":"backbone-events-standalone","description":"Standalone version of Backbone.Events","url":null,"keywords":"backbone events","version":"0.2.4","words":"backbone-events-standalone standalone version of backbone.events =n1k0 backbone events","author":"=n1k0","date":"2014-09-03 "},{"name":"backbone-extend","description":"Customizable Backbone inheritance.","url":null,"keywords":"model view controller router server client browser events oop","version":"0.1.0","words":"backbone-extend customizable backbone inheritance. =gsamokovarov model view controller router server client browser events oop","author":"=gsamokovarov","date":"2012-11-16 "},{"name":"backbone-extend-obj","description":"Base object for Backbonejs style object inheritance","url":null,"keywords":"","version":"0.2.0","words":"backbone-extend-obj base object for backbonejs style object inheritance =unstoppablecarl","author":"=unstoppablecarl","date":"2014-06-11 "},{"name":"backbone-extend-standalone","description":"Standalone version of Backbone's extend","url":null,"keywords":"backbone extend","version":"0.1.2","words":"backbone-extend-standalone standalone version of backbone's extend =gre backbone extend","author":"=gre","date":"2014-01-03 "},{"name":"backbone-faux-server","description":"A (tiny) framework for mocking up server-side persistence / processing for Backbone.js","url":null,"keywords":"backbone mock test persistence","version":"0.10.3","words":"backbone-faux-server a (tiny) framework for mocking up server-side persistence / processing for backbone.js =biril backbone mock test persistence","author":"=biril","date":"2014-04-26 "},{"name":"backbone-fetch-cache","description":"Caches calls to Backbone.[Model | Collection].fetch","url":null,"keywords":"backbone fetch cache","version":"1.4.0","words":"backbone-fetch-cache caches calls to backbone.[model | collection].fetch =blainsmith =kixxauth backbone fetch cache","author":"=blainsmith =kixxauth","date":"2014-09-02 "},{"name":"backbone-filtered-collection","description":"Create a filtered version of a backbone collection that stays in sync.","url":null,"keywords":"backbone plugin filtering filter collection client browser","version":"0.4.0","words":"backbone-filtered-collection create a filtered version of a backbone collection that stays in sync. =jmorrell backbone plugin filtering filter collection client browser","author":"=jmorrell","date":"2014-09-07 "},{"name":"backbone-forms","description":"A flexible, customisable form framework for Backbone.JS applications.","url":null,"keywords":"","version":"0.14.0","words":"backbone-forms a flexible, customisable form framework for backbone.js applications. =powmedia","author":"=powmedia","date":"2013-11-28 "},{"name":"backbone-fsm","description":"Finite-State Machine for Backbone views and models.","url":null,"keywords":"backbone Finite-state machine FSM","version":"0.0.1","words":"backbone-fsm finite-state machine for backbone views and models. =fragphace backbone finite-state machine fsm","author":"=fragphace","date":"2014-02-05 "},{"name":"backbone-getset","description":"Getters & setters for your Backbone models","url":null,"keywords":"backbone getters setters accessors mutators","version":"0.1.2","words":"backbone-getset getters & setters for your backbone models =numbers1311407 backbone getters setters accessors mutators","author":"=numbers1311407","date":"2013-11-01 "},{"name":"backbone-github","description":"Backbone models for the GitHub API","url":null,"keywords":"","version":"0.0.3","words":"backbone-github backbone models for the github api =trabianmatt","author":"=trabianmatt","date":"2012-03-21 "},{"name":"backbone-gitlab","description":"Backbone for the GitLab API ==================================================","url":null,"keywords":"","version":"0.9.0","words":"backbone-gitlab backbone for the gitlab api ================================================== =sklise","author":"=sklise","date":"2014-04-22 "},{"name":"backbone-grease","description":"Slicker chaining for Backbone's collection Underscore methods.","url":null,"keywords":"backbone plugin","version":"0.2.0","words":"backbone-grease slicker chaining for backbone's collection underscore methods. =gsamokovarov backbone plugin","author":"=gsamokovarov","date":"2013-12-08 "},{"name":"backbone-handle","description":"Put down your jquery selectors and get a handle on your views' DOM elements.","url":null,"keywords":"backbone modui","version":"0.3.0","words":"backbone-handle put down your jquery selectors and get a handle on your views' dom elements. =davidbeck =go-oleg backbone modui","author":"=davidbeck =go-oleg","date":"2014-04-24 "},{"name":"backbone-helper","description":"Handles your view/model/collection instantiations for you","url":null,"keywords":"backbone model view","version":"1.0.0","words":"backbone-helper handles your view/model/collection instantiations for you =enzomartin78 backbone model view","author":"=enzomartin78","date":"2013-12-09 "},{"name":"backbone-helpers","description":"Some random dependencies for standalone versions of Backbone Model and Backbone Collection","url":null,"keywords":"backbone dependency client browser","version":"1.0.2","words":"backbone-helpers some random dependencies for standalone versions of backbone model and backbone collection =charlottegore backbone dependency client browser","author":"=charlottegore","date":"2014-06-20 "},{"name":"backbone-history","url":null,"keywords":"","version":"0.0.2","words":"backbone-history =youngjay","author":"=youngjay","date":"2014-05-26 "},{"name":"backbone-hitch","description":"Lightweight framework built on top of backbone","url":null,"keywords":"framework util mvc SPA single page application backbone framework tools","version":"0.1.2","words":"backbone-hitch lightweight framework built on top of backbone =phillies2k framework util mvc spa single page application backbone framework tools","author":"=phillies2k","date":"2012-12-11 "},{"name":"backbone-hoodie","description":"hoodie data bindings for backbone models","url":null,"keywords":"backbone hoodie model binding data","version":"1.0.6","words":"backbone-hoodie hoodie data bindings for backbone models =svnlto =jan =caolan =gr2m backbone hoodie model binding data","author":"=svnlto =jan =caolan =gr2m","date":"2014-04-09 "},{"name":"backbone-hooksync","description":"Get the CRUD out of your app. Define functions for Backbone.Model create, read, update and delete.","url":null,"keywords":"","version":"0.2.0","words":"backbone-hooksync get the crud out of your app. define functions for backbone.model create, read, update and delete. =hs","author":"=hs","date":"2014-03-07 "},{"name":"backbone-hotkeys","keywords":"","version":[],"words":"backbone-hotkeys","author":"","date":"2013-12-28 "},{"name":"backbone-http","description":"An HTTP interface for BackboneORM","url":null,"keywords":"backbone orm backbone-orm http ajax","version":"0.7.1","words":"backbone-http an http interface for backboneorm =kmalakoff =gwilymh backbone orm backbone-orm http ajax","author":"=kmalakoff =gwilymh","date":"2014-09-01 "},{"name":"backbone-hyper-model","description":"Enhanced version of Backbone Model","url":null,"keywords":"backbone model collection hyper nested transforms type casting deep attributes getters setters","version":"1.0.1","words":"backbone-hyper-model enhanced version of backbone model =avaly backbone model collection hyper nested transforms type casting deep attributes getters setters","author":"=avaly","date":"2014-08-19 "},{"name":"backbone-hypermedia","description":"Backbone plugin providing support for following hypermedia controls from Backbone models and collections.","url":null,"keywords":"backbone hypermedia REST","version":"0.3.0","words":"backbone-hypermedia backbone plugin providing support for following hypermedia controls from backbone models and collections. =wilhen01 =linn =liddellj =richardp =bazwilliams backbone hypermedia rest","author":"=wilhen01 =linn =liddellj =richardp =bazwilliams","date":"2014-07-23 "},{"name":"backbone-idb","description":"Backbone IndexedDB adapter with cross browser support via IDBWrapper","url":null,"keywords":"backbone indexeddb idbwrapper localstorage sync websql","version":"0.2.6","words":"backbone-idb backbone indexeddb adapter with cross browser support via idbwrapper =vincentmac backbone indexeddb idbwrapper localstorage sync websql","author":"=vincentmac","date":"2014-02-04 "},{"name":"backbone-identity-map","description":"Identity map implementation for BackboneJS. Uses IndexDB to cache objects","url":null,"keywords":"BackboneJS IndexDB","version":"0.1.4","words":"backbone-identity-map identity map implementation for backbonejs. uses indexdb to cache objects =sslash backbonejs indexdb","author":"=sslash","date":"2014-06-02 "},{"name":"backbone-indexeddb","description":"An backbone adapter for indexeddb. Useless for most people untile indexeddb is ported to the browser","url":null,"keywords":"","version":"0.0.13","words":"backbone-indexeddb an backbone adapter for indexeddb. useless for most people untile indexeddb is ported to the browser =julien51","author":"=julien51","date":"2013-03-05 "},{"name":"backbone-jquery","description":"Adds $ to Backbone for Browserify environment ","url":null,"keywords":"backbone jquery browserify","version":"1.0.1","words":"backbone-jquery adds $ to backbone for browserify environment =izalutsky backbone jquery browserify","author":"=izalutsky","date":"2014-06-18 "},{"name":"backbone-json-merge","description":"A backbone.js user interface for resolving JSON merge conflicts and for cleaning JSON data.","url":null,"keywords":"","version":"0.0.1","words":"backbone-json-merge a backbone.js user interface for resolving json merge conflicts and for cleaning json data. =owenscott","author":"=owenscott","date":"2014-07-01 "},{"name":"backbone-jsonapi","description":"Backbone Model & Collection .parse() functions for data from a JSON API","url":null,"keywords":"backbone json api parse","version":"0.1.6","words":"backbone-jsonapi backbone model & collection .parse() functions for data from a json api =guillaumervls backbone json api parse","author":"=guillaumervls","date":"2013-11-27 "},{"name":"backbone-kinview","description":"A backbone.js view with built in lifecycle management of child views","url":null,"keywords":"backbone child childview children collection","version":"0.0.2","words":"backbone-kinview a backbone.js view with built in lifecycle management of child views =mbrevda backbone child childview children collection","author":"=mbrevda","date":"2014-09-17 "},{"name":"backbone-ko","description":"Knockout integration with Backbone.js","url":null,"keywords":"library knockout backbone model-binding model-view-binding","version":"0.1.0","words":"backbone-ko knockout integration with backbone.js =panta library knockout backbone model-binding model-view-binding","author":"=panta","date":"2013-04-23 "},{"name":"backbone-ligaments","description":"Model-View binding for Backbone.js","url":null,"keywords":"binding model-view declarative mvvm backbone extension data views","version":"0.7.55","words":"backbone-ligaments model-view binding for backbone.js =jbielick binding model-view declarative mvvm backbone extension data views","author":"=jbielick","date":"2014-06-07 "},{"name":"backbone-listview","description":"A generic list view","url":null,"keywords":"","version":"0.0.1","words":"backbone-listview a generic list view =mirkok","author":"=mirkok","date":"2012-11-12 "},{"name":"backbone-lite-orm","description":"Create ORM collection","url":null,"keywords":"","version":"0.0.2","words":"backbone-lite-orm create orm collection =ftdebugger","author":"=ftdebugger","date":"2014-06-04 "},{"name":"backbone-loading","description":"Loading indicator for Backbone network requests","url":null,"keywords":"url","version":"0.1.0","words":"backbone-loading loading indicator for backbone network requests =seb url","author":"=seb","date":"2014-01-27 "},{"name":"backbone-local-storage","description":"backbone-local-storage ======================","url":null,"keywords":"","version":"0.0.0","words":"backbone-local-storage backbone-local-storage ====================== =kmalakoff","author":"=kmalakoff","date":"2013-10-29 "},{"name":"backbone-localstorage","description":"Backbone localStorage","url":null,"keywords":"backbone local storage cache","version":"0.3.2","words":"backbone-localstorage backbone localstorage =moorinteractive backbone local storage cache","author":"=moorinteractive","date":"2014-06-08 "},{"name":"backbone-lodash","description":"Give your JS App some Backbone with Models, Views, Collections, and Events. Adding in some Lo-Dash love.","url":null,"keywords":"model view controller router server client browser","version":"1.1.0","words":"backbone-lodash give your js app some backbone with models, views, collections, and events. adding in some lo-dash love. =brandonpapworth model view controller router server client browser","author":"=brandonpapworth","date":"2013-11-04 "},{"name":"backbone-mediator","description":"Dead simple Mediator for Backbone.","url":null,"keywords":"model view controller router server client browser events mediator","version":"0.1.0","words":"backbone-mediator dead simple mediator for backbone. =gsamokovarov model view controller router server client browser events mediator","author":"=gsamokovarov","date":"2012-11-16 "},{"name":"backbone-model","description":"Backbone Models extracted to a separate module","url":null,"keywords":"backbone model client browser","version":"1.0.6","words":"backbone-model backbone models extracted to a separate module =charlottegore backbone model client browser","author":"=charlottegore","date":"2014-06-21 "},{"name":"backbone-model-definition","description":"Model definitions for Backbone, providing validation and mutators.","url":null,"keywords":"mongoose schema validation formatting model backbone definitions mutators validate","version":"0.0.4","words":"backbone-model-definition model definitions for backbone, providing validation and mutators. =jsantell mongoose schema validation formatting model backbone definitions mutators validate","author":"=jsantell","date":"2014-04-10 "},{"name":"backbone-model-factory","description":"Provides a factory for generating model constructors that will never duplicate instances of a model with the same unique identifier. Useful for sharing model instances across views.","url":null,"keywords":"backbone model view duplicate persistence sharing","version":"1.2.0","words":"backbone-model-factory provides a factory for generating model constructors that will never duplicate instances of a model with the same unique identifier. useful for sharing model instances across views. =misteroneill backbone model view duplicate persistence sharing","author":"=misteroneill","date":"2014-07-14 "},{"name":"backbone-model-view","description":"Helper to render a view based on a backbone-model.","url":null,"keywords":"backbone view model helper","version":"0.1.2","words":"backbone-model-view helper to render a view based on a backbone-model. =domachine backbone view model helper","author":"=domachine","date":"2014-06-20 "},{"name":"backbone-modelref","description":"Backbone-ModelRef.js provides a mechanism to respond to lazy-loaded Backbone.js models.","url":null,"keywords":"backbone-modelref backbone-modelrefjs backbone backbonejs knockback knockbackjs","version":"0.1.5","words":"backbone-modelref backbone-modelref.js provides a mechanism to respond to lazy-loaded backbone.js models. =kmalakoff backbone-modelref backbone-modelrefjs backbone backbonejs knockback knockbackjs","author":"=kmalakoff","date":"2012-09-14 "},{"name":"backbone-mongo","description":"MongoDB storage for BackboneORM","url":null,"keywords":"backbone orm backbone-orm mongo mongodb","version":"0.6.5","words":"backbone-mongo mongodb storage for backboneorm =kmalakoff =gwilymh backbone orm backbone-orm mongo mongodb","author":"=kmalakoff =gwilymh","date":"2014-08-29 "},{"name":"backbone-mongodb","url":null,"keywords":"","version":"0.0.1","words":"backbone-mongodb =adunkman =akasha =jsapara","author":"=adunkman =akasha =jsapara","date":"2012-03-22 "},{"name":"backbone-mvc","description":"Controller support for Backbone","url":null,"keywords":"backbone mvc controller","version":"1.1.0","words":"backbone-mvc controller support for backbone =wawabrother backbone mvc controller","author":"=wawabrother","date":"2014-07-17 "},{"name":"backbone-mysql","description":"A sync module for Backbone.js and Node.js for use with MySQL","url":null,"keywords":"","version":"0.2.1","words":"backbone-mysql a sync module for backbone.js and node.js for use with mysql =ccowan","author":"=ccowan","date":"2013-08-22 "},{"name":"backbone-native","keywords":"","version":[],"words":"backbone-native","author":"","date":"2014-07-17 "},{"name":"backbone-nested","description":"A plugin to make Backbone.js keep track of nested attributes.","url":null,"keywords":"","version":"2.0.1","words":"backbone-nested a plugin to make backbone.js keep track of nested attributes. =balupton =aidanfeldman","author":"=balupton =aidanfeldman","date":"2014-07-22 "},{"name":"backbone-nestedjson","description":"A toJSON replacement that handles nested objects","url":null,"keywords":"backbone json nested models","version":"0.1.1","words":"backbone-nestedjson a tojson replacement that handles nested objects =toddself backbone json nested models","author":"=toddself","date":"2013-12-20 "},{"name":"backbone-nestify","description":"Nest Backbone Models and Collections.","url":null,"keywords":"","version":"0.4.0","words":"backbone-nestify nest backbone models and collections. =scottbale","author":"=scottbale","date":"2014-08-25 "},{"name":"backbone-nesty","description":"Support nested data types like collections and models within your Backbone.js models","url":null,"keywords":"backbone backbone.js model models nested model collection collections nested collections nested deep getsetdeep getdeep setdeep nested attributes","version":"1.6.0","words":"backbone-nesty support nested data types like collections and models within your backbone.js models =balupton backbone backbone.js model models nested model collection collections nested collections nested deep getsetdeep getdeep setdeep nested attributes","author":"=balupton","date":"2013-04-20 "},{"name":"backbone-node-client","description":"A mixin to use Backbone in node style","url":null,"keywords":"backbone mixin sync request node","version":"1.0.2","words":"backbone-node-client a mixin to use backbone in node style =yuanzong backbone mixin sync request node","author":"=yuanzong","date":"2014-09-20 "},{"name":"backbone-nowjs","description":"Backbone connector for nowjs","url":null,"keywords":"backbone nowjs connector","version":"0.1.2","words":"backbone-nowjs backbone connector for nowjs =mkuklis backbone nowjs connector","author":"=mkuklis","date":"2011-10-24 "},{"name":"backbone-on-express","description":"Backbone for node","url":null,"keywords":"","version":"0.1.0","words":"backbone-on-express backbone for node =tysoncadenhead","author":"=tysoncadenhead","date":"2013-02-22 "},{"name":"backbone-once","description":"One-off events for Backbone.","url":null,"keywords":"model view controller router server client browser events once","version":"0.1.0","words":"backbone-once one-off events for backbone. =gsamokovarov model view controller router server client browser events once","author":"=gsamokovarov","date":"2012-11-16 "},{"name":"backbone-orm","description":"A polystore ORM for Node.js and the browser","url":null,"keywords":"backbone orm backbone-orm","version":"0.7.1","words":"backbone-orm a polystore orm for node.js and the browser =kmalakoff =gwilymh backbone orm backbone-orm","author":"=kmalakoff =gwilymh","date":"2014-09-04 "},{"name":"backbone-pageable","description":"A pageable Backbone.Collection superset. Supports server-side/client-side/infinite pagination and sorting.","url":null,"keywords":"backbone","version":"1.4.8","words":"backbone-pageable a pageable backbone.collection superset. supports server-side/client-side/infinite pagination and sorting. =wyuenho backbone","author":"=wyuenho","date":"2014-04-14 "},{"name":"backbone-paginated-collection","description":"Create a paginated version of a backbone collection that stays in sync.","url":null,"keywords":"","version":"0.3.6","words":"backbone-paginated-collection create a paginated version of a backbone collection that stays in sync. =jmorrell","author":"=jmorrell","date":"2014-09-07 "},{"name":"backbone-plus","description":"An improved Backbone.js. For use with Browserify.","url":null,"keywords":"backbone browserify plus","version":"0.2.1","words":"backbone-plus an improved backbone.js. for use with browserify. =benng backbone browserify plus","author":"=benng","date":"2013-12-11 "},{"name":"backbone-poller","description":"[![Build Status](https://travis-ci.org/uzikilon/backbone-poller.png?branch=master)](https://travis-ci.org/uzikilon/backbone-poller)","url":null,"keywords":"","version":"0.3.0","words":"backbone-poller [![build status](https://travis-ci.org/uzikilon/backbone-poller.png?branch=master)](https://travis-ci.org/uzikilon/backbone-poller) =uzikilon","author":"=uzikilon","date":"2014-07-16 "},{"name":"backbone-postgresql","description":"A storage adapter for PostgreSQL when running Backbone.js on the server","url":null,"keywords":"","version":"0.0.1","words":"backbone-postgresql a storage adapter for postgresql when running backbone.js on the server =bjpirt","author":"=bjpirt","date":"2012-05-18 "},{"name":"backbone-pouch","description":"Backbone PouchDB Sync Adapter","url":null,"keywords":"backbone sync adapter pouchdb","version":"1.4.0","words":"backbone-pouch backbone pouchdb sync adapter =jo backbone sync adapter pouchdb","author":"=jo","date":"2014-07-07 "},{"name":"backbone-pouch-collection","description":"Backbone Collections with PouchDB as the data source","url":null,"keywords":"pouchdb couchdb backbone collection","version":"0.3.1","words":"backbone-pouch-collection backbone collections with pouchdb as the data source =klaemo pouchdb couchdb backbone collection","author":"=klaemo","date":"2014-06-17 "},{"name":"backbone-presenter","description":"Make your model data presentable.","url":null,"keywords":"","version":"0.1.0","words":"backbone-presenter make your model data presentable. =createbang =crushlovely","author":"=createbang =crushlovely","date":"2014-01-28 "},{"name":"backbone-promised","description":"Wraps up Backbone's XHR methods into a consistent promisable API","url":null,"keywords":"backbone promise xhr","version":"0.0.3","words":"backbone-promised wraps up backbone's xhr methods into a consistent promisable api =jsantell backbone promise xhr","author":"=jsantell","date":"2014-04-02 "},{"name":"backbone-promises","description":"Adds Promises/A+ support to backbone model and collection","url":null,"keywords":"","version":"0.2.9","words":"backbone-promises adds promises/a+ support to backbone model and collection =nomon =mikkolehtinen","author":"=nomon =mikkolehtinen","date":"2014-08-06 "},{"name":"backbone-properties","description":"use Backbone.Model attributes as plain object properties","url":null,"keywords":"backbone properties","version":"0.0.1","words":"backbone-properties use backbone.model attributes as plain object properties =thaisi backbone properties","author":"=thaisi","date":"2013-01-31 "},{"name":"backbone-proxy","url":null,"keywords":"","version":"0.1.0","words":"backbone-proxy =yhahn","author":"=yhahn","date":"2011-05-16 "},{"name":"backbone-proxy_","description":"Model proxies for Backbone","url":null,"keywords":"backbone model proxy","version":"0.1.0","words":"backbone-proxy_ model proxies for backbone =biril backbone model proxy","author":"=biril","date":"2014-09-06 "},{"name":"backbone-query","description":"Lightweight Query API for Backbone Collections","url":null,"keywords":"","version":"0.1.2","words":"backbone-query lightweight query api for backbone collections =davidgtonge","author":"=davidgtonge","date":"2012-02-13 "},{"name":"backbone-react-component","description":"Backbone.React.Component is a wrapper for React.Component and brings all the power of Facebook's React to Backbone.js","url":null,"keywords":"backbone react data binding models collections server client","version":"0.7.0","words":"backbone-react-component backbone.react.component is a wrapper for react.component and brings all the power of facebook's react to backbone.js =magalhas backbone react data binding models collections server client","author":"=magalhas","date":"2014-07-28 "},{"name":"backbone-react-mixin","description":"mixin to make React Components like Backbone.View","url":null,"keywords":"backbone react data binding models collections server client","version":"0.7.0","words":"backbone-react-mixin mixin to make react components like backbone.view =ahdinosaur backbone react data binding models collections server client","author":"=ahdinosaur","date":"2014-07-28 "},{"name":"backbone-reaction","description":"react, backbone and then some","url":null,"keywords":"react backbone react-component","version":"0.9.2","words":"backbone-reaction react, backbone and then some =jhudson react backbone react-component","author":"=jhudson","date":"2014-09-20 "},{"name":"backbone-recursive-model","description":"## Is this for me?","url":null,"keywords":"","version":"0.0.2","words":"backbone-recursive-model ## is this for me? =icetan","author":"=icetan","date":"2012-08-16 "},{"name":"backbone-redis","description":"Persistant backbone storage through redis pub/sub and socket.io","url":null,"keywords":"backbone redis pubsub socket","version":"0.0.4","words":"backbone-redis persistant backbone storage through redis pub/sub and socket.io =sorensen backbone redis pubsub socket","author":"=sorensen","date":"2011-08-25 "},{"name":"backbone-redis-store","description":"Backbone mod to enable Redis as store","url":null,"keywords":"backbone backbone.js redis store kvs","version":"0.1.0","words":"backbone-redis-store backbone mod to enable redis as store =benjie backbone backbone.js redis store kvs","author":"=benjie","date":"2013-10-21 "},{"name":"backbone-rel","description":"Provides one-to-one, one-to-many and many-to-one relations between models for Backbone","url":null,"keywords":"Backbone relation nested model","version":"0.3.0","words":"backbone-rel provides one-to-one, one-to-many and many-to-one relations between models for backbone =dvv backbone relation nested model","author":"=dvv","date":"2011-05-25 "},{"name":"backbone-relational","description":"Get and set relations (one-to-one, one-to-many, many-to-one) for Backbone models","url":null,"keywords":"backbone-relational backbone backbonejs relation relational nested model","version":"0.8.8","words":"backbone-relational get and set relations (one-to-one, one-to-many, many-to-one) for backbone models =paul.uithol backbone-relational backbone backbonejs relation relational nested model","author":"=paul.uithol","date":"2014-07-29 "},{"name":"backbone-relational-hal","description":"Use HAL+JSON with Backbone.js and Backbone-relational.js.","url":null,"keywords":"hal hal+json backbone backbone-relational","version":"0.1.3","words":"backbone-relational-hal use hal+json with backbone.js and backbone-relational.js. =alphahydrae hal hal+json backbone backbone-relational","author":"=alphahydrae","date":"2014-09-11 "},{"name":"backbone-relational-mapper","description":"An ORM for Backbone-Relational.","url":null,"keywords":"backbone orm sql postgres pg","version":"0.0.12","words":"backbone-relational-mapper an orm for backbone-relational. =emilecantin backbone orm sql postgres pg","author":"=emilecantin","date":"2013-02-12 "},{"name":"backbone-relations","description":"backbone-relations [![Build Status](https://secure.travis-ci.org/caseywebdev/backbone-relations.png)](http://travis-ci.org/caseywebdev/backbone-relations) =============","url":null,"keywords":"","version":"0.8.7","words":"backbone-relations backbone-relations [![build status](https://secure.travis-ci.org/caseywebdev/backbone-relations.png)](http://travis-ci.org/caseywebdev/backbone-relations) ============= =caseywebdev","author":"=caseywebdev","date":"2014-06-04 "},{"name":"backbone-relationships","description":"Convienient and fast backbone relationships and attributes","url":null,"keywords":"Backbone relation nested model","version":"0.2.2","words":"backbone-relationships convienient and fast backbone relationships and attributes =samduvall backbone relation nested model","author":"=samduvall","date":"2013-11-13 "},{"name":"backbone-rels","description":"backbone-rels [![Build Status](https://secure.travis-ci.org/caseywebdev/backbone-rels.png)](http://travis-ci.org/caseywebdev/backbone-rels) =============","url":null,"keywords":"","version":"0.1.3","words":"backbone-rels backbone-rels [![build status](https://secure.travis-ci.org/caseywebdev/backbone-rels.png)](http://travis-ci.org/caseywebdev/backbone-rels) ============= =caseywebdev","author":"=caseywebdev","date":"2012-10-23 "},{"name":"backbone-request","url":null,"keywords":"","version":"0.0.1","words":"backbone-request =marak","author":"=marak","date":"2012-06-15 "},{"name":"backbone-require-layout","description":"Backbone layout with grutn task","url":null,"keywords":"backbone requirejs layout","version":"0.0.1","words":"backbone-require-layout backbone layout with grutn task =serchserch backbone requirejs layout","author":"=serchserch","date":"2014-05-28 "},{"name":"backbone-rest","description":"A RESTful controller for BackboneORM","url":null,"keywords":"backbone orm backbone-orm rest server","version":"0.7.2","words":"backbone-rest a restful controller for backboneorm =kmalakoff =gwilymh backbone orm backbone-orm rest server","author":"=kmalakoff =gwilymh","date":"2014-08-22 "},{"name":"backbone-revisited","description":"Persistant backbone server/client MVC with rest backend","url":null,"keywords":"cheerio jquery backbone serverside pushState","version":"0.1.2","words":"backbone-revisited persistant backbone server/client mvc with rest backend =morriz cheerio jquery backbone serverside pushstate","author":"=morriz","date":"2013-10-21 "},{"name":"backbone-route-control","description":"> backbone-route-control adds support for __controller#action__ style syntax to > Backbone's router. > > This facilitates route callbacks to be defined in separate controller/handler > objects, helping to keep your router slim. This separation of concern","url":null,"keywords":"backbone router controller","version":"0.1.0","words":"backbone-route-control > backbone-route-control adds support for __controller#action__ style syntax to > backbone's router. > > this facilitates route callbacks to be defined in separate controller/handler > objects, helping to keep your router slim. this separation of concern =brentertz backbone router controller","author":"=brentertz","date":"2014-06-22 "},{"name":"backbone-route-events","description":"Handle/bubble route events up from views/sub views","url":null,"keywords":"backbone route events","version":"0.0.3","words":"backbone-route-events handle/bubble route events up from views/sub views =cjpartridge backbone route events","author":"=cjpartridge","date":"2014-09-04 "},{"name":"backbone-router","url":null,"keywords":"","version":"0.0.0","words":"backbone-router =youngjay","author":"=youngjay","date":"2014-05-12 "},{"name":"backbone-schema","description":"Forced schemas for Backbone models.","url":null,"keywords":"Backbone schema model","version":"0.8.0","words":"backbone-schema forced schemas for backbone models. =liamcurry backbone schema model","author":"=liamcurry","date":"2012-10-13 "},{"name":"backbone-sdb","description":"Backbone.js sync for SimpleDB","url":null,"keywords":"backbone simpledb sdb aws amazon","version":"0.1.0","words":"backbone-sdb backbone.js sync for simpledb =serg.io backbone simpledb sdb aws amazon","author":"=serg.io","date":"2012-12-08 "},{"name":"backbone-serialized-array","description":"Backbone model mixin for setting serialized array data from forms","url":null,"keywords":"backbone model mixin serialized array","version":"0.0.6","words":"backbone-serialized-array backbone model mixin for setting serialized array data from forms =cjpartridge =markv backbone model mixin serialized array","author":"=cjpartridge =markv","date":"2014-09-04 "},{"name":"backbone-server","description":"Creates a Backbone.Server object which interfaces between Backbone, Socket.IO and Express.","url":null,"keywords":"","version":"0.3.9","words":"backbone-server creates a backbone.server object which interfaces between backbone, socket.io and express. =natehunzaker","author":"=natehunzaker","date":"2011-12-04 "},{"name":"backbone-serverside","description":"Backbone replacements and DOM adapters for running it within node.js","url":null,"keywords":"backbone browser cheerio","version":"0.1.1","words":"backbone-serverside backbone replacements and dom adapters for running it within node.js =laurisvan backbone browser cheerio","author":"=laurisvan","date":"2013-04-02 "},{"name":"backbone-serverside-adapters","description":"Backbone replacements and DOM adapters for running it within node.js","url":null,"keywords":"backbone isomorphic cheerio","version":"0.3.2","words":"backbone-serverside-adapters backbone replacements and dom adapters for running it within node.js =laurisvan backbone isomorphic cheerio","author":"=laurisvan","date":"2014-07-02 "},{"name":"backbone-session","description":"Flexible and simple session management for Backbone apps","url":null,"keywords":"backbone session authentication","version":"0.1.0","words":"backbone-session flexible and simple session management for backbone apps =seb backbone session authentication","author":"=seb","date":"2014-08-25 "},{"name":"backbone-set-event","description":"Triggers an event on backbone collections when Collection.set() is called","url":null,"keywords":"backbone collection event set","version":"0.0.0","words":"backbone-set-event triggers an event on backbone collections when collection.set() is called =andyperlitch backbone collection event set","author":"=andyperlitch","date":"2013-04-24 "},{"name":"backbone-signal","description":"A rich Signal & Slots api using Backbone.","url":null,"keywords":"","version":"0.2.0","words":"backbone-signal a rich signal & slots api using backbone. =btakita","author":"=btakita","date":"2013-11-06 "},{"name":"backbone-simpledb","description":"AWS SimpleDB sync backend for backbone.js.","url":null,"keywords":"","version":"0.1.1","words":"backbone-simpledb aws simpledb sync backend for backbone.js. =yhahn","author":"=yhahn","date":"2011-06-09 "},{"name":"backbone-socketio","description":"Realtime two-way data-binding of Backbone model and collection data to a webserver via Socket.io.","url":null,"keywords":"backbone socketio websockets realtime","version":"0.2.1","words":"backbone-socketio realtime two-way data-binding of backbone model and collection data to a webserver via socket.io. =joshmock backbone socketio websockets realtime","author":"=joshmock","date":"2014-04-06 "},{"name":"backbone-sockjs","description":"A storage adapter for syncing client-side Backbone.js models with server-side ones","url":null,"keywords":"","version":"0.0.1","words":"backbone-sockjs a storage adapter for syncing client-side backbone.js models with server-side ones =bjpirt","author":"=bjpirt","date":"2012-05-24 "},{"name":"backbone-sorted-collection","description":"Create a sorted version of a backbone collection that stays in sync.","url":null,"keywords":"","version":"0.3.8","words":"backbone-sorted-collection create a sorted version of a backbone collection that stays in sync. =jmorrell","author":"=jmorrell","date":"2014-09-07 "},{"name":"backbone-sql","description":"PostgreSQL, MySQL, and SQLite3 storage for BackboneORM","url":null,"keywords":"backbone orm backbone-orm sql mysql postgres pg sqlite sqlite3","version":"0.6.4","words":"backbone-sql postgresql, mysql, and sqlite3 storage for backboneorm =kmalakoff =gwilymh backbone orm backbone-orm sql mysql postgres pg sqlite sqlite3","author":"=kmalakoff =gwilymh","date":"2014-08-27 "},{"name":"backbone-stash","url":null,"keywords":"","version":"0.5.0","words":"backbone-stash =kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","date":"2011-08-01 "},{"name":"backbone-subviews","description":"A minimalist view mixin for creating and managing subviews in your Backbone.js applications.","url":null,"keywords":"","version":"0.7.3","words":"backbone-subviews a minimalist view mixin for creating and managing subviews in your backbone.js applications. =davidbeck","author":"=davidbeck","date":"2014-05-23 "},{"name":"backbone-super-sync","description":"Server-side Backbone.sync adapter using super agent.","url":null,"keywords":"backbone sync","version":"0.0.13","words":"backbone-super-sync server-side backbone.sync adapter using super agent. =craigspaeth =zamiang backbone sync","author":"=craigspaeth =zamiang","date":"2014-08-04 "},{"name":"backbone-tools","description":"backbone-tools ==============","url":null,"keywords":"","version":"0.0.1","words":"backbone-tools backbone-tools ============== =sahat","author":"=sahat","date":"2014-01-22 "},{"name":"backbone-typed","description":"Run-time type support for backbone models","url":null,"keywords":"backbone type types typed backbone-typed coffee","version":"0.1.4","words":"backbone-typed run-time type support for backbone models =romansky backbone type types typed backbone-typed coffee","author":"=romansky","date":"2014-04-12 "},{"name":"backbone-typescript-accessor-generator","description":"Generates backbone models with typed subclasses for useing Backbone.js with TypeScript and its type system","url":null,"keywords":"gruntplugin typescript backbone.js","version":"0.1.0","words":"backbone-typescript-accessor-generator generates backbone models with typed subclasses for useing backbone.js with typescript and its type system =palantir gruntplugin typescript backbone.js","author":"=palantir","date":"2013-06-24 "},{"name":"backbone-undo","description":"A simple Backbone undo-manager for simple apps","url":null,"keywords":"backbone undo","version":"0.2.1","words":"backbone-undo a simple backbone undo-manager for simple apps =osartun backbone undo","author":"=osartun","date":"2014-07-08 "},{"name":"backbone-validation","description":"A validation plugin for [Backbone.js](http://documentcloud.github.com/backbone) that validates both your model as well as form input.","url":null,"keywords":"backbone validation","version":"0.9.1","words":"backbone-validation a validation plugin for [backbone.js](http://documentcloud.github.com/backbone) that validates both your model as well as form input. =thedersen backbone validation","author":"=thedersen","date":"2014-01-08 "},{"name":"backbone-validator","description":"A super simple validator module for Backbone.","url":null,"keywords":"","version":"0.1.0","words":"backbone-validator a super simple validator module for backbone. =lupomontero","author":"=lupomontero","date":"2013-12-13 "},{"name":"backbone-validator.js","description":"Backbone model validator allows you to define validation rules for model and utilize it for model-standalone validation or bind its events to the view so you can display errors if needed.","url":null,"keywords":"jquery javascript backbone validation validator","version":"0.3.0","words":"backbone-validator.js backbone model validator allows you to define validation rules for model and utilize it for model-standalone validation or bind its events to the view so you can display errors if needed. =fantactuka jquery javascript backbone validation validator","author":"=fantactuka","date":"2014-04-24 "},{"name":"backbone-view-manager","description":"Manage Backbone View to prevent zombie view and reuse existing view.\n NPM package of the following javascript: https://github.com/thomasdao/Backbone-View-Manager","url":null,"keywords":"backbone-view-manager Backbone","version":"1.0.0","words":"backbone-view-manager manage backbone view to prevent zombie view and reuse existing view.\n npm package of the following javascript: https://github.com/thomasdao/backbone-view-manager =morriswchris backbone-view-manager backbone","author":"=morriswchris","date":"2014-02-03 "},{"name":"backbone-view-options","description":"A mini Backbone.js plugin to declare and get/set options on views.","url":null,"keywords":"backbone views view options","version":"0.2.6","words":"backbone-view-options a mini backbone.js plugin to declare and get/set options on views. =go-oleg =davidbeck backbone views view options","author":"=go-oleg =davidbeck","date":"2014-08-18 "},{"name":"backbone-viewstate","description":"Give your JS Backbone Views a ViewState.","url":null,"keywords":"viewstate","version":"0.0.3","words":"backbone-viewstate give your js backbone views a viewstate. =angelomichel viewstate","author":"=angelomichel","date":"2014-07-24 "},{"name":"backbone-virtual-collection","description":"Use Backbone.Marionette CollectionViews on a subset of a Backbone collection","url":null,"keywords":"backbone marrionette ender teambox","version":"0.5.1","words":"backbone-virtual-collection use backbone.marionette collectionviews on a subset of a backbone collection =p3drosola backbone marrionette ender teambox","author":"=p3drosola","date":"2014-08-04 "},{"name":"Backbone.Aggregator","description":"Provides a collection-like constructor that allows you create aggregators from different collections","url":null,"keywords":"","version":"0.0.3","words":"backbone.aggregator provides a collection-like constructor that allows you create aggregators from different collections =masylum","author":"=masylum","date":"2011-11-25 "},{"name":"backbone.aio","description":"Use socket.io as a Backbone data transport.","url":null,"keywords":"backbone socket socket.io websocket client browser","version":"0.1.0","words":"backbone.aio use socket.io as a backbone data transport. =rthrfrd backbone socket socket.io websocket client browser","author":"=rthrfrd","date":"2014-06-24 "},{"name":"backbone.analytics","description":"A drop-in plugin that integrates Google's `trackEvent` directly into Backbone's `navigate` function.","url":null,"keywords":"backbone google analytics pageviews","version":"1.0.1","words":"backbone.analytics a drop-in plugin that integrates google's `trackevent` directly into backbone's `navigate` function. =buchanankendall backbone google analytics pageviews","author":"=buchanankendall","date":"2014-04-07 "},{"name":"backbone.appmodule","description":"Backbone app module","url":null,"keywords":"backbone module application modular","version":"0.2.3","words":"backbone.appmodule backbone app module =stephane.bachelier backbone module application modular","author":"=stephane.bachelier","date":"2014-08-12 "},{"name":"backbone.attributes","description":"Give any object Backbone getters and setters","url":null,"keywords":"","version":"0.7.0","words":"backbone.attributes give any object backbone getters and setters =akre54","author":"=akre54","date":"2014-07-28 "},{"name":"backbone.avgrund","description":"Avgrund modal concept by @hakimel packaged as Backbone.View","url":null,"keywords":"browser backbone view mvc modal ui avgrund","version":"0.3.3","words":"backbone.avgrund avgrund modal concept by @hakimel packaged as backbone.view =andreypopp browser backbone view mvc modal ui avgrund","author":"=andreypopp","date":"2013-03-22 "},{"name":"backbone.babysitter","description":"Manage child views in a Backbone.View","url":null,"keywords":"backbone plugin computed field model client browser","version":"0.1.4","words":"backbone.babysitter manage child views in a backbone.view =derickbailey =samccone =thejameskyle backbone plugin computed field model client browser","author":"=derickbailey =samccone =thejameskyle","date":"2014-05-06 "},{"name":"backbone.bacon","description":"","url":null,"keywords":"","version":"0.0.0","words":"backbone.bacon =emilisto","author":"=emilisto","date":"2013-09-09 "},{"name":"backbone.base","description":"Essential Backbone View lifecycle management and base components","url":null,"keywords":"backbone","version":"0.0.8","words":"backbone.base essential backbone view lifecycle management and base components =dmolin backbone","author":"=dmolin","date":"2014-09-10 "},{"name":"Backbone.Chosen","description":"One Collection different models, mapped easy via configuration","url":null,"keywords":"backbone plugin model collection client browser","version":"0.1.1","words":"backbone.chosen one collection different models, mapped easy via configuration =asciidisco backbone plugin model collection client browser","author":"=asciidisco","date":"2012-05-22 "},{"name":"backbone.cocktail","description":"DRY up your Backbone code with mixins","url":null,"keywords":"backbone mixin","version":"0.5.9","words":"backbone.cocktail dry up your backbone code with mixins =mrjoelkemp backbone mixin","author":"=mrjoelkemp","date":"2014-09-16 "},{"name":"backbone.collection.database","description":"This is a component boilerplate. Add your description here!","url":null,"keywords":"","version":"0.0.0","words":"backbone.collection.database this is a component boilerplate. add your description here! =simonfan","author":"=simonfan","date":"2013-11-28 "},{"name":"backbone.collection.lazy","description":"Backbone collection using Lazy.js instead of underscore.","url":null,"keywords":"","version":"0.1.0","words":"backbone.collection.lazy backbone collection using lazy.js instead of underscore. =simonfan","author":"=simonfan","date":"2014-01-05 "},{"name":"backbone.collection.multisort","description":"A Backbone collection that is sortable by multiple attributes.","url":null,"keywords":"","version":"0.1.2","words":"backbone.collection.multisort a backbone collection that is sortable by multiple attributes. =simonfan","author":"=simonfan","date":"2014-01-05 "},{"name":"backbone.collection.queryable","description":"Queryable Backbone collection.","url":null,"keywords":"","version":"0.2.2","words":"backbone.collection.queryable queryable backbone collection. =simonfan","author":"=simonfan","date":"2014-05-22 "},{"name":"backbone.collections","description":"Various useful primitives for composing and controlling Backbone collections","url":null,"keywords":"backbone collections primitives limit join","version":"0.2.6","words":"backbone.collections various useful primitives for composing and controlling backbone collections =emilisto backbone collections primitives limit join","author":"=emilisto","date":"2013-09-10 "},{"name":"backbone.collectionsubset","description":"Create sub-collections of other collections and keep them in sync","url":null,"keywords":"","version":"0.1.1","words":"backbone.collectionsubset create sub-collections of other collections and keep them in sync =anthonyshort","author":"=anthonyshort","date":"2012-09-14 "},{"name":"backbone.collectionview","description":"A view optimized for rendering collections","url":null,"keywords":"","version":"0.1.1","words":"backbone.collectionview a view optimized for rendering collections =anthonyshort","author":"=anthonyshort","date":"2012-09-14 "},{"name":"backbone.composite","description":"The plugin helps you create compositions from nested views.","url":null,"keywords":"backbone component composite composition nested partial plugin subview view","version":"0.1.2","words":"backbone.composite the plugin helps you create compositions from nested views. =dreamtheater backbone component composite composition nested partial plugin subview view","author":"=dreamtheater","date":"2013-11-14 "},{"name":"backbone.containerview","description":"A fast and efficient subview manager and renderer.","url":null,"keywords":"backbone plugin view layout manager","version":"0.1.0","words":"backbone.containerview a fast and efficient subview manager and renderer. =gmacwilliam backbone plugin view layout manager","author":"=gmacwilliam","date":"2014-02-27 "},{"name":"backbone.controller","description":"Controller for Backbone.js applications","url":null,"keywords":"controller backbone router client browser","version":"0.3.1","words":"backbone.controller controller for backbone.js applications =artyomtrityak controller backbone router client browser","author":"=artyomtrityak","date":"2014-08-07 "},{"name":"backbone.customelements","description":"Custom Elements for Backbone.View","url":null,"keywords":"browser backbone view custom-elements","version":"0.2.0","words":"backbone.customelements custom elements for backbone.view =andreypopp browser backbone view custom-elements","author":"=andreypopp","date":"2013-05-15 "},{"name":"backbone.customs","description":"Backbone binding for customs.js","url":null,"keywords":"","version":"0.3.2","words":"backbone.customs backbone binding for customs.js =jaridmargolin","author":"=jaridmargolin","date":"2014-08-30 "},{"name":"backbone.customs.js","description":"Backbone binding for customs.js","url":null,"keywords":"","version":"0.1.0","words":"backbone.customs.js backbone binding for customs.js =jaridmargolin","author":"=jaridmargolin","date":"2014-08-13 "},{"name":"backbone.customsync","description":"A Backbone extension that allows you to write custom methods for individual sync procedures.","url":null,"keywords":"","version":"1.2.0","words":"backbone.customsync a backbone extension that allows you to write custom methods for individual sync procedures. =gmurphey","author":"=gmurphey","date":"2014-06-10 "},{"name":"backbone.cycle","description":"Navigating and selecting Backbone Models and Collections.","url":null,"keywords":"backbone picky selection models collections","version":"1.0.8","words":"backbone.cycle navigating and selecting backbone models and collections. =hashchange backbone picky selection models collections","author":"=hashchange","date":"2014-07-14 "},{"name":"backbone.databinding","description":"The plugin implements a two-way data binding between views and models/collections.","url":null,"keywords":"backbone binding collection data model plugin view","version":"0.4.5","words":"backbone.databinding the plugin implements a two-way data binding between views and models/collections. =dreamtheater backbone binding collection data model plugin view","author":"=dreamtheater","date":"2013-11-14 "},{"name":"backbone.declarative.views","description":"Defining the DOM element of a Backbone view right in the template.","url":null,"keywords":"backbone views backbone.view el html template tag tagName className attributes marionette","version":"1.0.0","words":"backbone.declarative.views defining the dom element of a backbone view right in the template. =hashchange backbone views backbone.view el html template tag tagname classname attributes marionette","author":"=hashchange","date":"2014-07-15 "},{"name":"backbone.detour","description":"Use Backbone.js routing to store paramters","url":null,"keywords":"","version":"0.2.0","words":"backbone.detour use backbone.js routing to store paramters =jisaacks","author":"=jisaacks","date":"2014-01-05 "},{"name":"backbone.do","description":"Backbone plugin to make model actions doable","url":null,"keywords":"backbone plugin actions","version":"1.0.0","words":"backbone.do backbone plugin to make model actions doable =neocotic backbone plugin actions","author":"=neocotic","date":"2014-09-16 "},{"name":"backbone.dropboxdatastore","description":"Backbone Dropbox Datastore API adapter","url":null,"keywords":"backbone dropbox Datastore Datastore API","version":"0.5.0","words":"backbone.dropboxdatastore backbone dropbox datastore api adapter =dmytroyarmak backbone dropbox datastore datastore api","author":"=dmytroyarmak","date":"2014-01-01 "},{"name":"backbone.drowsy","description":"Backbone Model for use with DrowsyDromedary (MongoDB) as a backend","url":null,"keywords":"","version":"0.2.3","words":"backbone.drowsy backbone model for use with drowsydromedary (mongodb) as a backend =zuk","author":"=zuk","date":"2013-05-23 "},{"name":"backbone.drowsy.encorelab","description":"Backbone Model for use with DrowsyDromedary (MongoDB) as a backend","url":null,"keywords":"","version":"0.2.3","words":"backbone.drowsy.encorelab backbone model for use with drowsydromedary (mongodb) as a backend =mackrauss","author":"=mackrauss","date":"2014-04-03 "},{"name":"backbone.elements","description":"add custom select symbol for backbone selector","url":null,"keywords":"backbone","version":"0.0.2","words":"backbone.elements add custom select symbol for backbone selector =bolasblack backbone","author":"=bolasblack","date":"2012-12-14 "},{"name":"backbone.epoxy","description":"Elegant data binding for Backbone.js","url":null,"keywords":"backbone plugin model view binding data","version":"1.2.0","words":"backbone.epoxy elegant data binding for backbone.js =gmacwilliam backbone plugin model view binding data","author":"=gmacwilliam","date":"2014-02-25 "},{"name":"backbone.event.one","description":"add `one` method to Backbone.Events","url":null,"keywords":"backbone backbone.events","version":"0.0.1","words":"backbone.event.one add `one` method to backbone.events =bolasblack backbone backbone.events","author":"=bolasblack","date":"2012-12-15 "},{"name":"backbone.facetr","description":"A library to perform faceted search on Backbone collections","url":null,"keywords":"backbone collection facet facets faceted classification","version":"0.3.5","words":"backbone.facetr a library to perform faceted search on backbone collections =francesko =banglashi backbone collection facet facets faceted classification","author":"=francesko =banglashi","date":"2013-12-11 "},{"name":"backbone.filterbale","description":"A state aware query builder climbing on the back of Backbone.QueryCollection.","url":null,"keywords":"","version":"0.0.1","words":"backbone.filterbale a state aware query builder climbing on the back of backbone.querycollection. =jaridmargolin","author":"=jaridmargolin","date":"2014-04-16 "},{"name":"backbone.filterwhere","description":"Creates sub-scollection filtered by .where","url":null,"keywords":"","version":"0.0.4","words":"backbone.filterwhere creates sub-scollection filtered by .where =morganrallen","author":"=morganrallen","date":"2013-11-18 "},{"name":"backbone.formify","description":"Forms for Backbone.Model or standalone","url":null,"keywords":"backbone model form validation","version":"0.0.1","words":"backbone.formify forms for backbone.model or standalone =laoshanlung backbone model form validation","author":"=laoshanlung","date":"2014-02-15 "},{"name":"backbone.fumanchu","description":"Live template bindings for Backbone/Marionette. ","url":null,"keywords":"Backbone Marionette Handlebars binding","version":"0.1.0","words":"backbone.fumanchu live template bindings for backbone/marionette. =weiribao =dcadwallader backbone marionette handlebars binding","author":"=weiribao =dcadwallader","date":"2014-01-15 "},{"name":"backbone.geppetto","description":"Bring your Backbone applications to life with an event-driven Command framework.","url":null,"keywords":"backbone marionette plugin command mvc dependency injection","version":"0.7.1","words":"backbone.geppetto bring your backbone applications to life with an event-driven command framework. =dcadwallader =creynders backbone marionette plugin command mvc dependency injection","author":"=dcadwallader =creynders","date":"2014-09-15 "},{"name":"backbone.hammer","description":"Declarative HammerJS touch events for Backbone Views","url":null,"keywords":"","version":"1.0.1","words":"backbone.hammer declarative hammerjs touch events for backbone views =wookiehangover","author":"=wookiehangover","date":"2014-08-12 "},{"name":"backbone.hashmodels","description":"Connect multiple backbone models to the URL hash","url":null,"keywords":"backbone hash state history","version":"0.5.4","words":"backbone.hashmodels connect multiple backbone models to the url hash =jwalgran backbone hash state history","author":"=jwalgran","date":"2013-03-13 "},{"name":"backbone.history_stub","description":"Stubs out necessary properties in Backbone.history and the global namespace (i.e. window, document) to allow Backbone.history to run outside of browser.","url":null,"keywords":"","version":"0.0.1","words":"backbone.history_stub stubs out necessary properties in backbone.history and the global namespace (i.e. window, document) to allow backbone.history to run outside of browser. =jisaacks","author":"=jisaacks","date":"2014-01-05 "},{"name":"backbone.include","description":"Simple interface for mixins with Backbone","url":null,"keywords":"","version":"0.1.1","words":"backbone.include simple interface for mixins with backbone =anthonyshort","author":"=anthonyshort","date":"2012-09-14 "},{"name":"backbone.intercept","description":"Automatically manage link clicks and form submissions in your Backbone applications.","url":null,"keywords":"backbone marionette link links click router route routes history anchor intercept forms submit interception SPA","version":"0.2.0","words":"backbone.intercept automatically manage link clicks and form submissions in your backbone applications. =jmeas backbone marionette link links click router route routes history anchor intercept forms submit interception spa","author":"=jmeas","date":"2014-09-18 "},{"name":"backbone.io","description":"Backbone.js sync via Socket.IO","url":null,"keywords":"","version":"0.4.1","words":"backbone.io backbone.js sync via socket.io =scttnlsn","author":"=scttnlsn","date":"2013-10-09 "},{"name":"backbone.io-browserify","description":"Backbone.js sync via Socket.IO packaged for use with Browserify.","url":null,"keywords":"","version":"0.2.0","words":"backbone.io-browserify backbone.js sync via socket.io packaged for use with browserify. =johnpostlethwait","author":"=johnpostlethwait","date":"2013-08-23 "},{"name":"backbone.iobind","description":"Bind socket.io events to backbone models & collections.","url":null,"keywords":"","version":"0.4.6","words":"backbone.iobind bind socket.io events to backbone models & collections. =jakeluer =mahnunchik","author":"=jakeluer =mahnunchik","date":"2014-01-30 "},{"name":"backbone.jquery","description":"Add $ to Backbone for node-based browser environments","url":null,"keywords":"","version":"1.0.0","words":"backbone.jquery add $ to backbone for node-based browser environments =olmokramer","author":"=olmokramer","date":"2014-09-11 "},{"name":"backbone.jsforce","description":"Backbone sync Module for Salesforce using jsforce","url":null,"keywords":"backbone jsforce salesforce","version":"0.0.1","words":"backbone.jsforce backbone sync module for salesforce using jsforce =mokamoto backbone jsforce salesforce","author":"=mokamoto","date":"2014-05-29 "},{"name":"backbone.kineticview","description":"Special Backbone View for canvas via KineticJS","url":null,"keywords":"backbone canvas kineticjs","version":"0.9.3","words":"backbone.kineticview special backbone view for canvas via kineticjs =lavrton backbone canvas kineticjs","author":"=lavrton","date":"2014-05-19 "},{"name":"backbone.layoutmanager","description":"A layout and template manager for Backbone.js applications.","url":null,"keywords":"","version":"0.9.5","words":"backbone.layoutmanager a layout and template manager for backbone.js applications. =tbranyen","author":"=tbranyen","date":"2014-02-03 "},{"name":"backbone.leakchecker","description":"Report leaky views in browser console.","url":null,"keywords":"","version":"0.1.2","words":"backbone.leakchecker report leaky views in browser console. =aq1018","author":"=aq1018","date":"2014-05-13 "},{"name":"backbone.linear","description":"Easiest way to work with your Backbone.Model nested array-object attributes.","url":null,"keywords":"backbone nested linear object array delimiter flat flatten unflatten split","version":"0.5.3","words":"backbone.linear easiest way to work with your backbone.model nested array-object attributes. =darrrk backbone nested linear object array delimiter flat flatten unflatten split","author":"=darrrk","date":"2014-08-30 "},{"name":"backbone.listenablemodel","description":"Composite model for Backbone.js","url":null,"keywords":"backbone backbone.js listenable listenablemodel model mvc","version":"0.0.4","words":"backbone.listenablemodel composite model for backbone.js =diwu1989 backbone backbone.js listenable listenablemodel model mvc","author":"=diwu1989","date":"2013-07-26 "},{"name":"backbone.listener","description":"A simple Backbone plugin to create Backbone.Event listener objects","url":null,"keywords":"backbone plugin","version":"0.1.1","words":"backbone.listener a simple backbone plugin to create backbone.event listener objects =gmr backbone plugin","author":"=gmr","date":"2014-07-09 "},{"name":"backbone.localstorage","description":"[![Build Status](https://secure.travis-ci.org/jeromegn/Backbone.localStorage.png?branch=master)](http://travis-ci.org/jeromegn/Backbone.localStorage)","url":null,"keywords":"backbone localstorage local storage cache sync","version":"1.1.13","words":"backbone.localstorage [![build status](https://secure.travis-ci.org/jeromegn/backbone.localstorage.png?branch=master)](http://travis-ci.org/jeromegn/backbone.localstorage) =jeromegn backbone localstorage local storage cache sync","author":"=jeromegn","date":"2014-08-05 "},{"name":"backbone.localstoragesync","description":"A caching layer between the client and server.","url":null,"keywords":"Backbone cache localStorage sync","version":"0.1.5","words":"backbone.localstoragesync a caching layer between the client and server. =ebi backbone cache localstorage sync","author":"=ebi","date":"2012-09-20 "},{"name":"backbone.marionette","description":"Make your Backbone.js apps dance!","url":null,"keywords":"backbone plugin marionette composite architecture single page app client browser","version":"2.2.1","words":"backbone.marionette make your backbone.js apps dance! =elliotf =derickbailey =samccone backbone plugin marionette composite architecture single page app client browser","author":"=elliotf =derickbailey =samccone","date":"2014-09-16 "},{"name":"backbone.marionette.dust","description":"Dust integration with Marionette.","url":null,"keywords":"marionette backbone dust templates","version":"0.1.7","words":"backbone.marionette.dust dust integration with marionette. =simonblee marionette backbone dust templates","author":"=simonblee","date":"2013-08-20 "},{"name":"backbone.marionette.export","description":"Exposing Backbone model and collection methods to templates.","url":null,"keywords":"backbone marionette templates models collections","version":"2.1.0","words":"backbone.marionette.export exposing backbone model and collection methods to templates. =hashchange backbone marionette templates models collections","author":"=hashchange","date":"2014-07-15 "},{"name":"Backbone.Marionette.Handlebars","description":"Spice up your Backbone.Marionette application with some Handlebars flavour","url":null,"keywords":"backbone plugin marionette template handlebars client browser","version":"0.2.0","words":"backbone.marionette.handlebars spice up your backbone.marionette application with some handlebars flavour =asciidisco =jgerigmeyer backbone plugin marionette template handlebars client browser","author":"=asciidisco =jgerigmeyer","date":"2013-10-30 "},{"name":"backbone.middleware","description":"Routers are fine, but sometime you need moar.","url":null,"keywords":"backbone middleware router ender teambox","version":"0.0.1","words":"backbone.middleware routers are fine, but sometime you need moar. =masylum backbone middleware router ender teambox","author":"=masylum","date":"2013-04-11 "},{"name":"backbone.modal","keywords":"","version":[],"words":"backbone.modal =awkward","author":"=awkward","date":"2014-05-26 "},{"name":"backbone.model.tree","description":"Tree representation with backbone.","url":null,"keywords":"","version":"0.1.1","words":"backbone.model.tree tree representation with backbone. =simonfan","author":"=simonfan","date":"2014-03-17 "},{"name":"backbone.model.tree.mixin","description":"backbone tree-model mixin","url":null,"keywords":"","version":"0.0.4","words":"backbone.model.tree.mixin backbone tree-model mixin =avoronkin","author":"=avoronkin","date":"2014-03-03 "},{"name":"backbone.module","description":"Rubyish include and extend for Backbone","url":null,"keywords":"browser backbone events mvc module ruby","version":"0.3.1","words":"backbone.module rubyish include and extend for backbone =andreypopp browser backbone events mvc module ruby","author":"=andreypopp","date":"2013-03-25 "},{"name":"backbone.mongoose","description":"Backbone sync for the Mongodb","url":null,"keywords":"backbone mongoose","version":"0.1.1","words":"backbone.mongoose backbone sync for the mongodb =prathamesh7pute backbone mongoose","author":"=prathamesh7pute","date":"2013-07-15 "},{"name":"backbone.monitor","description":"backbone.monitor ================","url":null,"keywords":"","version":"0.0.2","words":"backbone.monitor backbone.monitor ================ =pmu","author":"=pmu","date":"2014-05-29 "},{"name":"Backbone.Mutators","description":"Backbone plugin to override getters and setters with logic","url":null,"keywords":"backbone plugin mutator getter setter client browser","version":"0.4.2","words":"backbone.mutators backbone plugin to override getters and setters with logic =asciidisco backbone plugin mutator getter setter client browser","author":"=asciidisco","date":"2014-03-28 "},{"name":"backbone.native","description":"A tiny drop-in replacement for jQuery to allow Backbone to work.","url":null,"keywords":"backbone jquery native","version":"1.0.0","words":"backbone.native a tiny drop-in replacement for jquery to allow backbone to work. =dstokes backbone jquery native","author":"=dstokes","date":"2013-11-05 "},{"name":"backbone.nativeajax","description":"A Backbone.Ajax function powered by native XHR methods","url":null,"keywords":"","version":"0.2.0","words":"backbone.nativeajax a backbone.ajax function powered by native xhr methods =akre54","author":"=akre54","date":"2014-07-07 "},{"name":"backbone.nativeview","description":"A Backbone View powered by native DOM methods","url":null,"keywords":"","version":"0.3.2","words":"backbone.nativeview a backbone view powered by native dom methods =akre54","author":"=akre54","date":"2014-08-18 "},{"name":"backbone.nedb","description":"Use Backbone models with NeDB rather than REST server database","url":null,"keywords":"","version":"0.0.2","words":"backbone.nedb use backbone models with nedb rather than rest server database =akonwi","author":"=akonwi","date":"2014-01-10 "},{"name":"backbone.nested-types","description":"backbone.js extension adding type annotations to model attributes, easiest possible way of dealing with nested models and collections, and native properties for attributes. Providing you with a more or less complete, simple, and powerful object system for","url":null,"keywords":"backbone relation nested model types properties","version":"0.8.0","words":"backbone.nested-types backbone.js extension adding type annotations to model attributes, easiest possible way of dealing with nested models and collections, and native properties for attributes. providing you with a more or less complete, simple, and powerful object system for =gaperton backbone relation nested model types properties","author":"=gaperton","date":"2014-08-11 "},{"name":"backbone.neuralnet","description":"connects backbone models and collections across multiple clients","url":null,"keywords":"","version":"0.0.1","words":"backbone.neuralnet connects backbone models and collections across multiple clients =kevindurb","author":"=kevindurb","date":"2013-05-28 "},{"name":"backbone.obscura","description":"A read-only proxy of a Backbone.Collection that can easily be filtered, sorted, and paginated.","url":null,"keywords":"backbone plugin filtering filter sorting pagination paginating collection client browser browserify","version":"1.0.0","words":"backbone.obscura a read-only proxy of a backbone.collection that can easily be filtered, sorted, and paginated. =jmorrell backbone plugin filtering filter sorting pagination paginating collection client browser browserify","author":"=jmorrell","date":"2014-09-07 "},{"name":"backbone.onenter","description":"Enter Event for Backbone","url":null,"keywords":"","version":"0.1.0","words":"backbone.onenter enter event for backbone =emilisto","author":"=emilisto","date":"2013-09-09 "},{"name":"backbone.paginator","description":"A pageable Backbone.Collection superset. Supports server-side/client-side/infinite pagination and sorting.","url":null,"keywords":"backbone","version":"2.0.2","words":"backbone.paginator a pageable backbone.collection superset. supports server-side/client-side/infinite pagination and sorting. =addyosmani =wyuenho backbone","author":"=addyosmani =wyuenho","date":"2014-07-22 "},{"name":"backbone.paginator-browserify","description":"A set of pagination components for Backbone.js adapted for browserify","url":null,"keywords":"backbone pagination paginator","version":"0.9.0-dev","words":"backbone.paginator-browserify a set of pagination components for backbone.js adapted for browserify =ricardmo backbone pagination paginator","author":"=ricardmo","date":"2013-07-25 "},{"name":"backbone.partial-fetch","description":"Partial fetcher for backbone","url":null,"keywords":"backbone ender teambox","version":"0.0.3","words":"backbone.partial-fetch partial fetcher for backbone =masylum backbone ender teambox","author":"=masylum","date":"2013-05-03 "},{"name":"backbone.pg","description":"Backbone and Postgresql","url":null,"keywords":"backbone model","version":"0.0.1","words":"backbone.pg backbone and postgresql =laoshanlung backbone model","author":"=laoshanlung","date":"2014-04-03 "},{"name":"backbone.projections","description":"Various projections for Backbone.Collection","url":null,"keywords":"browser backbone model collection projection capped filtered data mvc","version":"1.0.0","words":"backbone.projections various projections for backbone.collection =andreypopp browser backbone model collection projection capped filtered data mvc","author":"=andreypopp","date":"2013-07-17 "},{"name":"backbone.promise-controller","description":"A Simple Promise Based Controller For Backbone/Marionette Views","url":null,"keywords":"","version":"0.1.0","words":"backbone.promise-controller a simple promise based controller for backbone/marionette views =cmille142","author":"=cmille142","date":"2013-09-09 "},{"name":"backbone.promissedsync","description":"Backbone.promissedSync\r ======================","url":null,"keywords":"","version":"0.0.1","words":"backbone.promissedsync backbone.promissedsync\r ====================== =tomalec","author":"=tomalec","date":"2013-06-07 "},{"name":"backbone.queryrouter","description":"Trigger routes from multiple routers based on querystring parameters.","url":null,"keywords":"backbone querystring router","version":"0.2.6","words":"backbone.queryrouter trigger routes from multiple routers based on querystring parameters. =strml backbone querystring router","author":"=strml","date":"2014-04-15 "},{"name":"backbone.radio","description":"The semantic messaging system for Backbone applications.","url":null,"keywords":"backbone marionette decoupled pubsub publish subscribe messaging architecture spa","version":"0.6.0","words":"backbone.radio the semantic messaging system for backbone applications. =jmeas backbone marionette decoupled pubsub publish subscribe messaging architecture spa","author":"=jmeas","date":"2014-08-02 "},{"name":"backbone.record","description":"records for Backbone","url":null,"keywords":"browser backbone data-binding data data-model mvc","version":"1.0.0","words":"backbone.record records for backbone =andreypopp browser backbone data-binding data data-model mvc","author":"=andreypopp","date":"2013-08-19 "},{"name":"backbone.rel","description":"Lightweight relationship assistant for your backbone applications","url":null,"keywords":"backbone relations ender teambox","version":"0.2.4","words":"backbone.rel lightweight relationship assistant for your backbone applications =masylum backbone relations ender teambox","author":"=masylum","date":"2013-12-30 "},{"name":"backbone.relations","description":"The plugin is for defining relations between models.","url":null,"keywords":"association backbone belongsTo hasMany hasOne model plugin relation","version":"0.1.7","words":"backbone.relations the plugin is for defining relations between models. =dreamtheater association backbone belongsto hasmany hasone model plugin relation","author":"=dreamtheater","date":"2013-08-16 "},{"name":"Backbone.Rpc","description":"Plugin for using backbone js with json-rpc instead of the native REST implementation","url":null,"keywords":"backbone plugin rpc json client browser","version":"0.1.2","words":"backbone.rpc plugin for using backbone js with json-rpc instead of the native rest implementation =asciidisco backbone plugin rpc json client browser","author":"=asciidisco","date":"2013-11-08 "},{"name":"backbone.schema","description":"The plugin helps you define schemas for your models. It supports a regular types, arrays, nested or reference models/collections, allows to define a custom data types and computable properties.","url":null,"keywords":"attribute backbone calculated collection computed data field model nested plugin property reference schema type","version":"0.4.8","words":"backbone.schema the plugin helps you define schemas for your models. it supports a regular types, arrays, nested or reference models/collections, allows to define a custom data types and computable properties. =dreamtheater attribute backbone calculated collection computed data field model nested plugin property reference schema type","author":"=dreamtheater","date":"2013-11-14 "},{"name":"backbone.screenmanager","description":"Manage views with menus, overlays and transitions","url":null,"keywords":"backbone view mobile","version":"0.1.0","words":"backbone.screenmanager manage views with menus, overlays and transitions =powmedia backbone view mobile","author":"=powmedia","date":"2014-05-29 "},{"name":"backbone.select","description":"Selecting Backbone models; handling selections in Backbone collections.","url":null,"keywords":"backbone picky selection select models collections","version":"1.2.7","words":"backbone.select selecting backbone models; handling selections in backbone collections. =hashchange backbone picky selection select models collections","author":"=hashchange","date":"2014-07-14 "},{"name":"backbone.sentinel","description":"Backbone.js extension for managing on page components","url":null,"keywords":"Backbone.js JS components","version":"0.4.0","words":"backbone.sentinel backbone.js extension for managing on page components =jimmynicol backbone.js js components","author":"=jimmynicol","date":"2014-06-08 "},{"name":"backbone.smartclasses","description":"Automatically add and remove class names from views.","url":null,"keywords":"backbone","version":"0.0.2","words":"backbone.smartclasses automatically add and remove class names from views. =ianwremmel backbone","author":"=ianwremmel","date":"2013-11-11 "},{"name":"backbone.soundmanager2","description":"Wrapper to use SoundManager2 audio player with backbone models.","url":null,"keywords":"","version":"0.1.2","words":"backbone.soundmanager2 wrapper to use soundmanager2 audio player with backbone models. =toots","author":"=toots","date":"2014-04-07 "},{"name":"backbone.statemachine","description":"Simple finite-state machine for Backbone. View states made easy. Synchronizing your application's parts with events made easy.","url":null,"keywords":"backbone statemachine","version":"0.2.5","words":"backbone.statemachine simple finite-state machine for backbone. view states made easy. synchronizing your application's parts with events made easy. =sebpiq backbone statemachine","author":"=sebpiq","date":"2013-11-27 "},{"name":"backbone.stickit","description":"Model binding in Backbone style.","url":null,"keywords":"","version":"0.8.0","words":"backbone.stickit model binding in backbone style. =akre54 =delambo","author":"=akre54 =delambo","date":"2014-04-21 "},{"name":"backbone.strictcollection","description":"A strict version of Backbone.Collection with more control over the data","url":null,"keywords":"backbone collection fixed length","version":"0.0.1","words":"backbone.strictcollection a strict version of backbone.collection with more control over the data =laoshanlung backbone collection fixed length","author":"=laoshanlung","date":"2014-02-13 "},{"name":"backbone.subroute","description":"Backbone.subroute extends the functionality of Backbone.router such that each of an application's modules can define its own module-specific routes.","url":null,"keywords":"backbone plugin","version":"0.4.2","words":"backbone.subroute backbone.subroute extends the functionality of backbone.router such that each of an application's modules can define its own module-specific routes. =dcadwallader backbone plugin","author":"=dcadwallader","date":"2014-04-07 "},{"name":"Backbone.Subset","description":"Provides a collection-like constructor that allows you create a collection that is subset from a parent one","url":null,"keywords":"","version":"0.1.1","words":"backbone.subset provides a collection-like constructor that allows you create a collection that is subset from a parent one =masylum","author":"=masylum","date":"2012-09-28 "},{"name":"backbone.supermodel","description":"An improved Backbone.Model with a bunch of extra features","url":null,"keywords":"backbone model nested model model relations","version":"1.1.12","words":"backbone.supermodel an improved backbone.model with a bunch of extra features =laoshanlung backbone model nested model model relations","author":"=laoshanlung","date":"2014-03-27 "},{"name":"backbone.syphon","description":"Serialize a Backbone.View in to a JavaScript object.","url":null,"keywords":"backbone serialize client browser","version":"0.5.0","words":"backbone.syphon serialize a backbone.view in to a javascript object. =thejameskyle backbone serialize client browser","author":"=thejameskyle","date":"2014-07-20 "},{"name":"backbone.touch","description":"Enable faster click events on touch devices for Backbone views.","url":null,"keywords":"","version":"0.4.0","words":"backbone.touch enable faster click events on touch devices for backbone views. =nervetattoo","author":"=nervetattoo","date":"2014-03-18 "},{"name":"backbone.typeahead","description":"Backbone collection typeahead search with facet","url":null,"keywords":"typeahead autocomplete auto-complete instant search incremental search real-time search","version":"1.0.0","words":"backbone.typeahead backbone collection typeahead search with facet =paultyng typeahead autocomplete auto-complete instant search incremental search real-time search","author":"=paultyng","date":"2013-10-15 "},{"name":"backbone.validation","description":"A validation plugin for [Backbone.js](http://documentcloud.github.com/backbone) that validates both your model as well as form input.","url":null,"keywords":"","version":"0.7.1","words":"backbone.validation a validation plugin for [backbone.js](http://documentcloud.github.com/backbone) that validates both your model as well as form input. =dreamtheater","author":"=dreamtheater","date":"2013-01-21 "},{"name":"backbone.validator","description":"Validation plugin for Backbone allowing for setting of default values","url":null,"keywords":"backbone models validation validator validity underscore plugin","version":"1.1.6","words":"backbone.validator validation plugin for backbone allowing for setting of default values =toddself backbone models validation validator validity underscore plugin","author":"=toddself","date":"2014-01-08 "},{"name":"backbone.viewdsl","description":"declarative view technology for Backbone","url":null,"keywords":"browser backbone data-binding view mvc","version":"0.22.5","words":"backbone.viewdsl declarative view technology for backbone =andreypopp browser backbone data-binding view mvc","author":"=andreypopp","date":"2013-03-23 "},{"name":"backbone.viewevents","description":"Backbone.View events which bubble","url":null,"keywords":"browser backbone events view mvc","version":"0.3.4","words":"backbone.viewevents backbone.view events which bubble =andreypopp browser backbone events view mvc","author":"=andreypopp","date":"2013-03-24 "},{"name":"backbone.viewkit","description":"Backbone view management and transitions","url":null,"keywords":"","version":"0.1.4","words":"backbone.viewkit backbone view management and transitions =scttnlsn","author":"=scttnlsn","date":"2013-11-30 "},{"name":"backbone.viewmodel","description":"Backbone.ViewModel implementation with attributes mapping and agile synchronization.","url":null,"keywords":"backbone viewmodel","version":"0.0.9","words":"backbone.viewmodel backbone.viewmodel implementation with attributes mapping and agile synchronization. =meettya backbone viewmodel","author":"=meettya","date":"2013-05-24 "},{"name":"backbone.viewx","description":"Backbone.View on steroids","url":null,"keywords":"browser backbone events view mvc","version":"0.4.0","words":"backbone.viewx backbone.view on steroids =andreypopp browser backbone events view mvc","author":"=andreypopp","date":"2013-05-14 "},{"name":"backbone.wreqr","description":"A Simple Service Bus For Backbone and Backbone.Marionette","url":null,"keywords":"backbone plugin client browser message messages messaging decoupled architecture","version":"1.3.1","words":"backbone.wreqr a simple service bus for backbone and backbone.marionette =derickbailey =samccone =jmeas =thejameskyle backbone plugin client browser message messages messaging decoupled architecture","author":"=derickbailey =samccone =jmeas =thejameskyle","date":"2014-05-06 "},{"name":"backbone.xview","description":"Easy to use view manager for Backbone. Effortless nested views and templating.","url":null,"keywords":"backbone view nested template","version":"2.0.0","words":"backbone.xview easy to use view manager for backbone. effortless nested views and templating. =powmedia backbone view nested template","author":"=powmedia","date":"2014-06-19 "},{"name":"backbone_bootstrap","description":"Bootstrapping development code for Web Development using Backbone.js","url":null,"keywords":"backbone bootstrap backbone-bootstrap backbone_bootstrap","version":"0.1.1","words":"backbone_bootstrap bootstrapping development code for web development using backbone.js =b3tamax backbone bootstrap backbone-bootstrap backbone_bootstrap","author":"=b3tamax","date":"2013-07-05 "},{"name":"backboneio","description":"Share Backbone.js models between client and server and sync them with socket.io","url":null,"keywords":"backbone underscore socket.io","version":"0.0.3","words":"backboneio share backbone.js models between client and server and sync them with socket.io =milk backbone underscore socket.io","author":"=milk","date":"2012-08-02 "},{"name":"backbonemejorandola","description":"ejemplo de mejorandola","url":null,"keywords":"frontend curso mejorandola","version":"0.0.0","words":"backbonemejorandola ejemplo de mejorandola =ciberutilidades frontend curso mejorandola","author":"=ciberutilidades","date":"2014-08-24 "},{"name":"backbonemvc-node","description":"Add Controller to Backbone","url":null,"keywords":"","version":"0.1.1","words":"backbonemvc-node add controller to backbone =jcarlos7121","author":"=jcarlos7121","date":"2013-10-17 "},{"name":"backchatio-hookup","description":"Provides a reliable messaging layer on top of websockets","url":null,"keywords":"","version":"0.1.15","words":"backchatio-hookup provides a reliable messaging layer on top of websockets =casualjim","author":"=casualjim","date":"2012-05-22 "},{"name":"backchatio-websocket","description":"Provides a reliable messaging layer on top of websockets","url":null,"keywords":"","version":"0.1.6","words":"backchatio-websocket provides a reliable messaging layer on top of websockets =casualjim","author":"=casualjim","date":"2012-05-08 "},{"name":"backdash","description":"backbone js with lodash, ready for browserify","url":null,"keywords":"model view controller router server client browser","version":"1.1.2-2.4.1","words":"backdash backbone js with lodash, ready for browserify =agilekurt =agilemd model view controller router server client browser","author":"=agilekurt =agilemd","date":"2014-04-27 "},{"name":"backdraft","description":"API starter kit for rapid response development. Based on Express.","url":null,"keywords":"ReST express restify backdraft firehatlabs","version":"0.0.4","words":"backdraft api starter kit for rapid response development. based on express. =get404 =firehatlabs rest express restify backdraft firehatlabs","author":"=get404 =firehatlabs","date":"2014-05-31 "},{"name":"backdroid","description":"it's a backdoor for Android formed by a client written in JavaScript, with the help of http://onx.ms/, and a server written in NodeJS.","url":null,"keywords":"","version":"1.0.1","words":"backdroid it's a backdoor for android formed by a client written in javascript, with the help of http://onx.ms/, and a server written in nodejs. =yeikos","author":"=yeikos","date":"2012-06-25 "},{"name":"backend","description":"","url":null,"keywords":"","version":"0.0.0","words":"backend =mgutz","author":"=mgutz","date":"2013-07-03 "},{"name":"backend-example-module","description":"An example module for the Cleverstack backend. Use this as a reference for making your own module.","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend backend cleverstack example cleverstack example module","version":"1.0.4","words":"backend-example-module an example module for the cleverstack backend. use this as a reference for making your own module. =pilsy cleverstack cleverstack-module cleverstack-backend backend cleverstack example cleverstack example module","author":"=pilsy","date":"2014-06-27 "},{"name":"backend-server","description":"Backend","url":null,"keywords":"backend","version":"0.0.2","words":"backend-server backend =jsmouret backend","author":"=jsmouret","date":"2014-03-14 "},{"name":"backend_toolbelt","description":"\"Toolbelt for backend developers\"","url":null,"keywords":"","version":"0.2.4","words":"backend_toolbelt \"toolbelt for backend developers\" =iraasta","author":"=iraasta","date":"2014-06-09 "},{"name":"backendjs","description":"Backend.js framework","url":null,"keywords":"database API DynamoDB Cassandra Sqlite PostgreSQL MySQL Redis pubsub account location messaging instance jobs cron nanomsg geohash","version":"0.9.13","words":"backendjs backend.js framework =veryakov database api dynamodb cassandra sqlite postgresql mysql redis pubsub account location messaging instance jobs cron nanomsg geohash","author":"=veryakov","date":"2014-09-08 "},{"name":"backer","description":"Distributed backup / file mirroring tool","url":null,"keywords":"distributed backup mirroring filesystem","version":"0.0.0","words":"backer distributed backup / file mirroring tool =juliangruber distributed backup mirroring filesystem","author":"=juliangruber","date":"2013-09-17 "},{"name":"backfire","description":"## What?","url":null,"keywords":"","version":"0.1.0","words":"backfire ## what? =richardbutler","author":"=richardbutler","date":"2014-05-01 "},{"name":"backgrid","description":"Backgrid.js is a set of components for building semantic and easily stylable data grid widgets with Backbone.","url":null,"keywords":"backgrid backbone","version":"0.3.0-dev","words":"backgrid backgrid.js is a set of components for building semantic and easily stylable data grid widgets with backbone. =terinjokes =wyuenho backgrid backbone","author":"=terinjokes =wyuenho","date":"2014-04-19 "},{"name":"background","description":"Background.js provides a background job queue and list with array iterators for Javascript applications.","url":null,"keywords":"background backgroundjs jobs workers tasks javascript coffeescript","version":"0.3.3","words":"background background.js provides a background job queue and list with array iterators for javascript applications. =kmalakoff background backgroundjs jobs workers tasks javascript coffeescript","author":"=kmalakoff","date":"2013-03-26 "},{"name":"background-cache","description":"request content to make in-memory-cache and udpate it periodically. Check redis on startup if there was any old content","url":null,"keywords":"util redis cache","version":"1.0.0","words":"background-cache request content to make in-memory-cache and udpate it periodically. check redis on startup if there was any old content =krzychukula =jakubwasilewski util redis cache","author":"=krzychukula =jakubwasilewski","date":"2014-05-28 "},{"name":"background-image","description":"Set background image for given element","url":null,"keywords":"dom background image","version":"0.0.0","words":"background-image set background image for given element =azer dom background image","author":"=azer","date":"2013-12-21 "},{"name":"background-imager","description":"Reads directory for images using micro media query DSL and produces CSS with responsive background-image classes","url":null,"keywords":"background-image device-pixel-ratio resolution media query css retina responsive image mobile","version":"0.1.1","words":"background-imager reads directory for images using micro media query dsl and produces css with responsive background-image classes =hparra background-image device-pixel-ratio resolution media query css retina responsive image mobile","author":"=hparra","date":"2013-12-13 "},{"name":"background-magick","description":"Pipe an image to ImageMagick's composite and add it to a background.","url":null,"keywords":"imagemagick background composite","version":"1.0.0","words":"background-magick pipe an image to imagemagick's composite and add it to a background. =enome imagemagick background composite","author":"=enome","date":"2012-08-04 "},{"name":"background-service-runner","description":"A daemon runner utility for node, python, shell and other executable services. Can be configured to run a monitored or detached child process or groups of processes.","url":null,"keywords":"daemon background spawn child process process groups background services","version":"0.90.20","words":"background-service-runner a daemon runner utility for node, python, shell and other executable services. can be configured to run a monitored or detached child process or groups of processes. =darryl.west daemon background spawn child process process groups background services","author":"=darryl.west","date":"2014-08-17 "},{"name":"background-task","description":"Run Node.js tasks on multiple instances.","url":null,"keywords":"node task background redis","version":"0.6.8","words":"background-task run node.js tasks on multiple instances. =echoabstract =mjsalinger node task background redis","author":"=echoabstract =mjsalinger","date":"2014-02-20 "},{"name":"backgrounder","description":"yet another library for spawning multiple independent background workers as well as multiple pool of workers, v0.5 fork API to communicate with them; the library also supports callback between processes","url":null,"keywords":"fork spawn child process worker webworker","version":"0.2.7","words":"backgrounder yet another library for spawning multiple independent background workers as well as multiple pool of workers, v0.5 fork api to communicate with them; the library also supports callback between processes =jfk fork spawn child process worker webworker","author":"=jfk","date":"2011-10-12 "},{"name":"backgroundify","description":"Use separate node processes to run long synchronous functions","url":null,"keywords":"","version":"0.0.2","words":"backgroundify use separate node processes to run long synchronous functions =jt","author":"=jt","date":"2014-03-01 "},{"name":"backhoe","description":"Module to clear the commonjs module cache and mock modules.","url":null,"keywords":"mock module cache testing","version":"0.0.3","words":"backhoe module to clear the commonjs module cache and mock modules. =scottbrady mock module cache testing","author":"=scottbrady","date":"2014-04-01 "},{"name":"backkick","description":"A command-line tool to link all css and js files","url":null,"keywords":"","version":"0.0.5-a","words":"backkick a command-line tool to link all css and js files =pixeladed","author":"=pixeladed","date":"2014-09-08 "},{"name":"backlog","description":"Node.js module for logging your file changes and even better saving & recovering your code.","url":null,"keywords":"backlog backlog.js save recover changes file node.js","version":"0.0.3","words":"backlog node.js module for logging your file changes and even better saving & recovering your code. =jawerty backlog backlog.js save recover changes file node.js","author":"=jawerty","date":"2013-06-11 "},{"name":"backlog-api","description":"Backlog API wrapper for Node.js","url":null,"keywords":"backlog nulab","version":"1.0.2","words":"backlog-api backlog api wrapper for node.js =bouzuya backlog nulab","author":"=bouzuya","date":"2014-03-23 "},{"name":"backlog-cli","description":"Backlog command line interface. (unofficial)","url":null,"keywords":"nulab backlog cli","version":"0.2.0","words":"backlog-cli backlog command line interface. (unofficial) =bouzuya nulab backlog cli","author":"=bouzuya","date":"2014-04-29 "},{"name":"backnode","description":"Express inspired web development framework, built on Backbone and Connect","url":null,"keywords":"backbone mvc","version":"0.1.0","words":"backnode express inspired web development framework, built on backbone and connect =mklabs backbone mvc","author":"=mklabs","date":"2012-03-19 "},{"name":"backo","description":"simple backoff without the weird abstractions","url":null,"keywords":"backoff","version":"1.0.1","words":"backo simple backoff without the weird abstractions =tjholowaychuk =segment backoff","author":"=tjholowaychuk =segment","date":"2014-02-25 "},{"name":"backoff","description":"Fibonacci and exponential backoffs.","url":null,"keywords":"backoff retry fibonacci exponential","version":"2.4.0","words":"backoff fibonacci and exponential backoffs. =mathieu backoff retry fibonacci exponential","author":"=mathieu","date":"2014-06-21 "},{"name":"backpack","description":"Fast storage engine for millions of small files","url":null,"keywords":"","version":"0.5.5","words":"backpack fast storage engine for millions of small files =bobrik","author":"=bobrik","date":"2014-09-16 "},{"name":"backpack-coordinator","description":"Coordination service for backpack cluster.","url":null,"keywords":"backpack coordinator webdav dav replication cluster ha","version":"0.2.7","words":"backpack-coordinator coordination service for backpack cluster. =bobrik backpack coordinator webdav dav replication cluster ha","author":"=bobrik","date":"2013-11-15 "},{"name":"backpack-node","description":"Class library of useful things for Node.js","url":null,"keywords":"collections hash map set hashmap hastable serialize serializer","version":"0.1.13","words":"backpack-node class library of useful things for node.js =unbornchikken collections hash map set hashmap hastable serialize serializer","author":"=unbornchikken","date":"2014-07-28 "},{"name":"backpack-replicator","description":"Reliably replicate files between backpack instances.","url":null,"keywords":"backpack replication replicate","version":"0.2.7","words":"backpack-replicator reliably replicate files between backpack instances. =bobrik backpack replication replicate","author":"=bobrik","date":"2013-09-25 "},{"name":"backpack.tf","description":"backpack.tf API wrapper","url":null,"keywords":"backpack.tf steam team fortress 2","version":"1.0.2","words":"backpack.tf backpack.tf api wrapper =kenan backpack.tf steam team fortress 2","author":"=kenan","date":"2014-07-31 "},{"name":"backpacker","description":"backpacker ======","url":null,"keywords":"","version":"1.0.1","words":"backpacker backpacker ====== =mren","author":"=mren","date":"2012-08-13 "},{"name":"backpassage","description":"A TCP/TLS communications system styled after socket.io, aimed at bidirectional inter-server communications.","url":null,"keywords":"","version":"0.2.1","words":"backpassage a tcp/tls communications system styled after socket.io, aimed at bidirectional inter-server communications. =nuck","author":"=nuck","date":"2012-07-21 "},{"name":"backplane","description":"Backplane module for node","url":null,"keywords":"","version":"0.0.4","words":"backplane backplane module for node =eprochasson","author":"=eprochasson","date":"2011-05-03 "},{"name":"backpocket","description":"Lost your files? Check your backpocket. A simpler backup/snapshotting tool using rsync and pax/cp.","url":null,"keywords":"","version":"0.1.5","words":"backpocket lost your files? check your backpocket. a simpler backup/snapshotting tool using rsync and pax/cp. =alz","author":"=alz","date":"2012-11-07 "},{"name":"backport-0.4","description":"node.js core modules with backported fixes","url":null,"keywords":"backport node core library http https","version":"0.4.11-1","words":"backport-0.4 node.js core modules with backported fixes =saltwaterc backport node core library http https","author":"=saltwaterc","date":"2011-09-02 "},{"name":"backprop","description":"Use ES5 properties with Backbone. Goodbye get() and set()!","url":null,"keywords":"backbone property ES5","version":"0.4.1","words":"backprop use es5 properties with backbone. goodbye get() and set()! =af backbone property es5","author":"=af","date":"2013-11-10 "},{"name":"backrefie","description":"Lazy regex back references","url":null,"keywords":"","version":"1.0.0","words":"backrefie lazy regex back references =jcorbin","author":"=jcorbin","date":"2014-05-22 "},{"name":"backscratcher","description":"Program determines the true spacing from a fault database","url":null,"keywords":"","version":"0.0.26","words":"backscratcher program determines the true spacing from a fault database =danielchilds","author":"=danielchilds","date":"2014-07-08 "},{"name":"backside","description":"An open-source backend-as-a-service inspired by firebase","url":null,"keywords":"backend-as-a-service BaaS backfire realtime firebase","version":"0.0.1","words":"backside an open-source backend-as-a-service inspired by firebase =addisonj =trevordixon backend-as-a-service baas backfire realtime firebase","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-amqp-messenger","description":"Messaging backend for backside powered by amqp","url":null,"keywords":"backside backside-messenger","version":"0.0.1","words":"backside-amqp-messenger messaging backend for backside powered by amqp =addisonj =trevordixon backside backside-messenger","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-api","description":"The api for backside","url":null,"keywords":"backside stomp","version":"0.0.8","words":"backside-api the api for backside =addisonj =trevordixon backside stomp","author":"=addisonj =trevordixon","date":"2014-06-17 "},{"name":"backside-client","description":"Javascript client for interacting with Backside backend as a service.","url":null,"keywords":"","version":"0.0.0","words":"backside-client javascript client for interacting with backside backend as a service. =trevordixon =addisonj","author":"=trevordixon =addisonj","date":"2014-06-17 "},{"name":"backside-memory-store","description":"An in memory store for backside","url":null,"keywords":"backside backside-store","version":"0.0.1","words":"backside-memory-store an in memory store for backside =addisonj =trevordixon backside backside-store","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-mongo-store","description":"A mongo backed store for backside","url":null,"keywords":"backside backside-store","version":"0.0.3","words":"backside-mongo-store a mongo backed store for backside =addisonj =trevordixon backside backside-store","author":"=addisonj =trevordixon","date":"2014-06-17 "},{"name":"backside-proxy","description":"A websocket/STOMP proxy that supports custom auth and intercepting certain operations for backside","url":null,"keywords":"backside stomp","version":"0.0.2","words":"backside-proxy a websocket/stomp proxy that supports custom auth and intercepting certain operations for backside =addisonj =trevordixon backside stomp","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-ruletree-security","description":"Security rules for backside that uses a tree of rules and a DSL to describe the rules","url":null,"keywords":"backside backside-security","version":"0.0.1","words":"backside-ruletree-security security rules for backside that uses a tree of rules and a dsl to describe the rules =addisonj =trevordixon backside backside-security","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-token-auth","description":"Token auth module for backside","url":null,"keywords":"backside backside-auth","version":"0.0.0","words":"backside-token-auth token auth module for backside =addisonj =trevordixon backside backside-auth","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-userpass-auth","description":"User/Password auth module for backside, with tokens","url":null,"keywords":"backside backside-auth","version":"0.0.3","words":"backside-userpass-auth user/password auth module for backside, with tokens =addisonj =trevordixon backside backside-auth","author":"=addisonj =trevordixon","date":"2014-06-15 "},{"name":"backside-utils","description":"A set of common utils between backside components","url":null,"keywords":"backside","version":"0.0.4","words":"backside-utils a set of common utils between backside components =addisonj =trevordixon backside","author":"=addisonj =trevordixon","date":"2014-06-17 "},{"name":"backstage","description":"backbone to knockout connector","url":null,"keywords":"knockout backbone mvc client browserify","version":"0.0.2","words":"backstage backbone to knockout connector =jsmarkus knockout backbone mvc client browserify","author":"=jsmarkus","date":"2012-11-29 "},{"name":"backstrap-gruntfile","description":"a great starter Gruntfile with a complete development workflow","url":null,"keywords":"grunt build test serve server node workflow","version":"0.1.3","words":"backstrap-gruntfile a great starter gruntfile with a complete development workflow =giladgray grunt build test serve server node workflow","author":"=giladgray","date":"2014-06-22 "},{"name":"backstretch","description":"add a dynamically-resized background image to any page","url":null,"keywords":"ender image","version":"1.2.2","words":"backstretch add a dynamically-resized background image to any page =secondplanet ender image","author":"=secondplanet","date":"2011-10-04 "},{"name":"backsync","description":"A minimalistic library for integrating Backbone models with different data stores. Mongodb and Memory already included.","url":null,"keywords":"backbone sync polystore orm mongodb couchdb memory database","version":"0.1.13","words":"backsync a minimalistic library for integrating backbone models with different data stores. mongodb and memory already included. =avinoamr backbone sync polystore orm mongodb couchdb memory database","author":"=avinoamr","date":"2014-07-29 "},{"name":"backtape","description":"A doctape client for the truly paranoid.","url":null,"keywords":"doctape backup","version":"0.3.0","words":"backtape a doctape client for the truly paranoid. =srijs doctape backup","author":"=srijs","date":"2013-04-03 "},{"name":"backtrace","description":"Library for getting stack traces in cross browser manner.","url":null,"keywords":"stacktrace stack trace traceback backtrace back","version":"0.0.2","words":"backtrace library for getting stack traces in cross browser manner. =v1 =indexzero =jcrugzz =swaagie stacktrace stack trace traceback backtrace back","author":"=V1 =indexzero =jcrugzz =swaagie","date":"2014-08-14 "},{"name":"backtrack","description":"simple backtracking sat solver","url":null,"keywords":"","version":"0.0.1","words":"backtrack simple backtracking sat solver =russfrank","author":"=russfrank","date":"2012-10-22 "},{"name":"backtrack-require","description":"Given an entry file and a target file, track down any files that are requiring the target file","url":null,"keywords":"recursive require static analysis check backtrack reverse","version":"1.0.2","words":"backtrack-require given an entry file and a target file, track down any files that are requiring the target file =hughsk recursive require static analysis check backtrack reverse","author":"=hughsk","date":"2014-06-27 "},{"name":"backup","description":"Web Site backup & restore","url":null,"keywords":"backup restore project application files directories","version":"1.1.0","words":"backup web site backup & restore =petersirka backup restore project application files directories","author":"=petersirka","date":"2014-03-08 "},{"name":"backup-couch-to-s3","keywords":"","version":[],"words":"backup-couch-to-s3","author":"","date":"2014-07-13 "},{"name":"backup-couchdb-to-s3","description":"Backup your CouchDB database files to Amazon's S3 service.","url":null,"keywords":"couch couchdb aws s3 backup","version":"0.2.2","words":"backup-couchdb-to-s3 backup your couchdb database files to amazon's s3 service. =exclsr couch couchdb aws s3 backup","author":"=exclsr","date":"2014-07-13 "},{"name":"backup-to-ebooks-archive","description":"Take your Twitter backup file and convert it to a twitter_ebooks archive.","url":null,"keywords":"twitter backup ebooks","version":"0.0.1","words":"backup-to-ebooks-archive take your twitter backup file and convert it to a twitter_ebooks archive. =jonursenbach twitter backup ebooks","author":"=jonursenbach","date":"2014-06-29 "},{"name":"backupcave","description":"Client for the BackupCave encrypted backup service","url":null,"keywords":"backup cave backupcave encrypted","version":"0.0.4","words":"backupcave client for the backupcave encrypted backup service =jcalvinowens backup cave backupcave encrypted","author":"=jcalvinowens","date":"2014-07-11 "},{"name":"backuptweets","description":"Back up your Twitter tweets with Node.js without oAuth","url":null,"keywords":"twitter backup json","version":"0.1.0","words":"backuptweets back up your twitter tweets with node.js without oauth =hay twitter backup json","author":"=hay","date":"2011-07-19 "},{"name":"backwire-hyperstore","description":"Backwire Hyperstore node client","url":null,"keywords":"backwire hyperstore waya framework real time api","version":"1.0.26","words":"backwire-hyperstore backwire hyperstore node client =backwire backwire hyperstore waya framework real time api","author":"=backwire","date":"2014-09-05 "},{"name":"backy","description":"Backs up project files, excludes based on .gitignore using Tar and GZip","url":null,"keywords":"backup git tar gitignore","version":"0.1.3","words":"backy backs up project files, excludes based on .gitignore using tar and gzip =innoscience backup git tar gitignore","author":"=innoscience","date":"2014-07-08 "},{"name":"backyard-sdk","description":"backyard.io SDK for JavaScript","url":null,"keywords":"","version":"0.1.0","words":"backyard-sdk backyard.io sdk for javascript =traviskuhl","author":"=traviskuhl","date":"2013-11-03 "},{"name":"bacl","description":"Simple, fast and secure node ACL","url":null,"keywords":"acl access control list user rol resources permisions security authorization","version":"0.1.3","words":"bacl simple, fast and secure node acl =tinchoz49 acl access control list user rol resources permisions security authorization","author":"=tinchoz49","date":"2013-03-20 "},{"name":"bacn","description":"Command-line tools for cooking a stack of Bacn.","url":null,"keywords":"","version":"0.4.2","words":"bacn command-line tools for cooking a stack of bacn. =schoonology","author":"=schoonology","date":"2014-01-14 "},{"name":"bacon","description":"A less ugly way to deal with buffers.","url":null,"keywords":"buffer join split append prepend","version":"0.0.1","words":"bacon a less ugly way to deal with buffers. =jeloou buffer join split append prepend","author":"=jeloou","date":"2012-08-16 "},{"name":"bacon-and-eggs","description":"A functional reactive Twitter API client in node","url":null,"keywords":"twitter api frp functional reactive bacon eggs oauth stream streams","version":"0.1.11","words":"bacon-and-eggs a functional reactive twitter api client in node =mikrofusion twitter api frp functional reactive bacon eggs oauth stream streams","author":"=mikrofusion","date":"2014-09-14 "},{"name":"bacon-browser","description":"Browser-specific utilities, EventStreams, and Properties for Bacon","url":null,"keywords":"bacon baconjs jquery frp reactive browser utility","version":"0.0.6","words":"bacon-browser browser-specific utilities, eventstreams, and properties for bacon =sykopomp bacon baconjs jquery frp reactive browser utility","author":"=sykopomp","date":"2014-06-14 "},{"name":"bacon-cipher","description":"A robust JavaScript implementation of Bacon’s cipher, a.k.a. the Baconian cipher.","url":null,"keywords":"string bacon baconian cipher crypto cryptography stegano steganography encode encrypt decode decrypt","version":"0.1.0","words":"bacon-cipher a robust javascript implementation of bacon’s cipher, a.k.a. the baconian cipher. =mathias string bacon baconian cipher crypto cryptography stegano steganography encode encrypt decode decrypt","author":"=mathias","date":"2014-04-30 "},{"name":"bacon-grunt","description":"Makes for tastier Gruntfiles","url":null,"keywords":"grunt tasks inline glob","version":"0.3.0","words":"bacon-grunt makes for tastier gruntfiles =dallonf grunt tasks inline glob","author":"=dallonf","date":"2014-08-19 "},{"name":"bacon-jquery-bindings","description":"A JQuery data binding library for [Bacon.js](https://github.com/raimohanska/bacon.js).","url":null,"keywords":"","version":"0.2.8","words":"bacon-jquery-bindings a jquery data binding library for [bacon.js](https://github.com/raimohanska/bacon.js). =raimohanska","author":"=raimohanska","date":"2014-03-05 "},{"name":"bacon-love","description":"A Nodeschool type workshop for Functional Reactive Programming and Bacon.js","url":null,"keywords":"Workshopper Nodeschool baconjs functional reactive frp","version":"1.1.0","words":"bacon-love a nodeschool type workshop for functional reactive programming and bacon.js =mikaelb =mollerse workshopper nodeschool baconjs functional reactive frp","author":"=mikaelb =mollerse","date":"2014-09-01 "},{"name":"bacon-router","description":"Clientside routing with bacon js","url":null,"keywords":"bacon routing","version":"0.1.0","words":"bacon-router clientside routing with bacon js =remydagostino bacon routing","author":"=remydagostino","date":"2014-09-07 "},{"name":"bacon-stream","description":"readable stream of bacon ipsum content from baconipsum dot com","url":null,"keywords":"lorem ipsum bacon fatback turducken swine","version":"0.1.1","words":"bacon-stream readable stream of bacon ipsum content from baconipsum dot com =danjarvis lorem ipsum bacon fatback turducken swine","author":"=danjarvis","date":"2014-01-21 "},{"name":"bacon-templates","description":"Asynchronous jQuery templates","url":null,"keywords":"","version":"0.0.7","words":"bacon-templates asynchronous jquery templates =markstewart","author":"=markstewart","date":"2014-07-07 "},{"name":"bacon-theory","description":"network / graph theory library for node and the browser","url":null,"keywords":"","version":"0.1.0","words":"bacon-theory network / graph theory library for node and the browser =mikemonteith","author":"=mikemonteith","date":"2013-09-04 "},{"name":"bacon.decorate","description":"A set of function decorators wrapping data to Bacon reactive data types","url":null,"keywords":"bacon.js frp bacon decorators functional","version":"0.1.0","words":"bacon.decorate a set of function decorators wrapping data to bacon reactive data types =mikaelb bacon.js frp bacon decorators functional","author":"=mikaelb","date":"2014-06-24 "},{"name":"bacon.fromonevent","description":"Legacy event binding plugin for [Bacon.js](https://github.com/baconjs/bacon.js).","url":null,"keywords":"event frp bacon.js reactive","version":"0.1.1","words":"bacon.fromonevent legacy event binding plugin for [bacon.js](https://github.com/baconjs/bacon.js). =wolfflow event frp bacon.js reactive","author":"=wolfflow","date":"2014-05-06 "},{"name":"bacon.jquery","description":"A JQuery data binding library for [Bacon.js](https://github.com/baconjs/bacon.js).","url":null,"keywords":"","version":"0.4.11","words":"bacon.jquery a jquery data binding library for [bacon.js](https://github.com/baconjs/bacon.js). =raimohanska","author":"=raimohanska","date":"2014-09-16 "},{"name":"bacon.matchers","description":"The best project ever.","url":null,"keywords":"","version":"0.3.0","words":"bacon.matchers the best project ever. =raimohanska","author":"=raimohanska","date":"2014-07-28 "},{"name":"bacon.model","description":"A data binding plugin for [Bacon.js](https://github.com/baconjs/bacon.js).","url":null,"keywords":"","version":"0.1.11","words":"bacon.model a data binding plugin for [bacon.js](https://github.com/baconjs/bacon.js). =raimohanska","author":"=raimohanska","date":"2014-08-05 "},{"name":"bacon.validation","description":"bacon.validation ================","url":null,"keywords":"","version":"0.1.5","words":"bacon.validation bacon.validation ================ =raimohanska","author":"=raimohanska","date":"2014-04-17 "},{"name":"baconipsum","description":"Bacon Ipsum for Node.JS","url":null,"keywords":"","version":"0.1.2","words":"baconipsum bacon ipsum for node.js =coldie","author":"=coldie","date":"2013-12-16 "},{"name":"baconjs","description":"A small functional reactive programming lib for JavaScript.","url":null,"keywords":"bacon.js bacon frp functional reactive programming stream streams EventStream Rx RxJs Observable","version":"0.7.22","words":"baconjs a small functional reactive programming lib for javascript. =raimohanska bacon.js bacon frp functional reactive programming stream streams eventstream rx rxjs observable","author":"=raimohanska","date":"2014-08-19 "},{"name":"baconpi","description":"Agent for BaconPi","url":null,"keywords":"","version":"0.2.11","words":"baconpi agent for baconpi =jeffijoe","author":"=jeffijoe","date":"2014-08-31 "},{"name":"bacontrap","description":"Keyboard shortcuts wrapped in Bacon","url":null,"keywords":"","version":"0.3.3","words":"bacontrap keyboard shortcuts wrapped in bacon =lautis","author":"=lautis","date":"2014-06-17 "},{"name":"baconts","description":"TypeScript wrapper for Bacon.js","url":null,"keywords":"bacon typescript","version":"0.7.10-2","words":"baconts typescript wrapper for bacon.js =bodil bacon typescript","author":"=bodil","date":"2014-04-02 "},{"name":"baconui","description":"Some helpers for constructing jQuery UIs with Bacon.js. This is stuff that I've extracted from more specific codebases and that's too UI-specific to qualify for inclusion in Bacon.js.","url":null,"keywords":"","version":"0.3.14","words":"baconui some helpers for constructing jquery uis with bacon.js. this is stuff that i've extracted from more specific codebases and that's too ui-specific to qualify for inclusion in bacon.js. =quarterto","author":"=quarterto","date":"2013-05-05 "},{"name":"bacterium","keywords":"","version":[],"words":"bacterium","author":"","date":"2014-04-05 "},{"name":"bad","description":"A CLI tool to execute a command concurrently for a given number of subjects.","url":null,"keywords":"command batch cli tty tool multiple processes","version":"0.9.2","words":"bad a cli tool to execute a command concurrently for a given number of subjects. =jsdevel command batch cli tty tool multiple processes","author":"=jsdevel","date":"2014-03-28 "},{"name":"bad-words","description":"A javascript filter for bad words","url":null,"keywords":"curse words profanity filter","version":"0.6.1","words":"bad-words a javascript filter for bad words =webmech curse words profanity filter","author":"=webmech","date":"2014-08-01 "},{"name":"bad-words-2","description":"A bad word filter based on https://github.com/web-mech/badwords","url":null,"keywords":"bad-words filter mask","version":"1.0.4","words":"bad-words-2 a bad word filter based on https://github.com/web-mech/badwords =petreboy14 bad-words filter mask","author":"=petreboy14","date":"2014-05-27 "},{"name":"badass","description":"the proxy that breaks all the rules","url":null,"keywords":"","version":"0.2.0","words":"badass the proxy that breaks all the rules =dominictarr","author":"=dominictarr","date":"2012-08-07 "},{"name":"badblog","description":"a terrible node.js blog engine with barely any features","url":null,"keywords":"blog blogengine markdown","version":"1.0.3","words":"badblog a terrible node.js blog engine with barely any features =morganherlocker blog blogengine markdown","author":"=morganherlocker","date":"2013-12-02 "},{"name":"badconnection","description":"A TCP proxy which simulates a bad network connection","url":null,"keywords":"","version":"0.0.1","words":"badconnection a tcp proxy which simulates a bad network connection =pita","author":"=pita","date":"2011-11-29 "},{"name":"baddocs","description":"simple preprocessed markdown docs","url":null,"keywords":"markdown markdown-pp preprocessor docs documentation","version":"0.0.5","words":"baddocs simple preprocessed markdown docs =ninegrid markdown markdown-pp preprocessor docs documentation","author":"=ninegrid","date":"2014-07-27 "},{"name":"badge","description":"Stateless GitHub authentication for Hapi.","url":null,"keywords":"hapi github auth","version":"1.0.3","words":"badge stateless github authentication for hapi. =jagoda hapi github auth","author":"=jagoda","date":"2014-08-07 "},{"name":"badgekit-api-client","keywords":"","version":[],"words":"badgekit-api-client","author":"","date":"2014-05-26 "},{"name":"badger","description":"A logger that doesn't suck","url":null,"keywords":"","version":"0.0.3","words":"badger a logger that doesn't suck =exhaze","author":"=exhaze","date":"2013-02-01 "},{"name":"badgerfish.composix","description":"Badgerfish CPX\r ==============","url":null,"keywords":"","version":"0.1.2","words":"badgerfish.composix badgerfish cpx\r ============== =aaw","author":"=aaw","date":"2014-03-12 "},{"name":"badges","description":"A repo to showcase every JavaScript related badge out there.","url":null,"keywords":"badges","version":"0.0.1","words":"badges a repo to showcase every javascript related badge out there. =boennemann badges","author":"=boennemann","date":"2014-01-21 "},{"name":"badgify","description":"Rebuild readme markdown badges from package.json scripts","url":null,"keywords":"svg shields badge generate","version":"0.2.1","words":"badgify rebuild readme markdown badges from package.json scripts =clux svg shields badge generate","author":"=clux","date":"2014-08-22 "},{"name":"badguy","keywords":"","version":[],"words":"badguy","author":"","date":"2014-03-08 "},{"name":"badguy-cli","keywords":"","version":[],"words":"badguy-cli","author":"","date":"2014-03-08 "},{"name":"badoop","description":"Todo list management in bash","url":null,"keywords":"todo-list todo tasks productivity procastination","version":"0.0.1","words":"badoop todo list management in bash =jergason todo-list todo tasks productivity procastination","author":"=jergason","date":"2012-08-11 "},{"name":"badrinarayanan","url":null,"keywords":"","version":"1.0.0","words":"badrinarayanan =badrinarayanan","author":"=badrinarayanan","date":"2012-05-05 "},{"name":"badure","description":"Just another blogging templtes","url":null,"keywords":"","version":"0.0.14","words":"badure just another blogging templtes =aamisaul","author":"=aamisaul","date":"2014-02-06 "},{"name":"badword","description":"See if a word is bad","url":null,"keywords":"swear bad word list","version":"0.0.1","words":"badword see if a word is bad =jbuck swear bad word list","author":"=jbuck","date":"2013-05-09 "},{"name":"badwords","description":"A highly consumable list of bad (profanity) english words","url":null,"keywords":"bad word words profanity filter blacklist black list swear","version":"0.0.3","words":"badwords a highly consumable list of bad (profanity) english words =samer =mauricebutler bad word words profanity filter blacklist black list swear","author":"=samer =mauricebutler","date":"2013-10-11 "},{"name":"badwords-list","description":"A highly consumable list of bad (profanity) english words (forked from badwords)","url":null,"keywords":"bad word words profanity filter blacklist black list swear","version":"1.0.0","words":"badwords-list a highly consumable list of bad (profanity) english words (forked from badwords) =webmech bad word words profanity filter blacklist black list swear","author":"=webmech","date":"2014-07-31 "},{"name":"bae","description":"BAE CLI","url":null,"keywords":"bae","version":"0.1.0","words":"bae bae cli =hjin_me bae","author":"=hjin_me","date":"2013-12-11 "},{"name":"bae-message","description":"Message module for Bae Cloud Messaging.","url":null,"keywords":"bae cloud-message","version":"0.1.4","words":"bae-message message module for bae cloud messaging. =pangwa bae cloud-message","author":"=pangwa","date":"2013-07-28 "},{"name":"bae-nodejs","description":"The first bae nodejs app!","url":null,"keywords":"","version":"1.0.0","words":"bae-nodejs the first bae nodejs app! =jindw","author":"=jindw","date":"2014-05-03 "},{"name":"baeredishttp","description":"bae redis http client","url":null,"keywords":"bae redis","version":"0.0.2","words":"baeredishttp bae redis http client =youxiachai bae redis","author":"=youxiachai","date":"2013-06-22 "},{"name":"baf","description":"baf: binary array format","url":null,"keywords":"","version":"0.0.0","words":"baf baf: binary array format =kts","author":"=kts","date":"2013-01-17 "},{"name":"baffle","keywords":"","version":[],"words":"baffle","author":"","date":"2014-04-05 "},{"name":"baffled-utils","description":"Angular & Javascript Utilities","url":null,"keywords":"framework component front-end bootstrap angular firebase","version":"0.0.2","words":"baffled-utils angular & javascript utilities =kendugu framework component front-end bootstrap angular firebase","author":"=kendugu","date":"2013-09-15 "},{"name":"bag","description":"Unordered collection","url":null,"keywords":"bag data-structure","version":"1.0.2","words":"bag unordered collection =jaz303 bag data-structure","author":"=jaz303","date":"2013-07-29 "},{"name":"Bag","description":"Use to add packages to a bag.","url":null,"keywords":"","version":"0.0.1","words":"bag use to add packages to a bag. =agurha","author":"=agurha","date":"2012-05-08 "},{"name":"bagarino","description":"bagarino ======== \"bagarino\" _sells_ you tickets and can tell a real ticket from a fake one. Simple, fast and RESTful. Ask it for a new ticket and it'll give you. Then ask it whether a ticket is still valid or expired. Or whether it is a fake. It'll know ","url":null,"keywords":"","version":"1.2.0","words":"bagarino bagarino ======== \"bagarino\" _sells_ you tickets and can tell a real ticket from a fake one. simple, fast and restful. ask it for a new ticket and it'll give you. then ask it whether a ticket is still valid or expired. or whether it is a fake. it'll know =nicolaorritos","author":"=nicolaorritos","date":"2014-04-22 "},{"name":"bagetjs","description":"Модуль для автоматической генерации js кода","url":null,"keywords":"generator automatic declarative","version":"0.0.5","words":"bagetjs модуль для автоматической генерации js кода =swvitaliy generator automatic declarative","author":"=swvitaliy","date":"2014-05-09 "},{"name":"baggit","description":"Store a file on github to be publicly accessible","url":null,"keywords":"","version":"0.1.8","words":"baggit store a file on github to be publicly accessible =pwmckenna","author":"=pwmckenna","date":"2013-02-07 "},{"name":"bagofcli","description":"A bag-of-holding containing CLI utility functions.","url":null,"keywords":"cli command line","version":"0.2.0","words":"bagofcli a bag-of-holding containing cli utility functions. =cliffano cli command line","author":"=cliffano","date":"2014-09-08 "},{"name":"bagofholding","description":"An uncursed bag of various node.js utility functions.","url":null,"keywords":"","version":"0.1.8","words":"bagofholding an uncursed bag of various node.js utility functions. =cliffano","author":"=cliffano","date":"2013-11-03 "},{"name":"bagofrequest","description":"A bag-of-holding containing request utility functions.","url":null,"keywords":"request proxy","version":"0.1.0","words":"bagofrequest a bag-of-holding containing request utility functions. =cliffano request proxy","author":"=cliffano","date":"2014-09-08 "},{"name":"bagoftext","description":"A bag-of-holding containing text utility functions.","url":null,"keywords":"l10n text","version":"0.1.0","words":"bagoftext a bag-of-holding containing text utility functions. =cliffano l10n text","author":"=cliffano","date":"2014-09-08 "},{"name":"bagpipe","description":"Concurrency limit","url":null,"keywords":"limiter concurrency limit parallel limit","version":"0.3.5","words":"bagpipe concurrency limit =jacksontian limiter concurrency limit parallel limit","author":"=jacksontian","date":"2013-07-22 "},{"name":"bahn","description":"A ready-for-road HTML5 application stack combining Bootstrap, AngularJS, H5BP, and Node.js (BAHN).","url":null,"keywords":"application framework bootstrap angularjs angular html5 boilerplate h5bp nodejs node expressjs express http server nedb no sql database socket.io web socket bahn cli","version":"0.0.7","words":"bahn a ready-for-road html5 application stack combining bootstrap, angularjs, h5bp, and node.js (bahn). =oliver.moran application framework bootstrap angularjs angular html5 boilerplate h5bp nodejs node expressjs express http server nedb no sql database socket.io web socket bahn cli","author":"=oliver.moran","date":"2014-07-26 "},{"name":"bai","description":"Baidu inc.Front-end engine","url":null,"keywords":"bai","version":"0.4.1","words":"bai baidu inc.front-end engine =tiankui bai","author":"=tiankui","date":"2014-07-30 "},{"name":"baidu","description":"hello baidu","url":null,"keywords":"","version":"0.0.1","words":"baidu hello baidu =errorrik","author":"=errorrik","date":"2013-02-28 "},{"name":"baidu-bcs","description":"baidu bcs node.js sdk","url":null,"keywords":"baidu cloud store bcs","version":"0.2.1","words":"baidu-bcs baidu bcs node.js sdk =coderhaoxin baidu cloud store bcs","author":"=coderhaoxin","date":"2014-03-19 "},{"name":"baidu-bit-nodejs","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.2","words":"baidu-bit-nodejs error: no readme.md file found! =leeight","author":"=leeight","date":"2012-12-20 "},{"name":"baidu-cli","description":"a mimic work of google-cli, just for fun","url":null,"keywords":"baidu cli search","version":"0.0.0","words":"baidu-cli a mimic work of google-cli, just for fun =jabez128 baidu cli search","author":"=jabez128","date":"2014-06-15 "},{"name":"baidu-client-auth","description":"request AccessToken of Baidu Passport in Terminal by Oauth.","url":null,"keywords":"baidu oauth","version":"0.0.2","words":"baidu-client-auth request accesstoken of baidu passport in terminal by oauth. =hjin_me baidu oauth","author":"=hjin_me","date":"2013-12-13 "},{"name":"baidu-jn-less","description":"Baidu jn customized less","url":null,"keywords":"css parser lesscss baidu browser","version":"0.1.1","words":"baidu-jn-less baidu jn customized less =osdream css parser lesscss baidu browser","author":"=osdream","date":"2013-05-15 "},{"name":"baidu-lego","description":"lego utils","url":null,"keywords":"lego baidu","version":"0.0.7","words":"baidu-lego lego utils =osdream lego baidu","author":"=osdream","date":"2014-01-10 "},{"name":"baidu-less","description":"Leaner CSS","url":null,"keywords":"css parser lesscss browser","version":"1.3.3","words":"baidu-less leaner css =leeight css parser lesscss browser","author":"=leeight","date":"2013-03-19 "},{"name":"baidu-map","description":"node proxy for baidu map web apis","url":null,"keywords":"百度地图 baidumap baiduditu ditu 地图 baidu-map","version":"0.1.2","words":"baidu-map node proxy for baidu map web apis =spud 百度地图 baidumap baiduditu ditu 地图 baidu-map","author":"=spud","date":"2014-08-06 "},{"name":"baidu-pcs","description":"nodejs SDK for BaiDu PCS","url":null,"keywords":"","version":"0.1.1","words":"baidu-pcs nodejs sdk for baidu pcs =tudeju","author":"=tudeju","date":"2013-04-20 "},{"name":"baidu-push","description":"node.js sdk for baidu push service","url":null,"keywords":"baidu push notification service app cloud","version":"0.4.0","words":"baidu-push node.js sdk for baidu push service =coderhaoxin baidu push notification service app cloud","author":"=coderhaoxin","date":"2014-06-17 "},{"name":"baidu-push-sdk","description":"Node.js module for baidu push service","url":null,"keywords":"","version":"1.0.1","words":"baidu-push-sdk node.js module for baidu push service =wangzheng422","author":"=wangzheng422","date":"2014-06-26 "},{"name":"baidu-reporter","description":"编译机上用来统计编译次数的插件,不对外开放","url":null,"keywords":"fis-plus","version":"0.0.2","words":"baidu-reporter 编译机上用来统计编译次数的插件,不对外开放 =fansekey fis-plus","author":"=fansekey","date":"2014-03-26 "},{"name":"baidu-zhixin-sdk","description":"For ecom fe to develop template","url":null,"keywords":"baidu-zhixin-sdk","version":"2.0.5","words":"baidu-zhixin-sdk for ecom fe to develop template =sekiyika baidu-zhixin-sdk","author":"=sekiyika","date":"2014-01-13 "},{"name":"baidumap","description":"nodejs版百度地图服务sdk","url":null,"keywords":"baidumap node-baidumap 百度地图sdk","version":"0.0.3","words":"baidumap nodejs版百度地图服务sdk =nuonuo baidumap node-baidumap 百度地图sdk","author":"=nuonuo","date":"2014-09-20 "},{"name":"baidupush","description":"baidu cloud push","url":null,"keywords":"","version":"0.0.1","words":"baidupush baidu cloud push =youxiachai","author":"=youxiachai","date":"2013-09-01 "},{"name":"baidutemplate","description":"a very easy to use javascript template engine","url":null,"keywords":"baidu baidufe javascript template baiduTemplate baidutemplate","version":"1.0.5-dev","words":"baidutemplate a very easy to use javascript template engine =wangxiao baidu baidufe javascript template baidutemplate baidutemplate","author":"=wangxiao","date":"2012-08-02 "},{"name":"baidutemplate-x","description":"a fork of baidutemplate to fix bugs","url":null,"keywords":"","version":"1.0.6","words":"baidutemplate-x a fork of baidutemplate to fix bugs =fouber","author":"=fouber","date":"2013-08-06 "},{"name":"baijs","description":"Baijs theme for project pages.","url":null,"keywords":"","version":"0.0.6","words":"baijs baijs theme for project pages. =wieringen","author":"=wieringen","date":"2014-07-29 "},{"name":"bailey","description":"A coffeescript without that bitter after-taste.","url":null,"keywords":"","version":"0.0.13","words":"bailey a coffeescript without that bitter after-taste. =haeric","author":"=haeric","date":"2014-08-02 "},{"name":"baio-amqp","description":"simple amqp client","url":null,"keywords":"amqp, baio","version":"0.0.1","words":"baio-amqp simple amqp client =baio amqp, baio","author":"=baio","date":"2013-08-21 "},{"name":"baio-es","description":"Elastic search basic operations","url":null,"keywords":"es elastic search","version":"0.1.3","words":"baio-es elastic search basic operations =baio es elastic search","author":"=baio","date":"2014-02-11 "},{"name":"baio-mongo","description":"Little helper library for native nodejs mongodb driver","url":null,"keywords":"mongodb mongo","version":"1.0.2","words":"baio-mongo little helper library for native nodejs mongodb driver =baio mongodb mongo","author":"=baio","date":"2013-02-18 "},{"name":"bakaconf","description":"A junky configuration store.","url":null,"keywords":"","version":"0.1.0","words":"bakaconf a junky configuration store. =kumatch","author":"=kumatch","date":"2014-07-23 "},{"name":"bake","description":"static file bakery","url":null,"keywords":"","version":"1.0.1","words":"bake static file bakery =pvorb","author":"=pvorb","date":"2014-01-07 "},{"name":"bake-a-cake","description":"script to quickly init a coffee project. Including cakfile file","url":null,"keywords":"Coffee-script bootstrap script cake init","version":"0.1.0","words":"bake-a-cake script to quickly init a coffee project. including cakfile file =wlaurance coffee-script bootstrap script cake init","author":"=wlaurance","date":"2013-01-11 "},{"name":"bake-bash","description":"Simple bash make utility","url":null,"keywords":"","version":"0.1.1","words":"bake-bash simple bash make utility =mgutz","author":"=mgutz","date":"2012-06-08 "},{"name":"bake-js","description":"Composing Small Javascript Libraries, Homebrew Style","url":null,"keywords":"build","version":"0.3.1","words":"bake-js composing small javascript libraries, homebrew style =damonoehlman build","author":"=damonoehlman","date":"2014-05-13 "},{"name":"bake-tasks","description":"Task extensions for bake(1)","url":null,"keywords":"","version":"0.0.7","words":"bake-tasks task extensions for bake(1) =muji","author":"=muji","date":"2013-10-18 "},{"name":"baked-in-a-pi-server","description":"baked-in-a-pi-server","url":null,"keywords":"","version":"0.0.9","words":"baked-in-a-pi-server baked-in-a-pi-server =nufcfan","author":"=nufcfan","date":"2014-07-05 "},{"name":"baker","description":"bakes your cake","url":null,"keywords":"","version":"0.1.0","words":"baker bakes your cake =elliot","author":"=elliot","date":"2011-11-28 "},{"name":"bakerhelper","description":"Helper for Cakefile","url":null,"keywords":"build cake","version":"0.0.3","words":"bakerhelper helper for cakefile =dsimard build cake","author":"=dsimard","date":"2013-10-08 "},{"name":"bakery","description":"Command line tools for developing PieJS applications","url":null,"keywords":"bakery pie piejs dependencies","version":"0.0.10","words":"bakery command line tools for developing piejs applications =chrislondon bakery pie piejs dependencies","author":"=chrislondon","date":"2013-01-17 "},{"name":"bakery-commons","description":"bakery-commons ==============","url":null,"keywords":"","version":"0.1.0","words":"bakery-commons bakery-commons ============== =okunishinishi","author":"=okunishinishi","date":"2013-09-01 "},{"name":"bakery-desktop","description":"bakery-desktop ==============","url":null,"keywords":"","version":"0.0.9","words":"bakery-desktop bakery-desktop ============== =okunishinishi","author":"=okunishinishi","date":"2013-09-02 "},{"name":"bal-util","description":"Common utility functions for Node.js used and maintained by Benjamin Lupton","url":null,"keywords":"javascript flow control async sync tasks batch utility util utilities paths path events event module modules compare comparison html","version":"2.4.1","words":"bal-util common utility functions for node.js used and maintained by benjamin lupton =balupton javascript flow control async sync tasks batch utility util utilities paths path events event module modules compare comparison html","author":"=balupton","date":"2014-01-10 "},{"name":"balance","description":"A very simple load balancer based on http-proxy. Intended for testing apps in development.","url":null,"keywords":"","version":"0.0.3","words":"balance a very simple load balancer based on http-proxy. intended for testing apps in development. =johnnypez","author":"=johnnypez","date":"2011-11-16 "},{"name":"balance-svg-paths","description":"balance svg paths","url":null,"keywords":"balance svg path normalize restructure","version":"0.1.0","words":"balance-svg-paths balance svg paths =jkroso balance svg path normalize restructure","author":"=jkroso","date":"2014-01-04 "},{"name":"balanced","description":"Balanced Payments for Node","url":null,"keywords":"balanced payments","version":"0.0.0","words":"balanced balanced payments for node =cjm balanced payments","author":"=cjm","date":"2012-12-04 "},{"name":"balanced-ach-crowdfund","description":"Balanced ACH Debit Client for Equity Crowdfunding","url":null,"keywords":"Equity Crowdfunding JOBS Balanced Redis Healthcare","version":"0.0.2","words":"balanced-ach-crowdfund balanced ach debit client for equity crowdfunding =htaox equity crowdfunding jobs balanced redis healthcare","author":"=htaox","date":"2014-07-29 "},{"name":"balanced-client","description":"minimal client for balanced payments API","url":null,"keywords":"","version":"0.0.4","words":"balanced-client minimal client for balanced payments api =stereosteve","author":"=stereosteve","date":"2013-08-23 "},{"name":"balanced-match","description":"Match balanced character pairs, like \"{\" and \"}\"","url":null,"keywords":"match regexp test balanced parse","version":"0.1.0","words":"balanced-match match balanced character pairs, like \"{\" and \"}\" =juliangruber match regexp test balanced parse","author":"=juliangruber","date":"2014-04-24 "},{"name":"balanced-node-new","description":"Offical Balanced Payments API Client for node.js, https://www.balancedpayments.com/docs/api","url":null,"keywords":"balanced payments","version":"0.4.9","words":"balanced-node-new offical balanced payments api client for node.js, https://www.balancedpayments.com/docs/api =typefoo balanced payments","author":"=typefoo","date":"2014-02-23 "},{"name":"balanced-official","description":"Official Balanced Payments API Client for node.js, https://www.balancedpayments.com/docs/api","url":null,"keywords":"balanced payments","version":"1.3.1","words":"balanced-official official balanced payments api client for node.js, https://www.balancedpayments.com/docs/api =matthewfl =remear =balanced-butler balanced payments","author":"=matthewfl =remear =balanced-butler","date":"2014-07-30 "},{"name":"balanced-official-beta","description":"Offical Balanced Payments API Client for node.js, https://www.balancedpayments.com/docs/api","url":null,"keywords":"balanced payments","version":"1.0.3","words":"balanced-official-beta offical balanced payments api client for node.js, https://www.balancedpayments.com/docs/api =matthewfl balanced payments","author":"=matthewfl","date":"2014-07-03 "},{"name":"balancer","description":"Load Balancer for node.js (supports WebSockets)","url":null,"keywords":"load balancer balancer websocket","version":"0.2.3","words":"balancer load balancer for node.js (supports websockets) =fedor.indutny load balancer balancer websocket","author":"=fedor.indutny","date":"2011-04-13 "},{"name":"balancier","description":"round robin load balancer","url":null,"keywords":"load balancer round robin proxy","version":"0.0.0","words":"balancier round robin load balancer =tjkrusinski load balancer round robin proxy","author":"=tjkrusinski","date":"2014-01-31 "},{"name":"balancing-request","description":"An extension to request that creates a balancing URL request stream.","url":null,"keywords":"url balancing http","version":"0.1.3","words":"balancing-request an extension to request that creates a balancing url request stream. =connrs url balancing http","author":"=connrs","date":"2013-04-13 "},{"name":"balancing-url","description":"A URL class to randomise URLs","url":null,"keywords":"","version":"0.1.1","words":"balancing-url a url class to randomise urls =connrs","author":"=connrs","date":"2013-04-13 "},{"name":"balbo","description":"A node.js module wrapper for handlebars.js 1.0.beta.6","url":null,"keywords":"","version":"1.0.0","words":"balbo a node.js module wrapper for handlebars.js 1.0.beta.6 =no9","author":"=no9","date":"2012-10-08 "},{"name":"balderstonb_math_example","description":"an example","url":null,"keywords":"math","version":"0.0.0","words":"balderstonb_math_example an example =balderstonb math","author":"=balderstonb","date":"2013-04-12 "},{"name":"baldrick","description":"Your own private dogsbody. Does the shitty work you can't be arsed to do.","url":null,"keywords":"","version":"0.1.2","words":"baldrick your own private dogsbody. does the shitty work you can't be arsed to do. =75lb","author":"=75lb","date":"2014-06-18 "},{"name":"bale","description":"Let's bale up some Node","url":null,"keywords":"","version":"0.2.0","words":"bale let's bale up some node =jpillora","author":"=jpillora","date":"2013-12-01 "},{"name":"baleen","description":"Uses parsicle to create binary parsers and serializers for keratin data.","url":null,"keywords":"","version":"0.1.2","words":"baleen uses parsicle to create binary parsers and serializers for keratin data. =lfdoherty","author":"=lfdoherty","date":"2014-06-29 "},{"name":"balibot-scripts","description":"Allows you to opt in to a variety of scripts","url":null,"keywords":"hubot plugin scripts for balihoo","version":"1.0.2","words":"balibot-scripts allows you to opt in to a variety of scripts =drdamour hubot plugin scripts for balihoo","author":"=drdamour","date":"2013-03-05 "},{"name":"ball-morphology","description":"Morphological operations with ball shaped structuring elements","url":null,"keywords":"ball morphology dilate erode open close mathematical image volume binary vision","version":"0.1.0","words":"ball-morphology morphological operations with ball shaped structuring elements =mikolalysenko ball morphology dilate erode open close mathematical image volume binary vision","author":"=mikolalysenko","date":"2013-06-27 "},{"name":"ballad","keywords":"","version":[],"words":"ballad","author":"","date":"2014-04-05 "},{"name":"baller","description":"Organizes your configuration files","url":null,"keywords":"config configuration files","version":"0.4.1","words":"baller organizes your configuration files =jbrudvik config configuration files","author":"=jbrudvik","date":"2014-08-27 "},{"name":"ballet","description":"Browser client for Uzo","url":null,"keywords":"realtime transportation io","version":"0.0.0","words":"ballet browser client for uzo =azer realtime transportation io","author":"=azer","date":"2014-08-20 "},{"name":"ballin-coinbase-api","description":"Nodejs coinbase api","url":null,"keywords":"node api lib bitcoin coinbase ballin btc","version":"0.0.1","words":"ballin-coinbase-api nodejs coinbase api =sahlhoff node api lib bitcoin coinbase ballin btc","author":"=sahlhoff","date":"2014-03-01 "},{"name":"ballistic","description":"Utility-Belt Library for Sass","url":null,"keywords":"bootcamp sass scss underscore bower","version":"0.3.1","words":"ballistic utility-belt library for sass =thejameskyle bootcamp sass scss underscore bower","author":"=thejameskyle","date":"2014-01-19 "},{"name":"balloon","description":"A node.js module for sending beautiful emails using jade for templates.","url":null,"keywords":"node-email node-email-templates node-mailer ses jade","version":"0.0.5","words":"balloon a node.js module for sending beautiful emails using jade for templates. =koopa node-email node-email-templates node-mailer ses jade","author":"=koopa","date":"2012-08-29 "},{"name":"ballpark","description":"benchmarks","url":null,"keywords":"","version":"0.0.0","words":"ballpark benchmarks =seanmonstar","author":"=seanmonstar","date":"2014-06-04 "},{"name":"balmung","description":"Web tools for optimizing images","url":null,"keywords":"","version":"0.3.7","words":"balmung web tools for optimizing images =suguru","author":"=suguru","date":"2014-04-25 "},{"name":"balrog","description":"static site generator","url":null,"keywords":"","version":"1.0.1","words":"balrog static site generator =brianloveswords =jlord","author":"=brianloveswords =jlord","date":"2014-09-02 "},{"name":"balrog-meta-htmlcomment","description":"Extract metadata from files by looking at a leading comment!","url":null,"keywords":"balrog metadata","version":"0.0.1","words":"balrog-meta-htmlcomment extract metadata from files by looking at a leading comment! =brianloveswords balrog metadata","author":"=brianloveswords","date":"2013-10-28 "},{"name":"balsam","keywords":"","version":[],"words":"balsam","author":"","date":"2014-04-05 "},{"name":"bam","description":"The Easiest Static Site Generator on the Planet!","url":null,"keywords":"","version":"0.9.2","words":"bam the easiest static site generator on the planet! =jackhq","author":"=jackhq","date":"2012-09-27 "},{"name":"bamboo","description":"A model library for client side javascript making it easy to load and persist javascript-object like data structures to/from a backend (typically over ajax) and use them in view/template bindings.","url":null,"keywords":"","version":"0.0.7","words":"bamboo a model library for client side javascript making it easy to load and persist javascript-object like data structures to/from a backend (typically over ajax) and use them in view/template bindings. =shtylman","author":"=shtylman","date":"2014-03-01 "},{"name":"bamboo-api","description":"Node wrapper around Atlassian Bamboo API","url":null,"keywords":"bamboo rest-api ci","version":"0.0.5","words":"bamboo-api node wrapper around atlassian bamboo api =sebarmeli bamboo rest-api ci","author":"=sebarmeli","date":"2014-09-19 "},{"name":"bamboo-status","description":"Get your Bamboo build status as image (deeply inspired by travis-ci status images...)","url":null,"keywords":"bamboo status atlassian","version":"0.0.1","words":"bamboo-status get your bamboo build status as image (deeply inspired by travis-ci status images...) =chamerling bamboo status atlassian","author":"=chamerling","date":"2013-04-03 "},{"name":"bamboo-sync-ajax","description":"ajax sync for bamboo","url":null,"keywords":"","version":"0.0.1","words":"bamboo-sync-ajax ajax sync for bamboo =shtylman","author":"=shtylman","date":"2014-05-15 "},{"name":"bamboohr","keywords":"","version":[],"words":"bamboohr","author":"","date":"2014-08-25 "},{"name":"bamboomodule","description":"A module for learning perpose.","url":null,"keywords":"","version":"0.0.1","words":"bamboomodule a module for learning perpose. =bambood","author":"=bambood","date":"2014-06-25 "},{"name":"bamdic","keywords":"","version":[],"words":"bamdic","author":"","date":"2014-06-18 "},{"name":"bamjs","description":"Backbone with modifications. Adds heirarchy to Views, derived properties on Models and general utility.","url":null,"keywords":"backbone heirachy heirachical bam derived","version":"1.0.1","words":"bamjs backbone with modifications. adds heirarchy to views, derived properties on models and general utility. =bockit backbone heirachy heirachical bam derived","author":"=bockit","date":"2014-09-03 "},{"name":"bamreader","description":"object to read bams","url":null,"keywords":"bam bioinfo bio sam samtools ngs sequencer mapping","version":"0.2.1","words":"bamreader object to read bams =shinout bam bioinfo bio sam samtools ngs sequencer mapping","author":"=shinout","date":"2014-07-16 "},{"name":"banana","description":"food for monkeys, toolbox for lazy developers","url":null,"keywords":"","version":"0.0.0","words":"banana food for monkeys, toolbox for lazy developers =elliot","author":"=elliot","date":"2012-02-01 "},{"name":"banana-man","description":"Creates men from bananas","url":null,"keywords":"","version":"0.0.0","words":"banana-man creates men from bananas =davidmarkclements","author":"=davidmarkclements","date":"2014-08-07 "},{"name":"bancroft","description":"gpsd client for GPS tracking device.","url":null,"keywords":"gps gpsd location tracking position","version":"0.0.11","words":"bancroft gpsd client for gps tracking device. =pdeschen gps gpsd location tracking position","author":"=pdeschen","date":"2014-02-17 "},{"name":"band","description":"Cluster management for nodejs","url":null,"keywords":"cluster core node management fork process","version":"0.0.0","words":"band cluster management for nodejs =bredele cluster core node management fork process","author":"=bredele","date":"2014-04-11 "},{"name":"bandcamp","description":"Library for rocking out with Bandcamp's API","url":null,"keywords":"bandcamp api music","version":"0.0.7","words":"bandcamp library for rocking out with bandcamp's api =kmiyashiro bandcamp api music","author":"=kmiyashiro","date":"2012-05-24 "},{"name":"bandcamp-csv-parser","description":"Parse bandcamp csvs","url":null,"keywords":"","version":"0.0.4","words":"bandcamp-csv-parser parse bandcamp csvs =jb55","author":"=jb55","date":"2014-04-18 "},{"name":"bandeng","keywords":"","version":[],"words":"bandeng","author":"","date":"2013-11-07 "},{"name":"BandGravity","description":"BandGravity","url":null,"keywords":"","version":"0.1.0","words":"bandgravity bandgravity =jasonbyttow","author":"=jasonbyttow","date":"2012-04-25 "},{"name":"bandwidth","description":"Node.js module which provides an Bandwidth API client","url":null,"keywords":"catapult sms api voip api","version":"0.0.12","words":"bandwidth node.js module which provides an bandwidth api client =scottbarstow catapult sms api voip api","author":"=scottbarstow","date":"2014-09-15 "},{"name":"bane","description":"(Yet another) Event emitter for Node, Browser globals and AMD","url":null,"keywords":"","version":"1.1.0","words":"bane (yet another) event emitter for node, browser globals and amd =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2013-11-23 "},{"name":"bang","description":"Text snippets on the command line.","url":null,"keywords":"","version":"1.0.4","words":"bang text snippets on the command line. =jimmycuadra","author":"=jimmycuadra","date":"2013-03-14 "},{"name":"bangdb","description":"BangDB Bindings for NodeJS","url":null,"keywords":"","version":"0.1.0","words":"bangdb bangdb bindings for nodejs =mhernandez","author":"=mhernandez","date":"2014-08-14 "},{"name":"bangular","description":"Build automation for compiling angular projects. Think meteor.js asset compilation, but angular","url":null,"keywords":"angular","version":"0.0.8","words":"bangular build automation for compiling angular projects. think meteor.js asset compilation, but angular =dduck angular","author":"=dduck","date":"2014-02-11 "},{"name":"bangumi","description":"Bangumi API client library for node.js","url":null,"keywords":"bangumi","version":"0.1.0","words":"bangumi bangumi api client library for node.js =ruocaled bangumi","author":"=ruocaled","date":"2013-04-15 "},{"name":"banish-jasmine-iit-ddescribe","description":"Raise an error if the Jasmine tests contain at least one iit or ddescribe block.","url":null,"keywords":"gruntplugin, jasmine, grunt, test, bdd","version":"0.0.2","words":"banish-jasmine-iit-ddescribe raise an error if the jasmine tests contain at least one iit or ddescribe block. =dorzey gruntplugin, jasmine, grunt, test, bdd","author":"=dorzey","date":"2013-09-29 "},{"name":"banjo","description":"Banjo is an NodeJS Express based, Symfony2 DI-container inspired application framework","url":null,"keywords":"","version":"0.0.1","words":"banjo banjo is an nodejs express based, symfony2 di-container inspired application framework =netgusto","author":"=netgusto","date":"2014-07-20 "},{"name":"bank","description":"simple.com API client","url":null,"keywords":"","version":"0.0.2","words":"bank simple.com api client =fractal","author":"=fractal","date":"2013-12-17 "},{"name":"bank-fan","description":"Inspired by the great @BofA_Help bot, a demonstration of how to use Twitter's Streaming API with sentiment analysis to get yourself in trouble","url":null,"keywords":"twitter sentiment coffee bofa bot","version":"0.0.1","words":"bank-fan inspired by the great @bofa_help bot, a demonstration of how to use twitter's streaming api with sentiment analysis to get yourself in trouble =mrluc twitter sentiment coffee bofa bot","author":"=mrluc","date":"2013-07-08 "},{"name":"bank-run","description":"See where your money goes.","url":null,"keywords":"","version":"0.1.1","words":"bank-run see where your money goes. =winton","author":"=winton","date":"2013-06-17 "},{"name":"banker","description":"Downloads transactions and balances from online banking websites using Zombie.js.","url":null,"keywords":"bank banking download scrape scraper money finance financial export transactions","version":"0.0.2","words":"banker downloads transactions and balances from online banking websites using zombie.js. =nylen bank banking download scrape scraper money finance financial export transactions","author":"=nylen","date":"2014-08-03 "},{"name":"banking","description":"The missing Bank API for getting you statement data","url":null,"keywords":"banking ofx financial bank quickbooks","version":"0.3.0","words":"banking the missing bank api for getting you statement data =euforic banking ofx financial bank quickbooks","author":"=euforic","date":"2013-12-03 "},{"name":"banner","description":"A banner generator","url":null,"keywords":"readme","version":"0.0.5","words":"banner a banner generator =tmcw readme","author":"=tmcw","date":"2012-01-30 "},{"name":"banners","description":"Reusable banners for Node.js projects.","url":null,"keywords":"banner banners","version":"0.1.4","words":"banners reusable banners for node.js projects. =jonschlinkert banner banners","author":"=jonschlinkert","date":"2014-01-12 "},{"name":"banoffee","description":"E2E testing for your node.js web app, using Selenium, ChromeDriver, Mocha, SauceLabs, ...","url":null,"keywords":"e2e selenium web driver wd saucelabs mocha","version":"0.0.2","words":"banoffee e2e testing for your node.js web app, using selenium, chromedriver, mocha, saucelabs, ... =lupomontero e2e selenium web driver wd saucelabs mocha","author":"=lupomontero","date":"2014-02-27 "},{"name":"banquo","description":"Banquo builds off of [Depict](https://github.com/kevinschaul/depict), a node library designed to use PhantomJS to take screenshots of interactive visualizations. Banquo is slightly different in that it is built to be called on a Node.js server and returns","url":null,"keywords":"","version":"0.1.9","words":"banquo banquo builds off of [depict](https://github.com/kevinschaul/depict), a node library designed to use phantomjs to take screenshots of interactive visualizations. banquo is slightly different in that it is built to be called on a node.js server and returns =mhkeller =ajam","author":"=mhkeller =ajam","date":"2014-09-17 "},{"name":"banshee","description":"A speedy tool for combining and compressing your JavaScript, CoffeeScript, CSS and LESS source files","url":null,"keywords":"","version":"0.1.1","words":"banshee a speedy tool for combining and compressing your javascript, coffeescript, css and less source files =caseyohara =taylorsmith","author":"=caseyohara =taylorsmith","date":"2014-04-09 "},{"name":"bant","url":null,"keywords":"","version":"0.1.0","words":"bant =tetsuo","author":"=tetsuo","date":"2014-09-08 "},{"name":"banter-js","description":"Angular based real-time app for communicating with customers via IRC. Individual customers connect to a common IRC channel, giving staff members the ability to see all customers' messages, with the ability to respond directly and individually.","url":null,"keywords":"messaging realtime messaging client messaging","version":"1.0.2","words":"banter-js angular based real-time app for communicating with customers via irc. individual customers connect to a common irc channel, giving staff members the ability to see all customers' messages, with the ability to respond directly and individually. =wildhoney messaging realtime messaging client messaging","author":"=wildhoney","date":"2013-10-25 "},{"name":"banzai","description":"Library for creating document processing pipelines","url":null,"keywords":"","version":"0.5.12","words":"banzai library for creating document processing pipelines =pgte","author":"=pgte","date":"2011-11-23 "},{"name":"banzai-couchdb-store","description":"CouchDB plugin module for Banzai document store.","url":null,"keywords":"","version":"1.0.3","words":"banzai-couchdb-store couchdb plugin module for banzai document store. =pgte","author":"=pgte","date":"2011-09-26 "},{"name":"banzai-docstore-couchdb","description":"CouchDB plugin module for Banzai document store.","url":null,"keywords":"","version":"1.0.1","words":"banzai-docstore-couchdb couchdb plugin module for banzai document store. =pgte","author":"=pgte","date":"2011-09-21 "},{"name":"banzai-redis","description":"Redis queueing plugin module for Banzai","url":null,"keywords":"","version":"0.3.6","words":"banzai-redis redis queueing plugin module for banzai =pgte","author":"=pgte","date":"2012-03-08 "},{"name":"banzai-statestore-couchdb","description":"CouchDB plugin module for Banzai state store.","url":null,"keywords":"","version":"1.0.1","words":"banzai-statestore-couchdb couchdb plugin module for banzai state store. =pgte","author":"=pgte","date":"2011-09-21 "},{"name":"banzai-statestore-mem","description":"Plugin module for Banzai state store. Mainly used for testing.","url":null,"keywords":"","version":"1.1.0","words":"banzai-statestore-mem plugin module for banzai state store. mainly used for testing. =pgte","author":"=pgte","date":"2011-10-11 "},{"name":"bao","description":"just for testing","url":null,"keywords":"test","version":"0.0.1","words":"bao just for testing =pqw test","author":"=pqw","date":"2013-10-31 "},{"name":"baohe","description":"CLI tool for personal cloud storage services","url":null,"keywords":"cli storage baidu weiyun","version":"0.0.2","words":"baohe cli tool for personal cloud storage services =nevill cli storage baidu weiyun","author":"=nevill","date":"2013-09-26 "},{"name":"baozi-chat","url":null,"keywords":"","version":"0.0.1","words":"baozi-chat =alanerzhao","author":"=alanerzhao","date":"2014-05-15 "},{"name":"bapi","description":"A small wrapper to Alfredo API services","url":null,"keywords":"api post get put delete request","version":"0.1.0","words":"bapi a small wrapper to alfredo api services =bu api post get put delete request","author":"=bu","date":"2012-08-14 "},{"name":"baproof","description":"Tool to prove how many bitcoins someone controls. Intended for use as part of the blind-solvency-proof scheme.","url":null,"keywords":"bitcoin solvency assets asset proof cryptography","version":"0.0.7","words":"baproof tool to prove how many bitcoins someone controls. intended for use as part of the blind-solvency-proof scheme. =olalonde bitcoin solvency assets asset proof cryptography","author":"=olalonde","date":"2014-03-24 "},{"name":"baptize","description":"turn an es6 generator (function or object) into a readstream","url":null,"keywords":"stream es6 harmony generators","version":"0.1.0","words":"baptize turn an es6 generator (function or object) into a readstream =ninegrid stream es6 harmony generators","author":"=ninegrid","date":"2014-06-26 "},{"name":"baqijiege","description":"jiege zui niubi!","url":null,"keywords":"jiege","version":"0.0.2","words":"baqijiege jiege zui niubi! =zedtse jiege","author":"=zedtse","date":"2014-08-08 "},{"name":"bar","description":"Node.js framework for building large modular web applications","url":null,"keywords":"","version":"0.1.2","words":"bar node.js framework for building large modular web applications =fedor.indutny","author":"=fedor.indutny","date":"2013-02-10 "},{"name":"bar-hero","description":"Pub/Sub handler for express","url":null,"keywords":"","version":"0.0.1","words":"bar-hero pub/sub handler for express =coryflucas","author":"=coryflucas","date":"2014-04-12 "},{"name":"bar-of-progress","description":"bar-of-progress","url":null,"keywords":"","version":"1.0.4","words":"bar-of-progress bar-of-progress =mattlarner","author":"=mattlarner","date":"2014-08-01 "},{"name":"barb","description":"Bitcoin arbitrage bot","url":null,"keywords":"","version":"0.1.1","words":"barb bitcoin arbitrage bot =cab","author":"=cab","date":"2013-08-14 "},{"name":"barbara","description":"Brewing And Related Brew products Are Robotically Arranged","url":null,"keywords":"","version":"1.0.0","words":"barbara brewing and related brew products are robotically arranged =achingbrain","author":"=achingbrain","date":"2013-11-09 "},{"name":"barbeque","description":"Redis-based task queue library for Node.js, inspired by Celery and Kue.","url":null,"keywords":"barbeque barbecue bbq task job queue kue schedule delay worker redis db pubsub","version":"0.2.4","words":"barbeque redis-based task queue library for node.js, inspired by celery and kue. =pilwon barbeque barbecue bbq task job queue kue schedule delay worker redis db pubsub","author":"=pilwon","date":"2014-04-29 "},{"name":"barber","description":"Write CSS in Javascript","url":null,"keywords":"css style","version":"0.1.0","words":"barber write css in javascript =airportyh css style","author":"=airportyh","date":"2013-10-29 "},{"name":"barc","description":"Library for creating 1D barcodes with node.js. Backed by node-canvas.","url":null,"keywords":"barcode canvas code 128 code 2of5","version":"0.0.4","words":"barc library for creating 1d barcodes with node.js. backed by node-canvas. =birchroad barcode canvas code 128 code 2of5","author":"=birchroad","date":"2013-01-13 "},{"name":"barchat2","description":"A real-time chat system.","url":null,"keywords":"","version":"0.0.1","words":"barchat2 a real-time chat system. =ringmaster","author":"=ringmaster","date":"2012-03-14 "},{"name":"barcode","description":"Generate 1D and 2D barcodes","url":null,"keywords":"barcode datamatrix code39 code128 codabar qr code qr code upc upc-a upc-e","version":"0.1.0","words":"barcode generate 1d and 2d barcodes =samt barcode datamatrix code39 code128 codabar qr code qr code upc upc-a upc-e","author":"=samt","date":"2014-08-14 "},{"name":"barcode-generator","description":"Library for creating 1D barcodes with node.js","url":null,"keywords":"barcode code 128","version":"0.1.0","words":"barcode-generator library for creating 1d barcodes with node.js =cristobal151 barcode code 128","author":"=cristobal151","date":"2013-10-14 "},{"name":"barcoder","description":"Barcoder is a simple EAN/GTIN validator","url":null,"keywords":"EAN GTIN validator barcode","version":"1.1.2","words":"barcoder barcoder is a simple ean/gtin validator =dominiklessel ean gtin validator barcode","author":"=dominiklessel","date":"2014-05-09 "},{"name":"bard","description":"## bard/reactive","url":null,"keywords":"bard data binding","version":"0.0.5","words":"bard ## bard/reactive =cujojs bard data binding","author":"=cujojs","date":"2013-07-25 "},{"name":"bare","description":"The opposite of a framework","url":null,"keywords":"bare framework web api router rest app","version":"0.0.2","words":"bare the opposite of a framework =dkolba =sbugert bare framework web api router rest app","author":"=dkolba =sbugert","date":"2014-09-09 "},{"name":"bare-objects","description":"Shorthand notation for Object.create(null) via node module hook","url":null,"keywords":"node javascript loader require objects Object.create","version":"0.2.0","words":"bare-objects shorthand notation for object.create(null) via node module hook =bahmutov node javascript loader require objects object.create","author":"=bahmutov","date":"2014-04-13 "},{"name":"barefoot","description":"barefoot is a utility-belt library for Node for asynchronous functions manipulation","url":null,"keywords":"","version":"0.0.24","words":"barefoot barefoot is a utility-belt library for node for asynchronous functions manipulation =matttam =noisysocks","author":"=matttam =noisysocks","date":"2013-11-19 "},{"name":"barf","description":"async before and after filters for Backbone.Router","url":null,"keywords":"bacbkone async before after filter","version":"1.0.3","words":"barf async before and after filters for backbone.router =svnlto bacbkone async before after filter","author":"=svnlto","date":"2014-03-10 "},{"name":"barge","description":"micro-service orchestration framework","url":null,"keywords":"distributed services zeromq","version":"0.0.4","words":"barge micro-service orchestration framework =spro distributed services zeromq","author":"=spro","date":"2014-06-27 "},{"name":"barillet","description":"A Connect middleware handling 1 factor TOTP authentication.","url":null,"keywords":"mongodb connect middleware authentification totp","version":"0.0.4","words":"barillet a connect middleware handling 1 factor totp authentication. =nucky mongodb connect middleware authentification totp","author":"=nucky","date":"2014-06-29 "},{"name":"barista","description":"URL router & generator, similar to Rails / merb","url":null,"keywords":"","version":"0.4.0","words":"barista url router & generator, similar to rails / merb =kieran","author":"=kieran","date":"2014-06-02 "},{"name":"bark","description":"A collection of web rendering functions","url":null,"keywords":"framework web middleware render","version":"0.1.2","words":"bark a collection of web rendering functions =ianjorgensen =mafintosh framework web middleware render","author":"=ianjorgensen =mafintosh","date":"2011-09-10 "},{"name":"bark-notifications","description":"- jQuery - [transit](http://ricostacruz.com/jquery.transit/)","url":null,"keywords":"","version":"0.0.3","words":"bark-notifications - jquery - [transit](http://ricostacruz.com/jquery.transit/) =architectd","author":"=architectd","date":"2012-12-09 "},{"name":"barke","description":"A simple node library for Embarke, built off SendGrid's node library","url":null,"keywords":"","version":"0.1.0","words":"barke a simple node library for embarke, built off sendgrid's node library =nquinlan","author":"=nquinlan","date":"2014-07-11 "},{"name":"barkeep","description":"Serve the contents of a directory and livereload those that change.","url":null,"keywords":"live reload livereload server static","version":"0.3.0","words":"barkeep serve the contents of a directory and livereload those that change. =jmorrell live reload livereload server static","author":"=jmorrell","date":"2014-08-17 "},{"name":"barkeeper-component-barkeeper","keywords":"","version":[],"words":"barkeeper-component-barkeeper","author":"","date":"2014-02-26 "},{"name":"barley","description":"Node/Markdown powered javascript blog based off wheat.","url":null,"keywords":"","version":"0.0.1","words":"barley node/markdown powered javascript blog based off wheat. =frodare","author":"=frodare","date":"2012-09-14 "},{"name":"barman","description":"A small library to brew JavaScript objects.","url":null,"keywords":"traits oop classes objects object composition inheritance class","version":"0.4.2","words":"barman a small library to brew javascript objects. =dfernandez79 traits oop classes objects object composition inheritance class","author":"=dfernandez79","date":"2014-03-03 "},{"name":"barnacle","description":"Simplified query interface for sails/waterline console","url":null,"keywords":"sails waterline console","version":"0.0.4","words":"barnacle simplified query interface for sails/waterline console =evanburchard sails waterline console","author":"=evanburchard","date":"2014-01-20 "},{"name":"barnacle-mode","description":"Build up an object with streams","url":null,"keywords":"","version":"0.0.2","words":"barnacle-mode build up an object with streams =connrs","author":"=connrs","date":"2014-02-25 "},{"name":"barnacle-redirect","description":"","keywords":"","version":[],"words":"barnacle-redirect =connrs","author":"=connrs","date":"2014-04-05 "},{"name":"barnacle-view","description":"A transform stream to take an object and output it to a HTTP response","url":null,"keywords":"","version":"0.0.1","words":"barnacle-view a transform stream to take an object and output it to a http response =connrs","author":"=connrs","date":"2014-03-31 "},{"name":"barney","description":"Allows to hook into the module loading process.","url":null,"keywords":"node require module load hook","version":"0.1.1","words":"barney allows to hook into the module loading process. =mkretschek node require module load hook","author":"=mkretschek","date":"2014-07-14 "},{"name":"barney-repl","description":"A embeded multi-line-able coffee-script runner.","url":null,"keywords":"","version":"0.0.2","words":"barney-repl a embeded multi-line-able coffee-script runner. =android","author":"=android","date":"2014-07-23 "},{"name":"BarneyRubble","url":null,"keywords":"","version":"1.0.0","words":"barneyrubble =badrinarayanan","author":"=badrinarayanan","date":"2012-05-05 "},{"name":"barnode","description":"Checks your favorite bar. in progress","url":null,"keywords":"","version":"0.0.2","words":"barnode checks your favorite bar. in progress =lo","author":"=lo","date":"2012-01-11 "},{"name":"barnowl","description":"Identify and locate wireless devices within a Smart Space with barnowl, a middleware package for reelyActive radio sensor infrastructure. We believe in an open Internet of Things.","url":null,"keywords":"reelyActive Bluetooth Smart BLE RFID IoT visibility packet UDP serial","version":"0.3.8","words":"barnowl identify and locate wireless devices within a smart space with barnowl, a middleware package for reelyactive radio sensor infrastructure. we believe in an open internet of things. =reelyactive reelyactive bluetooth smart ble rfid iot visibility packet udp serial","author":"=reelyactive","date":"2014-08-11 "},{"name":"barograph","keywords":"","version":[],"words":"barograph","author":"","date":"2014-04-05 "},{"name":"barracks","description":"An event dispatcher for the flux architecture","url":null,"keywords":"flux dispatcher react","version":"3.1.0","words":"barracks an event dispatcher for the flux architecture =yoshuawuyts flux dispatcher react","author":"=yoshuawuyts","date":"2014-09-20 "},{"name":"barrage","description":"Extensions to streams (as a mixin)","url":null,"keywords":"","version":"1.1.0","words":"barrage extensions to streams (as a mixin) =forbeslindesay","author":"=forbeslindesay","date":"2014-09-11 "},{"name":"barrel-roller","description":"A generic verical spinner","url":null,"keywords":"","version":"1.0.0","words":"barrel-roller a generic verical spinner =korynunn","author":"=korynunn","date":"2013-08-05 "},{"name":"barrels","description":"Simple DB Fixtures for Sails.js","url":null,"keywords":"","version":"1.0.1","words":"barrels simple db fixtures for sails.js =bredikhin","author":"=bredikhin","date":"2014-09-04 "},{"name":"barricane-db","description":"A NodeJS-based in-process database.","url":null,"keywords":"","version":"0.2.0","words":"barricane-db a nodejs-based in-process database. =chrisdew","author":"=chrisdew","date":"2011-02-10 "},{"name":"barrier","description":"A very simple implementation of Barrier as a coordination primitive","url":null,"keywords":"","version":"0.1.0","words":"barrier a very simple implementation of barrier as a coordination primitive =ddopson","author":"=ddopson","date":"2012-04-05 "},{"name":"barriertest","description":"Promises featured test framework","url":null,"keywords":"","version":"0.4.1","words":"barriertest promises featured test framework =wilkerlucio","author":"=wilkerlucio","date":"2014-04-18 "},{"name":"barrister","description":"Client and server bindings for Barrister RPC","url":null,"keywords":"rpc server","version":"0.1.8","words":"barrister client and server bindings for barrister rpc =coopernurse rpc server","author":"=coopernurse","date":"2014-06-09 "},{"name":"barry","description":"Barry.js - Soothing server-client model synchronization for JavaScript","url":null,"keywords":"mvc synchronization simple","version":"0.0.3","words":"barry barry.js - soothing server-client model synchronization for javascript =justmoon mvc synchronization simple","author":"=justmoon","date":"2013-06-16 "},{"name":"barry-donations","description":"Events-driven API for Barry's Donation Tracker (http://don.barrycarlyon.co.uk/)","url":null,"keywords":"","version":"0.1.0","words":"barry-donations events-driven api for barry's donation tracker (http://don.barrycarlyon.co.uk/) =lange","author":"=lange","date":"2014-09-17 "},{"name":"barry-io","description":"Socket.IO transport plugin for Barry.JS running under Node.js","url":null,"keywords":"","version":"0.0.4","words":"barry-io socket.io transport plugin for barry.js running under node.js =justmoon","author":"=justmoon","date":"2013-06-16 "},{"name":"barse","description":"Binary parser with a fluent api","url":null,"keywords":"binary parser parse fluent","version":"0.4.3","words":"barse binary parser with a fluent api =juliangruber binary parser parse fluent","author":"=juliangruber","date":"2013-12-31 "},{"name":"bart","description":"BART (Bay Area Rapid Transit) ETD Event Emitters","url":null,"keywords":"bart bay area rapid transit train api etd realtime events","version":"0.0.3","words":"bart bart (bay area rapid transit) etd event emitters =aashay bart bay area rapid transit train api etd realtime events","author":"=aashay","date":"2012-12-11 "},{"name":"bart-api","description":"Api client for api.bart.gov","url":null,"keywords":"bart bay area rapid transit train api","version":"0.0.0","words":"bart-api api client for api.bart.gov =jesusabdullah bart bay area rapid transit train api","author":"=jesusabdullah","date":"2012-09-17 "},{"name":"barterminal","url":null,"keywords":"","version":"0.0.1","words":"barterminal =gorillatron","author":"=gorillatron","date":"2014-09-17 "},{"name":"barth_math_package","description":"Math package","url":null,"keywords":"math example","version":"0.0.1","words":"barth_math_package math package =barth math example","author":"=barth","date":"2014-05-19 "},{"name":"bartleby","description":"A tool for tracking your variables as they change","url":null,"keywords":"","version":"0.0.2","words":"bartleby a tool for tracking your variables as they change =squidarth","author":"=squidarth","date":"2013-12-25 "},{"name":"bartlett","description":"A functional recursive descent parsing library","url":null,"keywords":"parser recursive-descent","version":"0.0.0","words":"bartlett a functional recursive descent parsing library =dyoder parser recursive-descent","author":"=dyoder","date":"2014-02-12 "},{"name":"bartondingtest001","description":"this is test npm package","url":null,"keywords":"","version":"0.0.2","words":"bartondingtest001 this is test npm package =barton.ding","author":"=barton.ding","date":"2013-12-10 "},{"name":"bartondingtest002","description":"","url":null,"keywords":"","version":"0.0.1","words":"bartondingtest002 =barton.ding","author":"=barton.ding","date":"2013-12-17 "},{"name":"bartonstest","description":"my first test npm package","url":null,"keywords":"test","version":"0.0.1","words":"bartonstest my first test npm package =bartonding test","author":"=bartonding","date":"2013-12-08 "},{"name":"barycentric","description":"Converts points to barycentric coordinates","url":null,"keywords":"simplex triangle tetrahedra line barycentric coordinate geometry","version":"1.0.1","words":"barycentric converts points to barycentric coordinates =mikolalysenko simplex triangle tetrahedra line barycentric coordinate geometry","author":"=mikolalysenko","date":"2014-08-25 "},{"name":"bas","description":"Behaviour Assertion Sheets: CSS-like declarative syntax for client-side integration testing and quality assurance.","url":null,"keywords":"test css behaviour integration testing declarative client-side crawl crawler assertion sheets bas","version":"0.0.32","words":"bas behaviour assertion sheets: css-like declarative syntax for client-side integration testing and quality assurance. =christopher giffard =cgiffard test css behaviour integration testing declarative client-side crawl crawler assertion sheets bas","author":"=Christopher Giffard =cgiffard","date":"2014-06-13 "},{"name":"bas.chocmixin","description":"Chocolat.app mixin for bas","url":null,"keywords":"bas","version":"0.0.1","words":"bas.chocmixin chocolat.app mixin for bas =christopher giffard =cgiffard bas","author":"=Christopher Giffard =cgiffard","date":"2013-09-24 "},{"name":"basalt","description":"A native BSON parser addon for Node.","url":null,"keywords":"bson parser addon extension native basalt","version":"1.0.1","words":"basalt a native bson parser addon for node. =philipaconrad bson parser addon extension native basalt","author":"=philipaconrad","date":"2013-06-27 "},{"name":"basdrum","description":"A wrapper for Bas to simplify web testing","url":null,"keywords":"","version":"0.0.3","words":"basdrum a wrapper for bas to simplify web testing =lasar","author":"=lasar","date":"2013-11-18 "},{"name":"base","description":"A lightweight micro web framework that build on connect.js and written in CoffeeScript.","url":null,"keywords":"framework api web mvc extensible micro","version":"0.5.0","words":"base a lightweight micro web framework that build on connect.js and written in coffeescript. =antz29 framework api web mvc extensible micro","author":"=antz29","date":"2012-04-09 "},{"name":"base-64","description":"A robust base64 encoder/decoder that is fully compatible with `atob()` and `btoa()`, written in JavaScript.","url":null,"keywords":"codec decoder encoder base64 atob btoa","version":"0.1.0","words":"base-64 a robust base64 encoder/decoder that is fully compatible with `atob()` and `btoa()`, written in javascript. =mathias codec decoder encoder base64 atob btoa","author":"=mathias","date":"2014-05-13 "},{"name":"base-alg","description":"base-alg","url":null,"keywords":"base-alg","version":"0.1.1","words":"base-alg base-alg =villadora base-alg","author":"=villadora","date":"2014-08-19 "},{"name":"base-cache","description":"A simple node.js base module for creating cache tables based on hashtables with a max size.","url":null,"keywords":"cache node-cache base-cache cache-table","version":"0.0.12","words":"base-cache a simple node.js base module for creating cache tables based on hashtables with a max size. =herenow cache node-cache base-cache cache-table","author":"=herenow","date":"2014-06-05 "},{"name":"base-class","description":"Easier way for creating classes in Node.js","url":null,"keywords":"class instance base","version":"1.0.3","words":"base-class easier way for creating classes in node.js =stanislaw-glogowski class instance base","author":"=stanislaw-glogowski","date":"2014-06-02 "},{"name":"base-converter","description":"Simple math tool for base convertion : decimal from/to any base","url":null,"keywords":"","version":"1.1.2","words":"base-converter simple math tool for base convertion : decimal from/to any base =naholyr","author":"=naholyr","date":"2011-11-29 "},{"name":"base-error","description":"Base Error","url":null,"keywords":"error extend","version":"1.0.4","words":"base-error base error =zlatkofedor error extend","author":"=zlatkofedor","date":"2014-06-04 "},{"name":"base-framework","description":"An object prototype building framework","url":null,"keywords":"objects prototyping framework","version":"1.0.1","words":"base-framework an object prototype building framework =charlottegore objects prototyping framework","author":"=CharlotteGore","date":"2012-04-21 "},{"name":"base-layout","description":"The layout of code starting","url":null,"keywords":"","version":"0.0.2","words":"base-layout the layout of code starting =ezhlobo","author":"=ezhlobo","date":"2014-07-16 "},{"name":"base-model","description":"a base model with an event emitter","url":null,"keywords":"","version":"0.0.1","words":"base-model a base model with an event emitter =bnwan","author":"=bnwan","date":"2014-04-17 "},{"name":"base-objects","description":"Base javascript objects with convenient inheritance and some shared features for node & browser, AMD","url":null,"keywords":"inheritance browser server","version":"0.7.1-alpha","words":"base-objects base javascript objects with convenient inheritance and some shared features for node & browser, amd =offirmo inheritance browser server","author":"=offirmo","date":"2014-02-12 "},{"name":"base-require","description":"require files from your base directory","url":null,"keywords":"require","version":"1.0.0","words":"base-require require files from your base directory =pllee require","author":"=pllee","date":"2014-09-04 "},{"name":"base-statuscode","description":"[![NPM version][npm-image]][npm-url] [![build status][travis-image]][travis-url] [![Test coverage][coveralls-image]][coveralls-url]","url":null,"keywords":"","version":"0.1.0","words":"base-statuscode [![npm version][npm-image]][npm-url] [![build status][travis-image]][travis-url] [![test coverage][coveralls-image]][coveralls-url] =yoshuawuyts","author":"=yoshuawuyts","date":"2014-08-05 "},{"name":"base-utils","description":"Extensions to underscore.js for manipulating arrays and objects","url":null,"keywords":"","version":"0.0.1","words":"base-utils extensions to underscore.js for manipulating arrays and objects =rranauro","author":"=rranauro","date":"2014-09-08 "},{"name":"base12","description":"12factor.net app platform for node.js, built on express 3","url":null,"keywords":"base12 framework web rest restful deploy deployment 12factor cloud","version":"0.3.5","words":"base12 12factor.net app platform for node.js, built on express 3 =hunterloftis =snodgrass23 =dbecher base12 framework web rest restful deploy deployment 12factor cloud","author":"=hunterloftis =snodgrass23 =dbecher","date":"2013-02-11 "},{"name":"base128","description":"Encode, decode binary to/from UTF-8 string using Base128.","url":null,"keywords":"","version":"0.1.0","words":"base128 encode, decode binary to/from utf-8 string using base128. =niw","author":"=niw","date":"2012-09-14 "},{"name":"base32","description":"Base32 encoding and decoding","url":null,"keywords":"","version":"0.0.6","words":"base32 base32 encoding and decoding =agnoster","author":"=agnoster","date":"2014-02-20 "},{"name":"base32k","description":"Efficiently pack binary data into UTF-16 strings.","url":null,"keywords":"base32k encode decode","version":"0.1.0","words":"base32k efficiently pack binary data into utf-16 strings. =simonratner base32k encode decode","author":"=simonratner","date":"2014-07-14 "},{"name":"base58","description":"Base58 encoding and decoding","url":null,"keywords":"base58","version":"0.1.0","words":"base58 base58 encoding and decoding =jimeh base58","author":"=jimeh","date":"2012-04-19 "},{"name":"base58-native","description":"An Implementation of Base58 and Base58Check encoding using bignum library.","url":null,"keywords":"base58 base58check base64 encoding","version":"0.1.4","words":"base58-native an implementation of base58 and base58check encoding using bignum library. =gasteve base58 base58check base64 encoding","author":"=gasteve","date":"2014-05-24 "},{"name":"base60","description":"base60","url":null,"keywords":"","version":"0.0.1","words":"base60 base60 =tjholowaychuk","author":"=tjholowaychuk","date":"2012-08-20 "},{"name":"base60fill","description":"base64 with bignum support and leftfill. Useful for generating sorted indexes.","url":null,"keywords":"fill bignum base64","version":"1.0.0","words":"base60fill base64 with bignum support and leftfill. useful for generating sorted indexes. =fritzy fill bignum base64","author":"=fritzy","date":"2014-06-23 "},{"name":"base62","description":"Javascript Base62 encode/decoder","url":null,"keywords":"base-62","version":"0.1.2","words":"base62 javascript base62 encode/decoder =andrewnez base-62","author":"=andrewnez","date":"2014-07-15 "},{"name":"base62-node","description":"base62 encode/decode library","url":null,"keywords":"","version":"0.3.1","words":"base62-node base62 encode/decode library =sasaplus1","author":"=sasaplus1","date":"2013-09-10 "},{"name":"base62.js","description":"base62 encode/decode library","url":null,"keywords":"","version":"0.4.1","words":"base62.js base62 encode/decode library =sasaplus1","author":"=sasaplus1","date":"2013-11-24 "},{"name":"base64","description":"A C++ module for node-js that does base64 encoding and decoding.","url":null,"keywords":"base conversion base64 base64 encode base64 decode base64_encode base64_decode encode decode","version":"2.1.0","words":"base64 a c++ module for node-js that does base64 encoding and decoding. =pkrumins base conversion base64 base64 encode base64 decode base64_encode base64_decode encode decode","author":"=pkrumins","date":"2013-06-11 "},{"name":"Base64","description":"Base64 encoding and decoding","url":null,"keywords":"","version":"0.3.0","words":"base64 base64 encoding and decoding =michaelficarra =davidchambers","author":"=michaelficarra =davidchambers","date":"2014-04-29 "},{"name":"base64-arraybuffer","description":"Encode/decode base64 data into ArrayBuffers","url":null,"keywords":"","version":"0.1.2","words":"base64-arraybuffer encode/decode base64 data into arraybuffers =niklasvh","author":"=niklasvh","date":"2014-03-18 "},{"name":"base64-decode","description":"Decode base-64 strings with JavaScript","url":null,"keywords":"","version":"1.0.2","words":"base64-decode decode base-64 strings with javascript =forbeslindesay","author":"=forbeslindesay","date":"2012-11-20 "},{"name":"base64-decode-stream","description":"Correctly decode a base64 streamed content into string","url":null,"keywords":"","version":"0.0.1","words":"base64-decode-stream correctly decode a base64 streamed content into string =jacobbubu","author":"=jacobbubu","date":"2013-03-22 "},{"name":"base64-encode","description":"Encode base-64 strings with JavaScript","url":null,"keywords":"","version":"2.0.1","words":"base64-encode encode base-64 strings with javascript =forbeslindesay","author":"=forbeslindesay","date":"2014-04-01 "},{"name":"base64-image","description":"a simple base64 string to image middleware of Express","url":null,"keywords":"base64 images canvas base64-to-image base64-image","version":"0.1.0","words":"base64-image a simple base64 string to image middleware of express =turing base64 images canvas base64-to-image base64-image","author":"=turing","date":"2014-08-06 "},{"name":"base64-js","description":"Base64 encoding/decoding in pure JS","url":null,"keywords":"","version":"0.0.7","words":"base64-js base64 encoding/decoding in pure js =beatgammit =feross","author":"=beatgammit =feross","date":"2014-06-06 "},{"name":"base64-js-codec","keywords":"","version":[],"words":"base64-js-codec","author":"","date":"2013-10-06 "},{"name":"base64-no-slash","description":"base64-no-slash ===============","url":null,"keywords":"","version":"0.1.0","words":"base64-no-slash base64-no-slash =============== =lianhanjin","author":"=lianhanjin","date":"2014-02-09 "},{"name":"base64-regex","description":"Regular expression for matching base64 encoded strings","url":null,"keywords":"base64 regex string","version":"1.0.0","words":"base64-regex regular expression for matching base64 encoded strings =kevva base64 regex string","author":"=kevva","date":"2014-08-18 "},{"name":"base64-stream","description":"Contains new Node.js v0.10 style stream classes for encoding / decoding Base64 data","url":null,"keywords":"Base64 stream streaming piping node node.js encode decode","version":"0.1.2","words":"base64-stream contains new node.js v0.10 style stream classes for encoding / decoding base64 data =rossj base64 stream streaming piping node node.js encode decode","author":"=rossj","date":"2013-07-11 "},{"name":"base64-string-s3","description":"Stream a base64 encoded string directly to aws s3","url":null,"keywords":"base64 string stream stream string stream base64 string aws s3 s3","version":"0.0.1","words":"base64-string-s3 stream a base64 encoded string directly to aws s3 =stringhq base64 string stream stream string stream base64 string aws s3 s3","author":"=stringhq","date":"2014-05-28 "},{"name":"base64-url","description":"Base64 encode, decode, escape and unescape for URL applications","url":null,"keywords":"base64 base64url","version":"1.0.0","words":"base64-url base64 encode, decode, escape and unescape for url applications =quim base64 base64url","author":"=quim","date":"2014-05-12 "},{"name":"base64-xor","description":"Creates a base64 encoded xor cipher from a pair of strings. Includes 2 methods encode / decode. For use when speed is important and security is not.","url":null,"keywords":"base64 xor cipher crypto encryption fast","version":"0.10.0","words":"base64-xor creates a base64 encoded xor cipher from a pair of strings. includes 2 methods encode / decode. for use when speed is important and security is not. =itslennysfault base64 xor cipher crypto encryption fast","author":"=itslennysfault","date":"2014-02-15 "},{"name":"base64codec","description":"Base64 encoding/decoding library for JavaScript.","url":null,"keywords":"base64","version":"0.0.4","words":"base64codec base64 encoding/decoding library for javascript. =chick307 base64","author":"=chick307","date":"2014-06-02 "},{"name":"base64id","description":"Generates a base64 id","url":null,"keywords":"","version":"0.1.0","words":"base64id generates a base64 id =faeldt_kristian","author":"=faeldt_kristian","date":"2012-09-07 "},{"name":"base64js","description":"Simple base64 encoding/decoding","url":null,"keywords":"base64","version":"1.0.1","words":"base64js simple base64 encoding/decoding =neekey base64","author":"=neekey","date":"2012-08-24 "},{"name":"base64stream","description":"Correctly encode any streamed content into base64","url":null,"keywords":"","version":"0.1.1","words":"base64stream correctly encode any streamed content into base64 =cjblomqvist","author":"=cjblomqvist","date":"2012-09-04 "},{"name":"base64url","description":"For encoding to/from base64urls","url":null,"keywords":"base64 base64url","version":"0.0.6","words":"base64url for encoding to/from base64urls =brianloveswords base64 base64url","author":"=brianloveswords","date":"2014-01-28 "},{"name":"base85","description":"Base85 (Ascii85) encode and decode functionality","url":null,"keywords":"base85 ascii85 encode decode binary-to-text","version":"1.2.1","words":"base85 base85 (ascii85) encode and decode functionality =noseglid base85 ascii85 encode decode binary-to-text","author":"=noseglid","date":"2014-05-16 "},{"name":"base91","description":"base91 implementation in javascript for node.js and browsers","url":null,"keywords":"base91 encoding decoding encoder decoder","version":"0.0.2","words":"base91 base91 implementation in javascript for node.js and browsers =mscdex base91 encoding decoding encoder decoder","author":"=mscdex","date":"2013-07-04 "},{"name":"base_server","description":"Server","url":null,"keywords":"","version":"0.1.0","words":"base_server server =michaeljoye","author":"=michaeljoye","date":"2014-06-20 "},{"name":"baseagent","keywords":"","version":[],"words":"baseagent","author":"","date":"2014-03-28 "},{"name":"basecamp","description":"A wrapper for the basecamp API","url":null,"keywords":"","version":"0.2.0","words":"basecamp a wrapper for the basecamp api =mchahn","author":"=mchahn","date":"2012-12-03 "},{"name":"basecamp-classic","description":"Basecamp Classic API wrapper for node/express","url":null,"keywords":"api wrapper basecamp","version":"0.0.3","words":"basecamp-classic basecamp classic api wrapper for node/express =colpanik api wrapper basecamp","author":"=colpanik","date":"2013-06-19 "},{"name":"basecamp-commentor","url":null,"keywords":"basecamp bcx","version":"0.0.1","words":"basecamp-commentor =bubujka basecamp bcx","author":"=bubujka","date":"2014-09-10 "},{"name":"baseclass","description":"A modularization of Backbone.js's extend() function for use with JS classes.","url":null,"keywords":"base class extend backbone","version":"0.3.0","words":"baseclass a modularization of backbone.js's extend() function for use with js classes. =aearly base class extend backbone","author":"=aearly","date":"2013-12-08 "},{"name":"baseco","description":"Any base converter.","url":null,"keywords":"base baseco converter","version":"0.2.0","words":"baseco any base converter. =zensh base baseco converter","author":"=zensh","date":"2014-06-29 "},{"name":"basecontroller","description":"Core module for basecontroller.","url":null,"keywords":"deamon log upstart server hosting","version":"1.0.1","words":"basecontroller core module for basecontroller. =agoratech deamon log upstart server hosting","author":"=agoratech","date":"2014-03-21 "},{"name":"basecontroller-core","description":"Core module for basecontroller.","url":null,"keywords":"deamon log upstart server hosting","version":"1.0.0","words":"basecontroller-core core module for basecontroller. =agoratech deamon log upstart server hosting","author":"=agoratech","date":"2014-03-17 "},{"name":"basecontroller-http","description":"A wrapper http module used by BaseController","url":null,"keywords":"","version":"0.1.0","words":"basecontroller-http a wrapper http module used by basecontroller =agoratech","author":"=agoratech","date":"2014-03-17 "},{"name":"basecontroller-libs","description":"Some usefull libs used by basecontroller","url":null,"keywords":"","version":"0.1.0","words":"basecontroller-libs some usefull libs used by basecontroller =agoratech","author":"=agoratech","date":"2014-03-17 "},{"name":"basecontroller-logger","description":"Simple logger used by BaseController!","url":null,"keywords":"","version":"0.1.0","words":"basecontroller-logger simple logger used by basecontroller! =agoratech","author":"=agoratech","date":"2014-03-17 "},{"name":"basecontroller-svc-http","description":"A simple JSON http system","url":null,"keywords":"","version":"0.1.0","words":"basecontroller-svc-http a simple json http system =agoratech","author":"=agoratech","date":"2014-03-17 "},{"name":"baseconverter","description":"convert a string from one set of characters to another","url":null,"keywords":"converter base","version":"0.1.1","words":"baseconverter convert a string from one set of characters to another =irrelevation converter base","author":"=irrelevation","date":"2014-05-02 "},{"name":"basecrm","description":"basecrm client for nodejs","url":null,"keywords":"basecrm crm rest","version":"0.2.0","words":"basecrm basecrm client for nodejs =dscape basecrm crm rest","author":"=dscape","date":"2014-04-21 "},{"name":"based-on","description":"Create new object based on another","url":null,"keywords":"","version":"0.0.1","words":"based-on create new object based on another =kimjoar","author":"=kimjoar","date":"2014-01-17 "},{"name":"basehttp","description":"A lightweight, robust node.js HTTP server with configurable options.","url":null,"keywords":"basehttp httpbase base default server web http","version":"2.0.2","words":"basehttp a lightweight, robust node.js http server with configurable options. =joncody basehttp httpbase base default server web http","author":"=joncody","date":"2014-09-15 "},{"name":"baseit","description":"A node.js module for simple(r) handling of radix 2 through 36 base encodings.","url":null,"keywords":"Base10 Base12 Base24 Base36 encode encoder decode decoder","version":"0.2.0","words":"baseit a node.js module for simple(r) handling of radix 2 through 36 base encodings. =diy base10 base12 base24 base36 encode encoder decode decoder","author":"=diy","date":"2012-08-03 "},{"name":"basejs","description":"Simple class-based inheritance for JavaScript (based on Dean Edwards' Base.js).","url":null,"keywords":"class inheritance Dean Edwards","version":"1.1.1","words":"basejs simple class-based inheritance for javascript (based on dean edwards' base.js). =kenpowers class inheritance dean edwards","author":"=kenpowers","date":"2013-11-08 "},{"name":"basejump","description":"Built to convert 128 bit buffers to base 62 strings. Supports base 36 and buffers of arbitrary size.","url":null,"keywords":"base 62 base 36 128 bit flake","version":"0.0.5","words":"basejump built to convert 128 bit buffers to base 62 strings. supports base 36 and buffers of arbitrary size. =a_robson =arobson base 62 base 36 128 bit flake","author":"=a_robson =arobson","date":"2014-04-17 "},{"name":"basek","description":"Use an array of multi-character alphanumeric symbols to convert bases exceeding 62","url":null,"keywords":"base alphanumeric convert conversion converter hexadecimal decimal binary octal","version":"1.0.5","words":"basek use an array of multi-character alphanumeric symbols to convert bases exceeding 62 =kurtlocker base alphanumeric convert conversion converter hexadecimal decimal binary octal","author":"=kurtlocker","date":"2014-06-16 "},{"name":"basekit","description":"Base class with event binding, signal and teardown facilities","url":null,"keywords":"","version":"0.0.1","words":"basekit base class with event binding, signal and teardown facilities =jaz303","author":"=jaz303","date":"2013-08-18 "},{"name":"baseline","keywords":"","version":[],"words":"baseline","author":"","date":"2012-05-21 "},{"name":"baselinejs","description":"Share code and data between the client and the server in full stack JavaScript applications.","url":null,"keywords":"","version":"0.0.2","words":"baselinejs share code and data between the client and the server in full stack javascript applications. =davidbeck","author":"=davidbeck","date":"2014-09-12 "},{"name":"baselog","description":"Core library for logging anything.","url":null,"keywords":"log logging","version":"0.1.0","words":"baselog core library for logging anything. =killdream log logging","author":"=killdream","date":"2013-03-19 "},{"name":"basement","url":null,"keywords":"","version":"0.1.2","words":"basement =petrjanda","author":"=petrjanda","date":"2012-02-05 "},{"name":"basen","description":"convert a number ID to base(**N**) hash string.","url":null,"keywords":"base ID Convertor hash string ID mask","version":"0.0.1","words":"basen convert a number id to base(**n**) hash string. =sumory.wu base id convertor hash string id mask","author":"=sumory.wu","date":"2013-07-18 "},{"name":"basepath","description":"Simple base path library for Node.js apps.","url":null,"keywords":"base path basepath","version":"1.0.3","words":"basepath simple base path library for node.js apps. =andreychizh base path basepath","author":"=andreychizh","date":"2013-04-25 "},{"name":"bases","description":"Utility for converting numbers to/from different bases/alphabets.","url":null,"keywords":"alphabet base base-36 base-58 base-62","version":"0.2.1","words":"bases utility for converting numbers to/from different bases/alphabets. =aseemk alphabet base base-36 base-58 base-62","author":"=aseemk","date":"2014-05-31 "},{"name":"basespace","description":"Functions to create namespaces inside objects","url":null,"keywords":"namespace ns space object","version":"0.0.2","words":"basespace functions to create namespaces inside objects =gamtiq namespace ns space object","author":"=gamtiq","date":"2013-09-04 "},{"name":"basetools","description":"Base tools for js.","url":null,"keywords":"","version":"1.0.0","words":"basetools base tools for js. =bottleliu","author":"=bottleliu","date":"2014-07-04 "},{"name":"baseview","description":"minimalistic couchbase view client for node.js","url":null,"keywords":"couchbase request json nosql micro baseview database","version":"0.0.3","words":"baseview minimalistic couchbase view client for node.js =patrickheneise couchbase request json nosql micro baseview database","author":"=patrickheneise","date":"2012-09-12 "},{"name":"baseviewmodel","description":"Backbone like model extension for knockout viewmodels, including automatic observable and computed function creation for model properties.","url":null,"keywords":"knockout.js baseviewmodel inheritance backbone","version":"0.2.2","words":"baseviewmodel backbone like model extension for knockout viewmodels, including automatic observable and computed function creation for model properties. =leesus knockout.js baseviewmodel inheritance backbone","author":"=leesus","date":"2014-03-29 "},{"name":"basex","description":"A BaseX (XML database) client library","url":null,"keywords":"xml xquery xslt search database","version":"0.6.3","words":"basex a basex (xml database) client library =apb2006 xml xquery xslt search database","author":"=apb2006","date":"2014-04-04 "},{"name":"basex-script","description":"BaseX command scripts for nodejs","url":null,"keywords":"","version":"0.0.2","words":"basex-script basex command scripts for nodejs =alxarch","author":"=alxarch","date":"2013-10-07 "},{"name":"basex-standalone","description":"Process data using XQuery with BaseX in standalone mode.","url":null,"keywords":"basex xquery","version":"1.4.0","words":"basex-standalone process data using xquery with basex in standalone mode. =alxarch basex xquery","author":"=alxarch","date":"2013-10-02 "},{"name":"bash","description":"Utilities for using bash from node.js.","url":null,"keywords":"","version":"0.0.1","words":"bash utilities for using bash from node.js. =felixge","author":"=felixge","date":"2011-08-22 "},{"name":"bash-color","description":"a simple tool for wrapping strings in bash color codes. Used to color console output.","url":null,"keywords":"cli bash color design print pretty print color codes","version":"0.0.3","words":"bash-color a simple tool for wrapping strings in bash color codes. used to color console output. =mykola cli bash color design print pretty print color codes","author":"=mykola","date":"2013-09-12 "},{"name":"bash-nb","description":"Naive Bayes implemented in bash.","url":null,"keywords":"bash naive bayes machine learning","version":"0.0.2","words":"bash-nb naive bayes implemented in bash. =glamp bash naive bayes machine learning","author":"=glamp","date":"2013-10-04 "},{"name":"bash-quotes","description":"get random >0 quotes from bash.org","url":null,"keywords":"bash bash.org irc quotes","version":"0.0.0","words":"bash-quotes get random >0 quotes from bash.org =jesusabdullah bash bash.org irc quotes","author":"=jesusabdullah","date":"2012-10-18 "},{"name":"bash-spec-runner","description":"A bash spec runner","url":null,"keywords":"bash unit test spec","version":"0.0.0","words":"bash-spec-runner a bash spec runner =ffortier bash unit test spec","author":"=ffortier","date":"2014-07-15 "},{"name":"bash-vars","description":"convert JSON to a format that is easy to read in BASH.","url":null,"keywords":"","version":"1.1.0","words":"bash-vars convert json to a format that is easy to read in bash. =dominictarr","author":"=dominictarr","date":"2014-02-24 "},{"name":"bashcoin","description":"Bitcoin market stats from the command line.","url":null,"keywords":"bitcoin cli terminal trading","version":"0.1.2","words":"bashcoin bitcoin market stats from the command line. =dmotz bitcoin cli terminal trading","author":"=dmotz","date":"2013-05-21 "},{"name":"bashful","description":"parse and execute bash without doing any IO","url":null,"keywords":"bash shell","version":"1.8.0","words":"bashful parse and execute bash without doing any io =substack bash shell","author":"=substack","date":"2013-11-25 "},{"name":"bashful-fs","description":"Mimic a Unix filesystem in a browser","url":null,"keywords":"bash shell fs","version":"0.0.1","words":"bashful-fs mimic a unix filesystem in a browser =tlevine bash shell fs","author":"=tlevine","date":"2013-12-12 "},{"name":"bashinate","description":"System provisioning using BASH (for Debian/Ubuntu based systems)","url":null,"keywords":"provisioning bash scripting","version":"0.7.1","words":"bashinate system provisioning using bash (for debian/ubuntu based systems) =damonoehlman provisioning bash scripting","author":"=damonoehlman","date":"2013-10-14 "},{"name":"basholevel","description":"A Basho-LevelDB wrapper (level-basho with a cooler name)","url":null,"keywords":"basho stream database db store storage json level leveldb","version":"1.0.0","words":"basholevel a basho-leveldb wrapper (level-basho with a cooler name) =kenansulayman basho stream database db store storage json level leveldb","author":"=kenansulayman","date":"2013-12-28 "},{"name":"bashpack","description":"packs a nodejs project into a single bash file","url":null,"keywords":"binary packaging distribution package","version":"0.0.16","words":"bashpack packs a nodejs project into a single bash file =jedi4ever binary packaging distribution package","author":"=jedi4ever","date":"2013-08-26 "},{"name":"bashprompt","description":"A bash prompt framework in node.js","url":null,"keywords":"ansi terminal colors bash propmt ps1 ps2 shell","version":"0.2.1","words":"bashprompt a bash prompt framework in node.js =repejota ansi terminal colors bash propmt ps1 ps2 shell","author":"=repejota","date":"2014-02-23 "},{"name":"basic","description":"HTTP Basic Auth for Node.js","url":null,"keywords":"","version":"0.0.3","words":"basic http basic auth for node.js =diy","author":"=diy","date":"2014-05-04 "},{"name":"basic-assert","description":"The simplest possible assert","url":null,"keywords":"assert test","version":"0.5.0","words":"basic-assert the simplest possible assert =anttisykari assert test","author":"=anttisykari","date":"2013-12-06 "},{"name":"basic-auth","description":"generic basic auth parser","url":null,"keywords":"basic auth authorization basicauth","version":"1.0.0","words":"basic-auth generic basic auth parser =tjholowaychuk =jonathanong basic auth authorization basicauth","author":"=tjholowaychuk =jonathanong","date":"2014-07-07 "},{"name":"basic-auth-connect","description":"Basic auth middleware for node and connect","url":null,"keywords":"","version":"1.0.0","words":"basic-auth-connect basic auth middleware for node and connect =jongleberry =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123","author":"=jongleberry =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123","date":"2014-05-07 "},{"name":"basic-auth-header","description":"Creates a basic auth header value.","url":null,"keywords":"","version":"1.0.0","words":"basic-auth-header creates a basic auth header value. =jsdevel","author":"=jsdevel","date":"2014-06-21 "},{"name":"basic-auth-mongoose","description":"Mongoose plugin for password-based user authentication.","url":null,"keywords":"mongoose user basic auth authentication username password login register plugin mongodb","version":"0.1.1","words":"basic-auth-mongoose mongoose plugin for password-based user authentication. =thauburger mongoose user basic auth authentication username password login register plugin mongodb","author":"=thauburger","date":"2012-11-28 "},{"name":"basic-auth-old","description":"http basic auth","url":null,"keywords":"","version":"0.0.1","words":"basic-auth-old http basic auth =dawnerd","author":"=dawnerd","date":"2013-11-29 "},{"name":"basic-auth-parser","description":"Parse Basic Auth `Authorization` HTTP headers","url":null,"keywords":"","version":"0.0.2","words":"basic-auth-parser parse basic auth `authorization` http headers =mmalecki","author":"=mmalecki","date":"2012-10-09 "},{"name":"basic-auth-proxy","description":"Soon to be a proxy that feed basic auth information to the server","url":null,"keywords":"","version":"0.3.2","words":"basic-auth-proxy soon to be a proxy that feed basic auth information to the server =ferentchak","author":"=ferentchak","date":"2013-02-15 "},{"name":"basic-authentication","description":"http basic authentication","url":null,"keywords":"basic basic-auth authentication authorization","version":"1.5.6","words":"basic-authentication http basic authentication =hex7c0 basic basic-auth authentication authorization","author":"=hex7c0","date":"2014-09-01 "},{"name":"basic-browser-request","description":"Yet another XHR abstraction. Supports canceling, JSON, and crude chunking.","url":null,"keywords":"module xhr http request cancel browser chunking","version":"0.1.0","words":"basic-browser-request yet another xhr abstraction. supports canceling, json, and crude chunking. =jimkang module xhr http request cancel browser chunking","author":"=jimkang","date":"2014-05-18 "},{"name":"basic-cache","description":"The most basic memory caching module ever.","url":null,"keywords":"","version":"0.0.4","words":"basic-cache the most basic memory caching module ever. =blainsmith =kixxauth","author":"=blainsmith =kixxauth","date":"2014-09-02 "},{"name":"basic-camera","description":"A very basic camera for use in WebGL projects","url":null,"keywords":"","version":"1.1.0","words":"basic-camera a very basic camera for use in webgl projects =hughsk =deathcap","author":"=hughsk =deathcap","date":"2014-04-05 "},{"name":"basic-class","description":"Very basic class implementation, based on backbone with a few additions","url":null,"keywords":"class","version":"0.0.1","words":"basic-class very basic class implementation, based on backbone with a few additions =mbriggs class","author":"=mbriggs","date":"2014-08-13 "},{"name":"basic-csv","description":"A library designed for basic CSV usage.","url":null,"keywords":"csv","version":"0.0.2","words":"basic-csv a library designed for basic csv usage. =robbrit csv","author":"=robbrit","date":"2013-11-16 "},{"name":"basic-log","description":"A simple logging library","url":null,"keywords":"log","version":"0.1.2","words":"basic-log a simple logging library =anttisykari log","author":"=anttisykari","date":"2013-09-12 "},{"name":"basic-logger","description":"basic logger supporting error, warning, debug and info messages with timestamp.","url":null,"keywords":"basic logger log logging timestamp log to console","version":"0.4.4","words":"basic-logger basic logger supporting error, warning, debug and info messages with timestamp. =drd0rk basic logger log logging timestamp log to console","author":"=drd0rk","date":"2012-12-17 "},{"name":"basic-measure","description":"Simplest way to measure time taken by a function","url":null,"keywords":"measure performance timer","version":"0.0.1","words":"basic-measure simplest way to measure time taken by a function =anttisykari measure performance timer","author":"=anttisykari","date":"2013-10-13 "},{"name":"basic-paginator","description":"A basic javascript paginator for Node.js","url":null,"keywords":"paginator","version":"0.0.3","words":"basic-paginator a basic javascript paginator for node.js =jpstevens paginator","author":"=jpstevens","date":"2014-06-30 "},{"name":"basic-pipeline","description":"A basic pipeline module for node","url":null,"keywords":"simple pipeline workflow sequence pipe async series execution tasks","version":"0.1.3","words":"basic-pipeline a basic pipeline module for node =blackdynamo simple pipeline workflow sequence pipe async series execution tasks","author":"=blackdynamo","date":"2013-10-16 "},{"name":"basic-queue","description":"a basic queue with concurrency","url":null,"keywords":"queue concurrency","version":"1.0.0","words":"basic-queue a basic queue with concurrency =tmcw =willwhite queue concurrency","author":"=tmcw =willwhite","date":"2013-08-28 "},{"name":"basic-request","description":"Basic request to a URL, send to a function(error, body). Follows redirects.","url":null,"keywords":"request URL simple basic no-frills","version":"0.0.7","words":"basic-request basic request to a url, send to a function(error, body). follows redirects. =alexfernandez request url simple basic no-frills","author":"=alexfernandez","date":"2014-07-23 "},{"name":"basic-server","description":"a full featured express based server that can function as a good base for your Node/Express based web-project","url":null,"keywords":"","version":"0.1.5","words":"basic-server a full featured express based server that can function as a good base for your node/express based web-project =phidelta","author":"=phidelta","date":"2012-09-20 "},{"name":"basic-workflow-example","description":"Basic Alfred Workflow in NodeJS example.","url":null,"keywords":"alfred workflow example alfred-workflow","version":"0.1.0","words":"basic-workflow-example basic alfred workflow in nodejs example. =m42am alfred workflow example alfred-workflow","author":"=m42am","date":"2014-04-03 "},{"name":"basica","description":"BASIC interpreter","url":null,"keywords":"basic interpreter programming language","version":"0.4.1","words":"basica basic interpreter =jaz303 basic interpreter programming language","author":"=jaz303","date":"2014-07-24 "},{"name":"basically","description":"basically","url":null,"keywords":"basic","version":"0.0.0","words":"basically basically =rhiokim basic","author":"=rhiokim","date":"2012-11-27 "},{"name":"basicauth","description":"http basic auth as simple as I could make it","url":null,"keywords":"http basic authentication","version":"0.0.1","words":"basicauth http basic auth as simple as i could make it =rupa http basic authentication","author":"=rupa","date":"2011-08-26 "},{"name":"basiccache","description":"An extremely basic cache with a simple expiry system","url":null,"keywords":"basic cache","version":"0.1.0","words":"basiccache an extremely basic cache with a simple expiry system =bahamas10 basic cache","author":"=bahamas10","date":"2014-05-21 "},{"name":"basicFFmpeg","description":"A basic wrapper for FFMPEG (http://www.ffmpeg.org)","url":null,"keywords":"ffmpeg","version":"0.0.7","words":"basicffmpeg a basic wrapper for ffmpeg (http://www.ffmpeg.org) =tmedema ffmpeg","author":"=tmedema","date":"2011-08-14 "},{"name":"basiclogger","description":"node.js Basic Logger","url":null,"keywords":"log logger debug info warning error","version":"1.0.1","words":"basiclogger node.js basic logger =compudaze log logger debug info warning error","author":"=compudaze","date":"2014-03-31 "},{"name":"basicrequest","description":"basic xmlhttprequest","url":null,"keywords":"http request ajax xmlhttprequest","version":"0.0.0","words":"basicrequest basic xmlhttprequest =tmcw http request ajax xmlhttprequest","author":"=tmcw","date":"2013-03-18 "},{"name":"basics","description":"Basics are nice Express defaults","url":null,"keywords":"","version":"0.0.3","words":"basics basics are nice express defaults =reaktivo","author":"=reaktivo","date":"2013-03-20 "},{"name":"basicscript","description":"BASIC language interpreter in Javascript","keywords":"basic interpreter javascript","version":[],"words":"basicscript basic language interpreter in javascript =ajlopez basic interpreter javascript","author":"=ajlopez","date":"2012-10-06 "},{"name":"basicseed","description":"basicseed for projects using grunt, bower, fontawesome, and custom SASS","url":null,"keywords":"seed css framework responsive sass html web front-end frontend","version":"0.1.0","words":"basicseed basicseed for projects using grunt, bower, fontawesome, and custom sass =jamez14 seed css framework responsive sass html web front-end frontend","author":"=jamez14","date":"2014-06-09 "},{"name":"basicset-levelwrap","description":"A very basic leveldb wrapper for storing objects that belong to 'documents'.","url":null,"keywords":"basic leveldb keyvalue","version":"0.2.1","words":"basicset-levelwrap a very basic leveldb wrapper for storing objects that belong to 'documents'. =jimkang basic leveldb keyvalue","author":"=jimkang","date":"2014-07-25 "},{"name":"basicset-shunt","description":"An operation dispatcher.","url":null,"keywords":"operation job dispatcher","version":"0.1.1","words":"basicset-shunt an operation dispatcher. =jimkang operation job dispatcher","author":"=jimkang","date":"2013-11-06 "},{"name":"basictemplate","description":"A simple template engine","url":null,"keywords":"","version":"0.1.8","words":"basictemplate a simple template engine =keverw","author":"=keverw","date":"2012-05-20 "},{"name":"basil","description":"Middleware oriented proxy","url":null,"keywords":"proxy middleware","version":"0.0.5","words":"basil middleware oriented proxy =dawicorti proxy middleware","author":"=dawicorti","date":"2014-01-30 "},{"name":"basil-cookie","description":"Cookie library for node with connect middleware","url":null,"keywords":"cookie cookies connect","version":"0.3.0","words":"basil-cookie cookie library for node with connect middleware =mikepb cookie cookies connect","author":"=mikepb","date":"2011-08-25 "},{"name":"basil.js","description":"The missing Javascript smart persistence layer. Unified localstorage, cookie and session storage JavaScript API.","url":null,"keywords":"","version":"0.3.0","words":"basil.js the missing javascript smart persistence layer. unified localstorage, cookie and session storage javascript api. =guillaumepotier","author":"=guillaumepotier","date":"2014-07-30 "},{"name":"basilisk","description":"A value library for Javascript - makes immutability simple to work with.","url":null,"keywords":"immutability values react functional programming","version":"0.3.9","words":"basilisk a value library for javascript - makes immutability simple to work with. =shuttlebrad immutability values react functional programming","author":"=shuttlebrad","date":"2014-07-14 "},{"name":"basin","description":"Deploy sites to Amazon S3","url":null,"keywords":"amazon s3 web site domain deploy","version":"0.3.0","words":"basin deploy sites to amazon s3 =jp amazon s3 web site domain deploy","author":"=jp","date":"2014-05-23 "},{"name":"basis","description":"Game server for dotproduct","url":null,"keywords":"dotproduct multiplayer action game server html5","version":"1.0.0","words":"basis game server for dotproduct =sharvil dotproduct multiplayer action game server html5","author":"=sharvil","date":"2013-11-30 "},{"name":"basis-data","description":"An async data retriever for Basis B1 tracker","url":null,"keywords":"npm basis api","version":"0.1.0","words":"basis-data an async data retriever for basis b1 tracker =chuckcarpenter npm basis api","author":"=chuckcarpenter","date":"2014-04-11 "},{"name":"basis-library","description":"Basis.js as library","url":null,"keywords":"basis.js javascript framework","version":"1.3.2","words":"basis-library basis.js as library =lahmatiy basis.js javascript framework","author":"=lahmatiy","date":"2014-08-05 "},{"name":"basisjs","description":"JavaScript framework to build single-page applications","url":null,"keywords":"javascript framework","version":"1.3.2","words":"basisjs javascript framework to build single-page applications =lahmatiy javascript framework","author":"=lahmatiy","date":"2014-08-05 "},{"name":"basisjs-tools","description":"Developer tools for basis.js framework","url":null,"keywords":"","version":"1.3.17","words":"basisjs-tools developer tools for basis.js framework =lahmatiy","author":"=lahmatiy","date":"2014-07-23 "},{"name":"basjs","description":"Locates current location of the user","url":null,"keywords":"","version":"0.0.1","words":"basjs locates current location of the user =rajiff","author":"=rajiff","date":"2014-08-08 "},{"name":"basket","description":"Couchdb layer with query like support.","url":null,"keywords":"","version":"0.1.1","words":"basket couchdb layer with query like support. =gabrieleds","author":"=gabrieleds","date":"2012-11-22 "},{"name":"basket.js","description":"A script-loader that handles caching scripts in localStorage where supported","url":null,"keywords":"script loader localstorage caching asset loader preload javascript js","version":"0.5.1","words":"basket.js a script-loader that handles caching scripts in localstorage where supported =addyosmani script loader localstorage caching asset loader preload javascript js","author":"=addyosmani","date":"2014-08-16 "},{"name":"basketball-decisions","description":"[Basketball Decisions](https://www.khanacademy.org/cs/basketball-decisions/1024155511) by [Salman Khan](https://www.khanacademy.org/profile/sal/) running on [CrowdProcess](https://crowdprocess.com).","url":null,"keywords":"","version":"0.0.1","words":"basketball-decisions [basketball decisions](https://www.khanacademy.org/cs/basketball-decisions/1024155511) by [salman khan](https://www.khanacademy.org/profile/sal/) running on [crowdprocess](https://crowdprocess.com). =joaojeronimo","author":"=joaojeronimo","date":"2014-02-25 "},{"name":"basketcase","description":"JavaScript algebraic data types, pattern matching and multi methods","url":null,"keywords":"match matcher extractor pattern case class case predicate method multimethod defmulti defmethod dispatch overload adt functional algebraic data type","version":"0.0.3","words":"basketcase javascript algebraic data types, pattern matching and multi methods =kevinbeaty match matcher extractor pattern case class case predicate method multimethod defmulti defmethod dispatch overload adt functional algebraic data type","author":"=kevinbeaty","date":"2013-06-06 "},{"name":"bass","description":"Object Document Manager for Node.js","url":null,"keywords":"orm odm","version":"0.0.39","words":"bass object document manager for node.js =lampjunkie orm odm","author":"=lampjunkie","date":"2014-09-19 "},{"name":"bass-migrations","description":"Migration library for BASS","url":null,"keywords":"bass bass-migration bass-migrations migration migrations","version":"0.0.5","words":"bass-migrations migration library for bass =lampjunkie bass bass-migration bass-migrations migration migrations","author":"=lampjunkie","date":"2014-05-19 "},{"name":"bass-mongodb","description":"MongoDB Adapter for Bass.js","url":null,"keywords":"orm odm mongodb","version":"0.0.19","words":"bass-mongodb mongodb adapter for bass.js =lampjunkie orm odm mongodb","author":"=lampjunkie","date":"2014-08-01 "},{"name":"bass-nedb","description":"NeDB Adapter for Bass.js","url":null,"keywords":"orm odm nedb","version":"0.0.1","words":"bass-nedb nedb adapter for bass.js =lampjunkie orm odm nedb","author":"=lampjunkie","date":"2013-09-07 "},{"name":"bass-sql","description":"Bass.js adapter for SQL databases","url":null,"keywords":"orm odm dirty","version":"0.0.23","words":"bass-sql bass.js adapter for sql databases =lampjunkie orm odm dirty","author":"=lampjunkie","date":"2014-09-19 "},{"name":"basscss-base","description":"Base element CSS styles for BASSCSS","url":null,"keywords":"CSS OOCSS BASSCSS Rework","version":"0.0.11","words":"basscss-base base element css styles for basscss =jxnblk css oocss basscss rework","author":"=jxnblk","date":"2014-09-21 "},{"name":"basscss-color-basic","description":"Basic color utilities for Basscss","url":null,"keywords":"CSS OOCSS BASSCSS Rework","version":"0.0.2","words":"basscss-color-basic basic color utilities for basscss =jxnblk css oocss basscss rework","author":"=jxnblk","date":"2014-09-20 "},{"name":"basscss-grid","description":"CSS grid module for BASSCSS","url":null,"keywords":"","version":"0.0.9","words":"basscss-grid css grid module for basscss =jxnblk","author":"=jxnblk","date":"2014-09-21 "},{"name":"basscss-positions","description":"CSS positioning utilities","url":null,"keywords":"","version":"0.0.2","words":"basscss-positions css positioning utilities =jxnblk","author":"=jxnblk","date":"2014-09-21 "},{"name":"basscss-table-object","description":"A simple CSS layout module for vertically centering elements.","url":null,"keywords":"CSS OOCSS","version":"0.0.2","words":"basscss-table-object a simple css layout module for vertically centering elements. =jxnblk css oocss","author":"=jxnblk","date":"2014-09-14 "},{"name":"basscss-utilities","description":"Basic CSS utilities for Basscss","url":null,"keywords":"CSS OOCSS BASSCSS Rework","version":"0.0.13","words":"basscss-utilities basic css utilities for basscss =jxnblk css oocss basscss rework","author":"=jxnblk","date":"2014-09-21 "},{"name":"basset","description":"Website performance sniffer. Uses phantomjs and netsniff.js to perform multiple tests and display averaged results.","url":null,"keywords":"","version":"0.0.1","words":"basset website performance sniffer. uses phantomjs and netsniff.js to perform multiple tests and display averaged results. =fragphace","author":"=fragphace","date":"2013-01-06 "},{"name":"bassline","description":"JavaScript library providing Maybe, Either, and Promise objects","url":null,"keywords":"maybe nothing just either left right functor applicative monad promise","version":"0.0.4","words":"bassline javascript library providing maybe, either, and promise objects =ethul maybe nothing just either left right functor applicative monad promise","author":"=ethul","date":"2012-02-12 "},{"name":"bassloader","description":"Pronounced \"Base Loader\". This is a thin utility for loading pages based on url changes with Backbone","url":null,"keywords":"backbone pageloader router push-state","version":"0.0.1","words":"bassloader pronounced \"base loader\". this is a thin utility for loading pages based on url changes with backbone =andyperlitch backbone pageloader router push-state","author":"=andyperlitch","date":"2013-12-10 "},{"name":"bassmaster","description":"Batch processing plugin for hapi","url":null,"keywords":"hapi plugin batch","version":"1.5.1","words":"bassmaster batch processing plugin for hapi =hueniverse =wyatt =nvcexploder hapi plugin batch","author":"=hueniverse =wyatt =nvcexploder","date":"2014-08-07 "},{"name":"bassview","description":"base view for backbone","url":null,"keywords":"backbone view","version":"0.1.0","words":"bassview base view for backbone =andyperlitch backbone view","author":"=andyperlitch","date":"2013-10-28 "},{"name":"bast","description":"bitcoin address scraping tool","url":null,"keywords":"scrape bitcoin address","version":"0.0.2","words":"bast bitcoin address scraping tool =ralphtheninja scrape bitcoin address","author":"=ralphtheninja","date":"2014-04-02 "},{"name":"bastard","description":"A webserver for static files that does things right.","url":null,"keywords":"webserver fingerprint static","version":"0.6.8","words":"bastard a webserver for static files that does things right. =jeremy webserver fingerprint static","author":"=jeremy","date":"2013-01-10 "},{"name":"bastascript","description":"A JavaScript dialect that adds some useful crap.","url":null,"keywords":"parser ast javascript","version":"0.2.0","words":"bastascript a javascript dialect that adds some useful crap. =mattbasta parser ast javascript","author":"=mattbasta","date":"2013-11-03 "},{"name":"bat","description":"Generate files for an NPM module","url":null,"keywords":"","version":"0.0.0","words":"bat generate files for an npm module =scottcorgan","author":"=scottcorgan","date":"2013-12-05 "},{"name":"bat-ria","description":"RIA extension for Brand Ads Team","url":null,"keywords":"RIA esui er","version":"0.1.4","words":"bat-ria ria extension for brand ads team =justineo =ecomfe ria esui er","author":"=justineo =ecomfe","date":"2014-06-26 "},{"name":"bat-ria-tool","description":"Tool modules for edpx-bat-ria and edp-webserver.","url":null,"keywords":"","version":"0.1.2","words":"bat-ria-tool tool modules for edpx-bat-ria and edp-webserver. =justineo","author":"=justineo","date":"2014-07-22 "},{"name":"batata","description":"Batata","url":null,"keywords":"","version":"0.0.45","words":"batata batata =valentemesmo","author":"=valentemesmo","date":"2014-05-26 "},{"name":"batatest","description":"For unit tests","url":null,"keywords":"","version":"0.0.3","words":"batatest for unit tests =valentemesmo","author":"=valentemesmo","date":"2014-03-29 "},{"name":"batbelt","description":"General purpose utilities to help prevent an untimely death.","url":null,"keywords":"","version":"0.0.2","words":"batbelt general purpose utilities to help prevent an untimely death. =doki_pen","author":"=doki_pen","date":"2012-06-22 "},{"name":"batboy","url":null,"keywords":"","version":"0.0.1","words":"batboy =focalhot","author":"=focalhot","date":"2014-08-15 "},{"name":"batch","description":"Simple async batch","url":null,"keywords":"","version":"0.5.1","words":"batch simple async batch =tjholowaychuk","author":"=tjholowaychuk","date":"2014-06-19 "},{"name":"batch-component","description":"Simple async batch","url":null,"keywords":"","version":"0.3.4","words":"batch-component simple async batch =tjholowaychuk","author":"=tjholowaychuk","date":"2013-04-25 "},{"name":"batch-endpoint","description":"A restify plugin for batch-querying `GET` endpoints.","url":null,"keywords":"batch bulk restify","version":"0.0.2","words":"batch-endpoint a restify plugin for batch-querying `get` endpoints. =matthieu.bacconnier batch bulk restify","author":"=matthieu.bacconnier","date":"2014-04-29 "},{"name":"batch-flood-stream","description":"emits batches of data events. grouped based on rate they are emitted and a max batch size.","url":null,"keywords":"","version":"0.0.0","words":"batch-flood-stream emits batches of data events. grouped based on rate they are emitted and a max batch size. =soldair","author":"=soldair","date":"2014-04-24 "},{"name":"batch-geocoder","description":"Node.js Batch Geocoder for the Google Maps API","url":null,"keywords":"google maps api geocoder","version":"0.2.4","words":"batch-geocoder node.js batch geocoder for the google maps api =specone =aemkei google maps api geocoder","author":"=specone =aemkei","date":"2014-01-07 "},{"name":"batch-importer","description":"Database Batch Importer","url":null,"keywords":"","version":"0.3.5","words":"batch-importer database batch importer =jakub.knejzlik","author":"=jakub.knejzlik","date":"2014-09-13 "},{"name":"batch-importer-novacloud","description":"Database Batch Importer","url":null,"keywords":"","version":"0.0.9","words":"batch-importer-novacloud database batch importer =jakub.knejzlik","author":"=jakub.knejzlik","date":"2014-09-12 "},{"name":"batch-infrastructure-file","description":"File infrastructure for node-batch","url":null,"keywords":"","version":"0.0.0","words":"batch-infrastructure-file file infrastructure for node-batch =juzerali","author":"=juzerali","date":"2013-06-16 "},{"name":"batch-me-if-you-can","description":"Advanced batch requests for Hapi with path, query, and payload pipelining","url":null,"keywords":"hapi spumko plugin batch pipeline","version":"0.1.2","words":"batch-me-if-you-can advanced batch requests for hapi with path, query, and payload pipelining =bendrucker hapi spumko plugin batch pipeline","author":"=bendrucker","date":"2014-08-19 "},{"name":"batch-queue","description":"queue actions to be run in batches","url":null,"keywords":"batch job queue","version":"0.0.2","words":"batch-queue queue actions to be run in batches =hayes batch job queue","author":"=hayes","date":"2014-08-04 "},{"name":"batch-replace","description":"Perform multiple str.replace() with one operation","url":null,"keywords":"replace bulk batch multiple all regex string enhance text","version":"1.1.1","words":"batch-replace perform multiple str.replace() with one operation =peerigon replace bulk batch multiple all regex string enhance text","author":"=peerigon","date":"2014-06-22 "},{"name":"batch-request","description":"Batch Request - Utility library to enable a server to handle batch requests","url":null,"keywords":"batch request http utility","version":"0.1.1","words":"batch-request batch request - utility library to enable a server to handle batch requests =victorquinn batch request http utility","author":"=victorquinn","date":"2014-07-15 "},{"name":"batch-resize","description":"Batch image resizer","url":null,"keywords":"image resize","version":"0.0.1","words":"batch-resize batch image resizer =tjholowaychuk image resize","author":"=tjholowaychuk","date":"2012-08-09 "},{"name":"batch-stream","description":"Transform a stream into batches","url":null,"keywords":"batch stream chunks chunked","version":"0.1.0","words":"batch-stream transform a stream into batches =segmentio batch stream chunks chunked","author":"=segmentio","date":"2014-05-23 "},{"name":"batch-stream2","description":"Transform a stream into batches, with custom async operation before emitting data","url":null,"keywords":"batch stream chunks chunked","version":"0.1.3","words":"batch-stream2 transform a stream into batches, with custom async operation before emitting data =ktmud batch stream chunks chunked","author":"=ktmud","date":"2014-03-04 "},{"name":"batch-transitions","keywords":"","version":[],"words":"batch-transitions","author":"","date":"2014-06-18 "},{"name":"batch-write","description":"Combine single writes to an object into optimized batches (originally developed for batching writes agains node-kestrel)","url":null,"keywords":"","version":"0.0.2","words":"batch-write combine single writes to an object into optimized batches (originally developed for batching writes agains node-kestrel) =matthiasg","author":"=matthiasg","date":"2014-03-13 "},{"name":"batch-write-stream","description":"Batch Object Write Stream","url":null,"keywords":"stream write batch","version":"0.1.6","words":"batch-write-stream batch object write stream =pgte stream write batch","author":"=pgte","date":"2013-07-23 "},{"name":"batch2","description":"Simple async batch","url":null,"keywords":"","version":"0.6.0","words":"batch2 simple async batch =superjoe","author":"=superjoe","date":"2013-07-27 "},{"name":"batchdb","description":"leveldb and disk storage for queued batch jobs","url":null,"keywords":"batch compute queue jobs computing docker","version":"2.1.0","words":"batchdb leveldb and disk storage for queued batch jobs =substack batch compute queue jobs computing docker","author":"=substack","date":"2014-09-09 "},{"name":"batchdb-shell","description":"job queue for shell scripts, writing output to blob storage","url":null,"keywords":"batch compute queue jobs computing docker","version":"1.1.2","words":"batchdb-shell job queue for shell scripts, writing output to blob storage =substack batch compute queue jobs computing docker","author":"=substack","date":"2014-09-08 "},{"name":"batchdb-web-api","description":"expose the batchdb api as an http endpoint","url":null,"keywords":"batchdb job queue http api web","version":"1.0.0","words":"batchdb-web-api expose the batchdb api as an http endpoint =substack batchdb job queue http api web","author":"=substack","date":"2014-09-09 "},{"name":"batchdir","description":"Batch create directories or delete them.","url":null,"keywords":"mkdirp directory directories rmrf make remove batch dir","version":"0.1.0","words":"batchdir batch create directories or delete them. =jp mkdirp directory directories rmrf make remove batch dir","author":"=jp","date":"2012-09-06 "},{"name":"batched","description":"Async chaining sugar. Turn async methods into a batch","url":null,"keywords":"","version":"0.1.1","words":"batched async chaining sugar. turn async methods into a batch =raynos","author":"=raynos","date":"2012-12-04 "},{"name":"batcher","description":"A stream that batches data sent to it","url":null,"keywords":"batch stream","version":"0.0.2","words":"batcher a stream that batches data sent to it =nsabovic batch stream","author":"=nsabovic","date":"2013-07-11 "},{"name":"batches","description":"Control concurrency of massive async loops","url":null,"keywords":"","version":"0.1.0","words":"batches control concurrency of massive async loops =jkrems","author":"=jkrems","date":"2012-03-03 "},{"name":"batchfile","description":"Batch operations, transformations, and conversions on files.","url":null,"keywords":"batch control flow file files transform convert collection","version":"0.1.2","words":"batchfile batch operations, transformations, and conversions on files. =jp batch control flow file files transform convert collection","author":"=jp","date":"2012-09-13 "},{"name":"batchflow","description":"Batch process collections in parallel or sequentially.","url":null,"keywords":"batch flow parallel control sequence sequentially arrays async step seq","version":"0.4.0","words":"batchflow batch process collections in parallel or sequentially. =jp batch flow parallel control sequence sequentially arrays async step seq","author":"=jp","date":"2013-04-24 "},{"name":"batchgl","description":"A library for easy WebGL batching.","url":null,"keywords":"webgl batch render batching rendering","version":"0.2.0","words":"batchgl a library for easy webgl batching. =reissbaker webgl batch render batching rendering","author":"=reissbaker","date":"2013-09-01 "},{"name":"batchify","description":"[![Build Status](https://travis-ci.org/davidmfoley/batchify.svg)](https://travis-ci.org/davidmfoley/batchify) # Batchify","url":null,"keywords":"","version":"0.1.0","words":"batchify [![build status](https://travis-ci.org/davidmfoley/batchify.svg)](https://travis-ci.org/davidmfoley/batchify) # batchify =davidmfoley","author":"=davidmfoley","date":"2014-04-05 "},{"name":"batchsky","description":"A http Batch API server with support for chunked-streaming.","url":null,"keywords":"batch api middleware","version":"0.0.6","words":"batchsky a http batch api server with support for chunked-streaming. =netroy batch api middleware","author":"=netroy","date":"2013-10-21 "},{"name":"batchtransform","description":"Batch transform/convert a collection of files e.g. convert a collection of markdown template files to html files.","url":null,"keywords":"batch control flow file files transform convert collection","version":"0.1.0-1","words":"batchtransform batch transform/convert a collection of files e.g. convert a collection of markdown template files to html files. =jp batch control flow file files transform convert collection","author":"=jp","date":"2012-09-07 "},{"name":"batchy","description":"for running asynchronous tasks in batches","url":null,"keywords":"","version":"0.1.1","words":"batchy for running asynchronous tasks in batches =refractalize","author":"=refractalize","date":"2014-07-21 "},{"name":"batik","description":"Super Simple CoffeeScript Templating","keywords":"template view coffeescript","version":[],"words":"batik super simple coffeescript templating =rizqme template view coffeescript","author":"=rizqme","date":"2011-08-16 "},{"name":"batman","description":"A client-side framework that makes JavaScript apps as fun as Rails.","url":null,"keywords":"","version":"0.14.1","words":"batman a client-side framework that makes javascript apps as fun as rails. =nciagra =hornairs =jamesmacaulay","author":"=nciagra =hornairs =jamesmacaulay","date":"2013-02-15 "},{"name":"batman-fight","description":"Complete list of batman fight words seen on the 1960's Batman series","url":null,"keywords":"words","version":"1.0.0","words":"batman-fight complete list of batman fight words seen on the 1960's batman series =timhudson words","author":"=timhudson","date":"2014-08-31 "},{"name":"batman-fight-stream","description":"Read stream of batman fight words","url":null,"keywords":"","version":"1.0.1","words":"batman-fight-stream read stream of batman fight words =timhudson","author":"=timhudson","date":"2014-09-01 "},{"name":"batman.js","description":"The best client side framework for Rails developers.","url":null,"keywords":"","version":"0.15.0","words":"batman.js the best client side framework for rails developers. =nciagra","author":"=nciagra","date":"2013-09-04 "},{"name":"batoh","description":"IndexedDB wrapper.","url":null,"keywords":"indexeddb database browser","version":"0.0.1","words":"batoh indexeddb wrapper. =tomiberes indexeddb database browser","author":"=tomiberes","date":"2014-02-19 "},{"name":"baton","description":"An orchestration tool powered by conservatory","url":null,"keywords":"deploy conservatory sysadmin orchestrion","version":"0.6.8","words":"baton an orchestration tool powered by conservatory =indexzero =mmalecki =jcrugzz deploy conservatory sysadmin orchestrion","author":"=indexzero =mmalecki =jcrugzz","date":"2014-08-22 "},{"name":"batten","keywords":"","version":[],"words":"batten","author":"","date":"2014-04-05 "},{"name":"batteries","description":"A general purpose library for Node","url":null,"keywords":"","version":"0.4.2","words":"batteries a general purpose library for node =sjs","author":"=sjs","date":"2011-11-06 "},{"name":"battery","description":"command to check battery life","url":null,"keywords":"","version":"0.1.0","words":"battery command to check battery life =dominictarr","author":"=dominictarr","date":"2012-08-02 "},{"name":"battle","description":"node-battle is a client for Blizzard's World of Warcraft Community Web API","url":null,"keywords":"world of warcraft battle.net wow world warcraft battle blizzard client api json","version":"0.0.4","words":"battle node-battle is a client for blizzard's world of warcraft community web api =matomesc world of warcraft battle.net wow world warcraft battle blizzard client api json","author":"=matomesc","date":"2014-08-17 "},{"name":"battle-node","description":"Battle Node is a simple node.js Battle Eye Rcon Client.","url":null,"keywords":"","version":"0.0.4","words":"battle-node battle node is a simple node.js battle eye rcon client. =lulz0rz","author":"=lulz0rz","date":"2014-05-25 "},{"name":"battlecon","description":"A Battlefield / Frostbite engine RCON layer on node.js","url":null,"keywords":"rcon utility frostbite battlefield","version":"0.2.0","words":"battlecon a battlefield / frostbite engine rcon layer on node.js =dcode rcon utility frostbite battlefield","author":"=dcode","date":"2013-11-06 "},{"name":"battlefield","description":"Client for connecting to Battlefield 3 servers.","url":null,"keywords":"","version":"0.1.0","words":"battlefield client for connecting to battlefield 3 servers. =barncow","author":"=barncow","date":"2011-11-06 "},{"name":"battlefield-tanks","description":"Realtime game with easeljs, node.js, mongodb and socket.io","url":null,"keywords":"game websocket tank","version":"0.1.9","words":"battlefield-tanks realtime game with easeljs, node.js, mongodb and socket.io =t_visualappeal game websocket tank","author":"=t_visualappeal","date":"2012-11-19 "},{"name":"battlenet","description":"Node.js client for the Blizzard Community Platform API","url":null,"keywords":"","version":"0.0.0","words":"battlenet node.js client for the blizzard community platform api =binarymuse","author":"=binarymuse","date":"2012-05-12 "},{"name":"battlenet-api","description":"A wrapper for the Battle.net API","url":null,"keywords":"battlenet battle.net api world of warcraft starcraft 2 diablo 3 wow sc2 d3","version":"0.4.7","words":"battlenet-api a wrapper for the battle.net api =benweier battlenet battle.net api world of warcraft starcraft 2 diablo 3 wow sc2 d3","author":"=benweier","date":"2014-08-30 "},{"name":"battleship-search","description":"maximize an n-dimensional landscape using the battleship search algorithm","url":null,"keywords":"search algorithm binary battleship n-dimensional landscape multivariate","version":"1.0.1","words":"battleship-search maximize an n-dimensional landscape using the battleship search algorithm =substack search algorithm binary battleship n-dimensional landscape multivariate","author":"=substack","date":"2014-04-25 "},{"name":"battlesuit","description":"You, kicking ass","url":null,"keywords":"","version":"0.0.1","words":"battlesuit you, kicking ass =israelidanny","author":"=israelidanny","date":"2014-09-12 "},{"name":"batty","description":"A testing tool for the Threepio API spec","url":null,"keywords":"","version":"0.1.0","words":"batty a testing tool for the threepio api spec =andrewstewart =deadprogram =edgarsilva =adzankich","author":"=andrewstewart =deadprogram =edgarsilva =adzankich","date":"2014-07-18 "},{"name":"bauchara","description":"30-second slideshows for hackers with blackjack and hookers. In fact, forget the slideshows!","url":null,"keywords":"shower markdown static slideshow presentation","version":"0.1.1","words":"bauchara 30-second slideshows for hackers with blackjack and hookers. in fact, forget the slideshows! =matmuchrapna shower markdown static slideshow presentation","author":"=matmuchrapna","date":"2013-10-04 "},{"name":"baucis","description":"Build scalable REST APIs using the open source tools and standards you already know.","url":null,"keywords":"REST RESTful API express mongoose schema schemata mongo rfc2616 web http","version":"1.0.0-candidate.10","words":"baucis build scalable rest apis using the open source tools and standards you already know. =wprl rest restful api express mongoose schema schemata mongo rfc2616 web http","author":"=wprl","date":"2014-06-25 "},{"name":"baucis-access","description":"Plugin for Baucis to configure read/write access on per-attribute level.","url":null,"keywords":"","version":"0.0.4","words":"baucis-access plugin for baucis to configure read/write access on per-attribute level. =pkaroukin","author":"=pkaroukin","date":"2014-06-14 "},{"name":"baucis-csv","description":"Baucis CSV formatter plugin.","url":null,"keywords":"baucis stream csv format","version":"0.0.1","words":"baucis-csv baucis csv formatter plugin. =pjmolina baucis stream csv format","author":"=pjmolina","date":"2014-08-26 "},{"name":"baucis-error","description":"Baucis's error definitions and handler middleware.","url":null,"keywords":"REST RESTful API express mongoose schema schemata mongo rfc2616 web http","version":"1.0.0-candidate.5","words":"baucis-error baucis's error definitions and handler middleware. =wprl rest restful api express mongoose schema schemata mongo rfc2616 web http","author":"=wprl","date":"2014-05-30 "},{"name":"baucis-example","description":"An example server that uses baucis to create a REST API","url":null,"keywords":"baucis rest api express mongo mongodb mongoose","version":"1.1.0","words":"baucis-example an example server that uses baucis to create a rest api =wprl baucis rest api express mongo mongodb mongoose","author":"=wprl","date":"2014-02-03 "},{"name":"baucis-gform","description":"Extension for baucis to provide mongoose schema data via rest services","url":null,"keywords":"","version":"0.0.5","words":"baucis-gform extension for baucis to provide mongoose schema data via rest services =stemey","author":"=stemey","date":"2014-02-18 "},{"name":"baucis-json","description":"Baucis uses this to parse and format streams of JSON.","url":null,"keywords":"baucis stream json parse parser format","version":"1.0.0-candidate.1","words":"baucis-json baucis uses this to parse and format streams of json. =wprl baucis stream json parse parser format","author":"=wprl","date":"2014-05-30 "},{"name":"baucis-patch","description":"A plugin for baucis that adds PATCH as an alias to PUT.","url":null,"keywords":"baucis patch plugin","version":"0.0.1","words":"baucis-patch a plugin for baucis that adds patch as an alias to put. =wprl baucis patch plugin","author":"=wprl","date":"2014-03-30 "},{"name":"baucis-swagger","description":"Generate customizable swagger definitions for your Baucis REST API.","url":null,"keywords":"baucis REST RESTful API plugin swagger documentation","version":"1.0.0-prerelease.1","words":"baucis-swagger generate customizable swagger definitions for your baucis rest api. =wprl baucis rest restful api plugin swagger documentation","author":"=wprl","date":"2014-04-28 "},{"name":"baucis-vivify","description":"A module for adding child controller paths","url":null,"keywords":"REST RESTful API express mongoose schema schemata mongo rfc2616 web http","version":"0.21.0","words":"baucis-vivify a module for adding child controller paths =wprl rest restful api express mongoose schema schemata mongo rfc2616 web http","author":"=wprl","date":"2014-06-09 "},{"name":"baudcast","description":"An open source, socket-based, realtime messaging API; designed for the internet of things.","url":null,"keywords":"realtime events tcp","version":"0.0.1","words":"baudcast an open source, socket-based, realtime messaging api; designed for the internet of things. =nilakshdas realtime events tcp","author":"=nilakshdas","date":"2014-06-23 "},{"name":"baudio","description":"generate audio streams with functions","url":null,"keywords":"audio raw sound wav sine stream","version":"2.1.2","words":"baudio generate audio streams with functions =substack audio raw sound wav sine stream","author":"=substack","date":"2014-06-26 "},{"name":"baudio-party","description":"javascript music party http server","url":null,"keywords":"music audio baudio party","version":"0.1.0","words":"baudio-party javascript music party http server =substack music audio baudio party","author":"=substack","date":"2012-09-22 "},{"name":"bauer-cluster","description":"Just another cluster library.","url":null,"keywords":"multi-thread multi-core process fork multi-process cluster","version":"1.0.2","words":"bauer-cluster just another cluster library. =yneves multi-thread multi-core process fork multi-process cluster","author":"=yneves","date":"2014-09-04 "},{"name":"bauer-cluster-queue","description":"Plugin for bauer-cluster to add request queue feature.","url":null,"keywords":"multi-thread multi-core process fork multi-process cluster request worker queue","version":"0.1.0","words":"bauer-cluster-queue plugin for bauer-cluster to add request queue feature. =yneves multi-thread multi-core process fork multi-process cluster request worker queue","author":"=yneves","date":"2014-09-04 "},{"name":"bauer-cluster-super","description":"Plugin for bauer-cluster to enhance worker management.","url":null,"keywords":"multi-thread multi-core process fork multi-process cluster request worker","version":"0.1.0","words":"bauer-cluster-super plugin for bauer-cluster to enhance worker management. =yneves multi-thread multi-core process fork multi-process cluster request worker","author":"=yneves","date":"2014-09-05 "},{"name":"bauer-db","description":"Modern API for SQL databases.","url":null,"keywords":"mysql sqlite database sql","version":"0.2.0","words":"bauer-db modern api for sql databases. =yneves mysql sqlite database sql","author":"=yneves","date":"2014-09-10 "},{"name":"bauer-dom","description":"Wrapper for Cheerio.","url":null,"keywords":"html","version":"0.1.2","words":"bauer-dom wrapper for cheerio. =yneves html","author":"=yneves","date":"2014-09-04 "},{"name":"bauer-factory","description":"General utilities for nodejs.","url":null,"keywords":"class method type extend clone signature function object create","version":"1.1.3","words":"bauer-factory general utilities for nodejs. =yneves class method type extend clone signature function object create","author":"=yneves","date":"2014-09-08 "},{"name":"bauer-html","description":"HTML building tool.","url":null,"keywords":"html","version":"0.2.0","words":"bauer-html html building tool. =yneves html","author":"=yneves","date":"2014-09-02 "},{"name":"bauer-promise","description":"Just another promise library.","url":null,"keywords":"promise defer deferred when resolve reject then fail","version":"1.0.4","words":"bauer-promise just another promise library. =yneves promise defer deferred when resolve reject then fail","author":"=yneves","date":"2014-08-28 "},{"name":"bauer-shell","description":"Just another wrapper for fs and child_process.","url":null,"keywords":"sh shell fs child_process","version":"0.3.3","words":"bauer-shell just another wrapper for fs and child_process. =yneves sh shell fs child_process","author":"=yneves","date":"2014-09-04 "},{"name":"bauer-sql","description":"Just another SQL building tool.","url":null,"keywords":"sql query insert delete update create alter drop table index trigger statement","version":"1.1.1","words":"bauer-sql just another sql building tool. =yneves sql query insert delete update create alter drop table index trigger statement","author":"=yneves","date":"2014-09-08 "},{"name":"bauer-zip","description":"Zip and unzip files and folders.","url":null,"keywords":"unzip zip","version":"1.0.1","words":"bauer-zip zip and unzip files and folders. =yneves unzip zip","author":"=yneves","date":"2014-08-24 "},{"name":"bauhaus","description":"A library of functional, list, pagination, iteration methods for arrays for Client and Nodejs.","url":null,"keywords":"albers mies functional underscore array javascript nodejs lists list data data structures","version":"0.1.4","words":"bauhaus a library of functional, list, pagination, iteration methods for arrays for client and nodejs. =sandropasquali albers mies functional underscore array javascript nodejs lists list data data structures","author":"=sandropasquali","date":"2012-11-12 "},{"name":"bauhaus-imap","description":"imap functions for bauhaus library","url":null,"keywords":"nodejs framework albers mies bauhaus","version":"0.1.2","words":"bauhaus-imap imap functions for bauhaus library =sandropasquali nodejs framework albers mies bauhaus","author":"=sandropasquali","date":"2012-11-12 "},{"name":"bauhausjs","description":"A modular CMS for Node.js","url":null,"keywords":"cms content backend bauhaus","version":"0.2.15","words":"bauhausjs a modular cms for node.js =philjs cms content backend bauhaus","author":"=philjs","date":"2014-09-08 "},{"name":"bauhausjs-workflow","keywords":"","version":[],"words":"bauhausjs-workflow","author":"","date":"2014-06-05 "},{"name":"baunsu","description":"Library to parse and detect bounced emails","url":null,"keywords":"bounce bounced email bounce detection bounce parser email email parser","version":"0.2.3","words":"baunsu library to parse and detect bounced emails =ardiesaeidi bounce bounced email bounce detection bounce parser email email parser","author":"=ardiesaeidi","date":"2014-03-11 "},{"name":"baxter","description":"Running a background job as long as the main process is alive","url":null,"keywords":"","version":"0.2.1","words":"baxter running a background job as long as the main process is alive =jakobm","author":"=jakobm","date":"2012-12-27 "},{"name":"baya","description":"Create the directory structure","url":null,"keywords":"mkdir structure directory","version":"0.0.5","words":"baya create the directory structure =ianva mkdir structure directory","author":"=ianva","date":"2014-02-08 "},{"name":"baybay","description":"lightweight BBCode parser","url":null,"keywords":"bbcode parser","version":"0.2.7","words":"baybay lightweight bbcode parser =noorus bbcode parser","author":"=noorus","date":"2014-06-18 "},{"name":"bayes","description":"Naive Bayes Classifier for node.js","url":null,"keywords":"naive bayes categorize classify classifier","version":"0.0.3","words":"bayes naive bayes classifier for node.js =ttezel naive bayes categorize classify classifier","author":"=ttezel","date":"2014-07-06 "},{"name":"bayesian","description":"Bayesian modeling","url":null,"keywords":"foursquare 4sq","version":"0.0.1","words":"bayesian bayesian modeling =jaewonk foursquare 4sq","author":"=jaewonk","date":"2013-06-20 "},{"name":"bayesian-bandit","description":"Bayesian bandit implementation for Node and the browser.","url":null,"keywords":"machine learning bayes bayesian inference multi-armed n-armed armed bandit reinforcement learning statistics","version":"0.9.1","words":"bayesian-bandit bayesian bandit implementation for node and the browser. =omphalos machine learning bayes bayesian inference multi-armed n-armed armed bandit reinforcement learning statistics","author":"=omphalos","date":"2013-08-19 "},{"name":"bayesian-battle","description":"An implementation of a Bayesian-approximation based game ranking system described by Weng and Lin and used by HackerRank.","url":null,"keywords":"bayesian scoring ranking","version":"0.0.6","words":"bayesian-battle an implementation of a bayesian-approximation based game ranking system described by weng and lin and used by hackerrank. =schmatz bayesian scoring ranking","author":"=schmatz","date":"2014-06-17 "},{"name":"bayesian-neurons","description":"Library for easy work with bayesian neurons","url":null,"keywords":"neural network","version":"0.1.0","words":"bayesian-neurons library for easy work with bayesian neurons =abramov neural network","author":"=abramov","date":"2014-05-23 "},{"name":"bayesjs","description":"bayesjs\r =======","url":null,"keywords":"","version":"0.0.1","words":"bayesjs bayesjs\r ======= =trasantos","author":"=trasantos","date":"2014-04-08 "},{"name":"bayezid","description":"Simple implementation of bayesian network on Node.js framework","url":null,"keywords":"","version":"0.0.2","words":"bayezid simple implementation of bayesian network on node.js framework =aratak","author":"=aratak","date":"2013-01-16 "},{"name":"bayweb","description":"Control BAYweb internet thermostats","url":null,"keywords":"","version":"0.0.1","words":"bayweb control bayweb internet thermostats =alexkwolfe","author":"=alexkwolfe","date":"2013-06-20 "},{"name":"baz","description":"the best module ever ","url":null,"keywords":"","version":"0.0.0","words":"baz the best module ever =stanzheng","author":"=stanzheng","date":"2014-06-10 "},{"name":"bazaar","description":"A publish-subscribe (broadcast-listen) layer for same-origin inter-window communication","url":null,"keywords":"ipc rpc pubsub emitter browser messages window hub browserify iwc communication","version":"0.2.5","words":"bazaar a publish-subscribe (broadcast-listen) layer for same-origin inter-window communication =jakutis ipc rpc pubsub emitter browser messages window hub browserify iwc communication","author":"=jakutis","date":"2014-02-17 "},{"name":"bazinga","description":"Awesome static web server","url":null,"keywords":"static http server development","version":"0.0.1","words":"bazinga awesome static web server =dotcypress static http server development","author":"=dotcypress","date":"2013-08-01 "},{"name":"bb","description":"Build client-side libraries using CommonJS syntax","url":null,"keywords":"","version":"0.0.1","words":"bb build client-side libraries using commonjs syntax =mattmueller","author":"=mattmueller","date":"2012-08-11 "},{"name":"bb-blog","description":"bb-blog --------","url":null,"keywords":"","version":"0.1.23","words":"bb-blog bb-blog -------- =michieljoris","author":"=michieljoris","date":"2014-09-10 "},{"name":"bb-collection-view","description":"Easily render backbone.js collections with support for automatic selection of models in response to clicks, reordering models via drag and drop, and more.","url":null,"keywords":"backbone collection view","version":"0.11.3","words":"bb-collection-view easily render backbone.js collections with support for automatic selection of models in response to clicks, reordering models via drag and drop, and more. =davidbeck =go-oleg backbone collection view","author":"=davidbeck =go-oleg","date":"2014-09-11 "},{"name":"bb-customs.js","description":"Backbone binding for customs.js","url":null,"keywords":"","version":"0.0.2","words":"bb-customs.js backbone binding for customs.js =jaridmargolin","author":"=jaridmargolin","date":"2014-02-14 "},{"name":"bb-dock","description":"Dock for backbone","url":null,"keywords":"","version":"0.7.8","words":"bb-dock dock for backbone =simonfan","author":"=simonfan","date":"2014-05-15 "},{"name":"bb-iris","description":"Cross-domain ajax client which makes use of localStorage if its available. Attempts to use CORS when available with a fallback to jsonp for older browsers","url":null,"keywords":"cross-domain ajax cors jsonp","version":"1.0.1","words":"bb-iris cross-domain ajax client which makes use of localstorage if its available. attempts to use cors when available with a fallback to jsonp for older browsers =grant.mills cross-domain ajax cors jsonp","author":"=grant.mills","date":"2013-08-29 "},{"name":"bb-meta","keywords":"","version":[],"words":"bb-meta","author":"","date":"2014-05-13 "},{"name":"bb-resolve","description":"Resove semver tags/branch names to refs on BitBucket repositiores","url":null,"keywords":"bitbucket resolve git","version":"0.0.1","words":"bb-resolve resove semver tags/branch names to refs on bitbucket repositiores =stephenmathieson bitbucket resolve git","author":"=stephenmathieson","date":"2014-08-20 "},{"name":"bb-server","description":"A bare bones http server","url":null,"keywords":"server","version":"0.4.30","words":"bb-server a bare bones http server =michieljoris server","author":"=michieljoris","date":"2014-09-10 "},{"name":"bb-utils","description":"Misc JS/node utility functions","url":null,"keywords":"utilities utils","version":"0.0.3","words":"bb-utils misc js/node utility functions =benbuckman utilities utils","author":"=benbuckman","date":"2014-06-06 "},{"name":"bb-validation","description":"An extendable validation plugin for Backbone with asynchronous tests, custom messages support, form generation, etc...","url":null,"keywords":"backbone validator form field input backbone.UI","version":"2.0.4","words":"bb-validation an extendable validation plugin for backbone with asynchronous tests, custom messages support, form generation, etc... =inf3rno backbone validator form field input backbone.ui","author":"=inf3rno","date":"2013-05-17 "},{"name":"bb10","description":"Lightweight BB10 UI Library","url":null,"keywords":"","version":"0.0.2","words":"bb10 lightweight bb10 ui library =damonoehlman","author":"=damonoehlman","date":"2013-06-19 "},{"name":"bbamd","keywords":"","version":[],"words":"bbamd","author":"","date":"2014-03-06 "},{"name":"bbang","keywords":"","version":[],"words":"bbang","author":"","date":"2013-07-07 "},{"name":"bbb","description":"Backbone Boilerplate Build Tool","url":null,"keywords":"gruntplugin gruntcollection","version":"1.0.0-wip","words":"bbb backbone boilerplate build tool =tbranyen gruntplugin gruntcollection","author":"=tbranyen","date":"2013-08-10 "},{"name":"bbb-nrf24l01","description":"nrf24l01 javascript library for bonescript.","url":null,"keywords":"nrf24l01 beaglebone bonescript","version":"0.0.5","words":"bbb-nrf24l01 nrf24l01 javascript library for bonescript. =thiagorp nrf24l01 beaglebone bonescript","author":"=thiagorp","date":"2014-02-17 "},{"name":"bbb-server","description":"An opinionated, production-ready node.js server for backbone boilerplate.","url":null,"keywords":"bbb backbone rest server api","version":"0.0.1","words":"bbb-server an opinionated, production-ready node.js server for backbone boilerplate. =codykm bbb backbone rest server api","author":"=codykm","date":"2012-12-04 "},{"name":"bbcode","description":"A BBCode Parser for NodeJS","url":null,"keywords":"","version":"0.1.5","words":"bbcode a bbcode parser for nodejs =ncb000gt","author":"=ncb000gt","date":"2014-02-06 "},{"name":"bbcode-parser","description":"An extensibile BBCode parser for Node.js and browser","url":null,"keywords":"bbcode bbcode parser","version":"1.0.6","words":"bbcode-parser an extensibile bbcode parser for node.js and browser =svenslaggare bbcode bbcode parser","author":"=svenslaggare","date":"2014-07-01 "},{"name":"bbcode-to-markdown","description":"bbcode-to-markdown ==================","url":null,"keywords":"","version":"0.0.6-2","words":"bbcode-to-markdown bbcode-to-markdown ================== =akhoury","author":"=akhoury","date":"2014-09-09 "},{"name":"bbcode2html","description":"BBCode2HTML: Convert BBCode into HTML using Javascript.","url":null,"keywords":"js bbcode html javascript","version":"0.0.0","words":"bbcode2html bbcode2html: convert bbcode into html using javascript. =solome js bbcode html javascript","author":"=solome","date":"2014-05-03 "},{"name":"bbgurl","description":"bbgurl: A tiny cli http client; a thin wrapper around mikeal/request. Named by @blakmatrix.","url":null,"keywords":"","version":"0.0.4-2","words":"bbgurl bbgurl: a tiny cli http client; a thin wrapper around mikeal/request. named by @blakmatrix. =jesusabdullah","author":"=jesusabdullah","date":"2012-08-02 "},{"name":"bbio","description":"Enables SPI and UART (serial tty*) hardware ports on the BeagleBone Black","url":null,"keywords":"beaglebone black gpio spi uart tty serial","version":"1.0.0","words":"bbio enables spi and uart (serial tty*) hardware ports on the beaglebone black =victorporof beaglebone black gpio spi uart tty serial","author":"=victorporof","date":"2013-12-29 "},{"name":"bbips","description":"cli app to get current IP addresses of Bitbucket","url":null,"keywords":"bitbucket ip address whitelist inbound outbound","version":"0.0.2","words":"bbips cli app to get current ip addresses of bitbucket =diorahman bitbucket ip address whitelist inbound outbound","author":"=diorahman","date":"2014-05-27 "},{"name":"bbjsbeautify","description":"Run js-beautify on BBEdit's frontmost text document. Based on isao/bbjshint","url":null,"keywords":"bbedit jsbeautify","version":"0.0.4","words":"bbjsbeautify run js-beautify on bbedit's frontmost text document. based on isao/bbjshint =slattery bbedit jsbeautify","author":"=slattery","date":"2014-06-04 "},{"name":"bbjshint","description":"Run JSLint on BBEdit's frontmost text document.","url":null,"keywords":"bbedit jshint","version":"0.0.4","words":"bbjshint run jslint on bbedit's frontmost text document. =isao bbedit jshint","author":"=isao","date":"2014-04-24 "},{"name":"bbjslint","description":"Run JSHint on frontmost text document in BBEdit.","url":null,"keywords":"bbedit applescript","version":"0.0.2","words":"bbjslint run jshint on frontmost text document in bbedit. =isao bbedit applescript","author":"=isao","date":"2013-01-31 "},{"name":"bbl","description":"padded bbl","url":null,"keywords":"","version":"0.0.0","words":"bbl padded bbl =brianc","author":"=brianc","date":"2014-01-20 "},{"name":"bbloom-testapp","url":null,"keywords":"","version":"0.0.15","words":"bbloom-testapp =bbloom","author":"=bbloom","date":"2013-10-11 "},{"name":"bbm","description":"BakaBakaMark: An Extensible LML-HTML Compiler.","url":null,"keywords":"lml html bbm bakabakamark Lightweight markup language text-processing","version":"1.0.3","words":"bbm bakabakamark: an extensible lml-html compiler. =preole lml html bbm bakabakamark lightweight markup language text-processing","author":"=preole","date":"2014-03-22 "},{"name":"bbnano","description":"Backbone.js sync for CouchDB using nano","url":null,"keywords":"","version":"0.3.1","words":"bbnano backbone.js sync for couchdb using nano =stephank","author":"=stephank","date":"2013-02-13 "},{"name":"bbop","description":"BBOP JS namespace bundle.","url":null,"keywords":"amigo amigo2 bbop solr golr gene ontology cross-platform","version":"2.2.2","words":"bbop bbop js namespace bundle. =kltm amigo amigo2 bbop solr golr gene ontology cross-platform","author":"=kltm","date":"2014-08-18 "},{"name":"bbopx","description":"BBOPX JS namespace bundle.","url":null,"keywords":"amigo amigo2 bbop bbopx solr golr gene ontology cross-platform","version":"0.9.8","words":"bbopx bbopx js namespace bundle. =kltm amigo amigo2 bbop bbopx solr golr gene ontology cross-platform","author":"=kltm","date":"2014-08-30 "},{"name":"bbox","description":"Find bounding box dimensions either within or surrounding arbitrary containers","url":null,"keywords":"bbox bounding box geometry svg rectangle oblong","version":"0.4.0","words":"bbox find bounding box dimensions either within or surrounding arbitrary containers =crowdhailer bbox bounding box geometry svg rectangle oblong","author":"=crowdhailer","date":"2014-08-22 "},{"name":"bbox-calc","description":"Bounding box calculations","url":null,"keywords":"","version":"0.0.4","words":"bbox-calc bounding box calculations =darrellpratt","author":"=darrellpratt","date":"2014-04-16 "},{"name":"bbox-intersect","description":"bbox-intersect ==============","url":null,"keywords":"","version":"0.1.1","words":"bbox-intersect bbox-intersect ============== =morganherlocker","author":"=morganherlocker","date":"2014-08-11 "},{"name":"bbox-test","description":"bbox-test ===","url":null,"keywords":"","version":"0.1.0","words":"bbox-test bbox-test === =cwmma","author":"=cwmma","date":"2014-09-05 "},{"name":"bboxed","description":"An extensible bbcode parser for node.js","url":null,"keywords":"bbcode parser","version":"0.2.2","words":"bboxed an extensible bbcode parser for node.js =ackwell bbcode parser","author":"=ackwell","date":"2014-01-12 "},{"name":"bbpackage","description":"A package manager for BBEdit.","url":null,"keywords":"bbedit plugins","version":"0.0.6","words":"bbpackage a package manager for bbedit. =timambler bbedit plugins","author":"=timambler","date":"2014-06-02 "},{"name":"bbq","description":"AOP with Promises","url":null,"keywords":"","version":"0.1.1","words":"bbq aop with promises =jden","author":"=jden","date":"2013-12-06 "},{"name":"bbraithwaitetest","description":"bbraithwaitetest","url":null,"keywords":"","version":"0.0.5","words":"bbraithwaitetest bbraithwaitetest =bbraithwaite","author":"=bbraithwaite","date":"2014-02-18 "},{"name":"bbresults","description":"Library to make BBEdit display a results browser, given some data for a file containing line and reason pointers.","url":null,"keywords":"bbedit applescript","version":"0.0.1","words":"bbresults library to make bbedit display a results browser, given some data for a file containing line and reason pointers. =isao bbedit applescript","author":"=isao","date":"2014-01-11 "},{"name":"bbs","description":"BBS Server Suite written with node.js","url":null,"keywords":"bbs bulletin board door console telnet ssh","version":"0.0.0","words":"bbs bbs server suite written with node.js =tracker1 bbs bulletin board door console telnet ssh","author":"=tracker1","date":"2014-09-16 "},{"name":"bbs-2ch-parser","description":"2ch data parser","url":null,"keywords":"2ch","version":"0.0.1","words":"bbs-2ch-parser 2ch data parser =snoguchi 2ch","author":"=snoguchi","date":"2013-10-22 "},{"name":"bbs-2ch-url","description":"2ch url utility","url":null,"keywords":"2ch","version":"0.0.5","words":"bbs-2ch-url 2ch url utility =snoguchi 2ch","author":"=snoguchi","date":"2014-08-25 "},{"name":"bbs_api","description":"Generate API docs for swagger form Typescript","url":null,"keywords":"","version":"1.0.17","words":"bbs_api generate api docs for swagger form typescript =cgiacopino","author":"=cgiacopino","date":"2014-07-07 "},{"name":"bbs_api_doc_builder_grunt_task","description":"Grunt task for using API DOCS","url":null,"keywords":"gruntplugin","version":"1.0.6","words":"bbs_api_doc_builder_grunt_task grunt task for using api docs =cgiacopino gruntplugin","author":"=cgiacopino","date":"2014-07-04 "},{"name":"bbservos","description":"BeagleBone servo control using built in PWM timers","url":null,"keywords":"beaglebone node.js servos pwm","version":"0.0.1","words":"bbservos beaglebone servo control using built in pwm timers =omcaree beaglebone node.js servos pwm","author":"=omcaree","date":"2013-04-29 "},{"name":"bbtest","description":"just a test","url":null,"keywords":"","version":"0.0.0","words":"bbtest just a test =brucebetts","author":"=brucebetts","date":"2014-06-17 "},{"name":"bbtoofx","description":"Conversor de extrato txt de cartão de crédito do BB em ofx","url":null,"keywords":"","version":"0.0.2","words":"bbtoofx conversor de extrato txt de cartão de crédito do bb em ofx =rodrigok","author":"=rodrigok","date":"2013-10-11 "},{"name":"bby-server","description":"IPs","url":null,"keywords":"","version":"0.0.1","words":"bby-server ips =jeffreysun","author":"=jeffreysun","date":"2012-09-22 "},{"name":"bbysay","description":"This bby Test Sample!","url":null,"keywords":"","version":"1.0.1","words":"bbysay this bby test sample! =bby422","author":"=bby422","date":"2013-06-05 "},{"name":"bc","description":"Bc node module,compile uploaded zip file","url":null,"keywords":"bc","version":"0.1.1","words":"bc bc node module,compile uploaded zip file =eunice0521 bc","author":"=eunice0521","date":"2014-05-09 "},{"name":"bc-rsa","description":"bc-rsa","url":null,"keywords":"modulus exponent rsa encrypt bc","version":"1.0.1","words":"bc-rsa bc-rsa =coolme200 modulus exponent rsa encrypt bc","author":"=coolme200","date":"2014-03-23 "},{"name":"bcast","url":null,"keywords":"","version":"1.0.0","words":"bcast =sleeplessinc","author":"=sleeplessinc","date":"2014-08-09 "},{"name":"bcat","description":"A pipe to browser utility","url":null,"keywords":"pipe browser cat bcat","version":"1.1.3","words":"bcat a pipe to browser utility =yaniv pipe browser cat bcat","author":"=yaniv","date":"2014-07-07 "},{"name":"bcattemp","keywords":"","version":[],"words":"bcattemp","author":"","date":"2014-05-09 "},{"name":"bcbf","description":"(B)ar(C)ode (B)rute (F)orce","url":null,"keywords":"","version":"0.0.1","words":"bcbf (b)ar(c)ode (b)rute (f)orce =daxxog","author":"=daxxog","date":"2013-02-27 "},{"name":"bcclient","description":"BarCode Client","url":null,"keywords":"","version":"0.0.2","words":"bcclient barcode client =daxxog","author":"=daxxog","date":"2013-04-08 "},{"name":"bcd","description":"binary coded decimals","url":null,"keywords":"","version":"1.0.0","words":"bcd binary coded decimals =vkurchatkin","author":"=vkurchatkin","date":"2014-04-08 "},{"name":"bcd-date","description":"Decodes a BCD datetime buffer into a normal javascript date object","url":null,"keywords":"bcd date plc rockwell siemens","version":"2.0.1","words":"bcd-date decodes a bcd datetime buffer into a normal javascript date object =eflexsystems bcd date plc rockwell siemens","author":"=eflexsystems","date":"2014-08-13 "},{"name":"bcdn-react","description":"react for browserify-cdn","url":null,"keywords":"react","version":"0.11.0-alpha","words":"bcdn-react react for browserify-cdn =bat react","author":"=bat","date":"2014-05-06 "},{"name":"bcksrv","description":"Serve your commands like a pro","url":null,"keywords":"command server text protocol","version":"0.2.0","words":"bcksrv serve your commands like a pro =matteo.collina command server text protocol","author":"=matteo.collina","date":"2014-09-17 "},{"name":"bcms","description":"Baidu Cloud Message Service SDK","url":null,"keywords":"bae baidu mq","version":"0.0.0","words":"bcms baidu cloud message service sdk =hjin_me bae baidu mq","author":"=hjin_me","date":"2013-12-31 "},{"name":"bcms-js","description":"An easy-to-use JS SDK for BCMS (Baidu Cloud Message Service)","url":null,"keywords":"baidu bcms bae","version":"0.1.0","words":"bcms-js an easy-to-use js sdk for bcms (baidu cloud message service) =jimnox baidu bcms bae","author":"=jimnox","date":"2014-02-28 "},{"name":"bcn","url":null,"keywords":"","version":"0.0.11","words":"bcn =markstewart","author":"=markstewart","date":"2014-07-24 "},{"name":"bcn-compare","description":"Comparator for sorting strings, numbers, objects and arrays","url":null,"keywords":"","version":"0.0.4","words":"bcn-compare comparator for sorting strings, numbers, objects and arrays =markstewart","author":"=markstewart","date":"2014-06-20 "},{"name":"bcn-filter","description":"Bacon iterator filtering","url":null,"keywords":"","version":"0.0.5","words":"bcn-filter bacon iterator filtering =markstewart","author":"=markstewart","date":"2014-07-23 "},{"name":"bcn-fs-root","description":"Use directory of files as bcn-root","url":null,"keywords":"","version":"0.0.4","words":"bcn-fs-root use directory of files as bcn-root =markstewart","author":"=markstewart","date":"2014-06-27 "},{"name":"bcn-join","description":"Bcn stream joiner","url":null,"keywords":"","version":"0.1.4","words":"bcn-join bcn stream joiner =markstewart","author":"=markstewart","date":"2014-06-27 "},{"name":"bcoin","description":"Bitcoin bike-shed","url":null,"keywords":"bitcoin bcoin","version":"0.14.2","words":"bcoin bitcoin bike-shed =indutny =chjj bitcoin bcoin","author":"=indutny =chjj","date":"2014-06-17 "},{"name":"bcoin-uro","description":"Pure JavaScript cryptocurrency library for Uro - forked from BCoin","url":null,"keywords":"bitcoin bcoin uro","version":"0.14.2","words":"bcoin-uro pure javascript cryptocurrency library for uro - forked from bcoin =bohan bitcoin bcoin uro","author":"=bohan","date":"2014-06-20 "},{"name":"bconfig","description":"Structures a requirejs config into shim and remote objects to easier interface with browserify.","url":null,"keywords":"requirejs amd browserify config adapt remote shim","version":"0.1.3","words":"bconfig structures a requirejs config into shim and remote objects to easier interface with browserify. =thlorenz requirejs amd browserify config adapt remote shim","author":"=thlorenz","date":"2013-07-06 "},{"name":"bcp","description":"Node.js utility for interacting with SQL Server Bulk Copy Program (bcp).","url":null,"keywords":"SQL Server bulk insert export bcp","version":"0.1.0","words":"bcp node.js utility for interacting with sql server bulk copy program (bcp). =bretcope =rossipedia sql server bulk insert export bcp","author":"=bretcope =rossipedia","date":"2014-07-30 "},{"name":"bcp47","description":"Parser for the BCP 47 language tag specification","url":null,"keywords":"bcp47 parser internationalization i18n language","version":"1.1.0","words":"bcp47 parser for the bcp 47 language tag specification =gagle bcp47 parser internationalization i18n language","author":"=gagle","date":"2014-01-01 "},{"name":"bcrypt","description":"A bcrypt library for NodeJS.","url":null,"keywords":"bcrypt password auth authentication encryption crypt crypto","version":"0.8.0","words":"bcrypt a bcrypt library for nodejs. =ncb000gt =shtylman =tootallnate =jfirebaugh bcrypt password auth authentication encryption crypt crypto","author":"=ncb000gt =shtylman =tootallnate =jfirebaugh","date":"2014-08-03 "},{"name":"bcrypt-nodejs","description":"A native JS bcrypt library for NodeJS.","url":null,"keywords":"bcrypt javascript js hash password auth authentication encryption crypt crypto","version":"0.0.3","words":"bcrypt-nodejs a native js bcrypt library for nodejs. =shanegirish bcrypt javascript js hash password auth authentication encryption crypt crypto","author":"=shanegirish","date":"2013-02-25 "},{"name":"bcrypt-with-crypto-fallback","description":"Development hack for systems that have a hard time installing bcrypt","url":null,"keywords":"","version":"0.0.1","words":"bcrypt-with-crypto-fallback development hack for systems that have a hard time installing bcrypt =stephen-fanfair","author":"=stephen-fanfair","date":"2014-01-23 "},{"name":"bcryptgenpass-lib","description":"Generate passwords for SuperGenPass with bCrypt and special characters","url":null,"keywords":"","version":"0.1.1","words":"bcryptgenpass-lib generate passwords for supergenpass with bcrypt and special characters =cmcnulty","author":"=cmcnulty","date":"2014-08-01 "},{"name":"bcryptjs","description":"Optimized bcrypt in plain JavaScript with zero dependencies. Compatible to 'bcrypt'.","url":null,"keywords":"bcrypt password auth authentication encryption crypt crypto","version":"2.0.2","words":"bcryptjs optimized bcrypt in plain javascript with zero dependencies. compatible to 'bcrypt'. =dcode bcrypt password auth authentication encryption crypt crypto","author":"=dcode","date":"2014-07-23 "},{"name":"bcs","description":"Baidu Cloud Storage SDK","url":null,"keywords":"bae storage baidu","version":"0.0.0","words":"bcs baidu cloud storage sdk =hjin_me bae storage baidu","author":"=hjin_me","date":"2013-12-31 "},{"name":"bcs.client","description":"a read-through cached API client for the BCS-460/462 series of brewery automation controllers with high level abstraction","url":null,"keywords":"bcs-460 bcs-462 ecc client automation brewery controller logging","version":"0.1.3","words":"bcs.client a read-through cached api client for the bcs-460/462 series of brewery automation controllers with high level abstraction =cscade bcs-460 bcs-462 ecc client automation brewery controller logging","author":"=cscade","date":"2012-11-27 "},{"name":"bcserver","description":"BarCode Server","url":null,"keywords":"","version":"0.0.6","words":"bcserver barcode server =daxxog","author":"=daxxog","date":"2013-03-12 "},{"name":"bd","description":"bd","url":null,"keywords":"bd","version":"0.0.1","words":"bd bd =mdemo bd","author":"=mdemo","date":"2013-08-15 "},{"name":"bdb-fork-grimen","description":"Berkeley DB(5.X) bindings for node","url":null,"keywords":"bdb berkeleydb db database storage","version":"0.0.1","words":"bdb-fork-grimen berkeley db(5.x) bindings for node =grimen bdb berkeleydb db database storage","author":"=grimen","date":"2013-01-10 "},{"name":"bdd-math70480-ex","description":"just the example on the 70-480 ms exam Training Kit","url":null,"keywords":"70-480 math","version":"0.0.0","words":"bdd-math70480-ex just the example on the 70-480 ms exam training kit =bodde 70-480 math","author":"=bodde","date":"2014-04-27 "},{"name":"bdd-tree","description":"Transforms BDD test source into syntax tree","url":null,"keywords":"bdd jasmine mocha test source transform syntax tree","version":"0.2.1","words":"bdd-tree transforms bdd test source into syntax tree =bahmutov bdd jasmine mocha test source transform syntax tree","author":"=bahmutov","date":"2014-08-26 "},{"name":"bdd-using","description":"DRY your Jasmine or Mocha tests using the data provider pattern","url":null,"keywords":"mocha jasmine using","version":"0.1.0","words":"bdd-using dry your jasmine or mocha tests using the data provider pattern =kristerkari mocha jasmine using","author":"=kristerkari","date":"2014-04-04 "},{"name":"bdd-with-opts","description":"A more flexible bdd interface for Mocha ","url":null,"keywords":"mocha bdd interface","version":"0.0.4","words":"bdd-with-opts a more flexible bdd interface for mocha =sebv mocha bdd interface","author":"=sebv","date":"2014-06-22 "},{"name":"bdd-wrappers","description":"BDD wrappers for jasmine and mocha describe/it to help writing tests in GIVEN WHEN THEN AND fashion","url":null,"keywords":"BDD GIVEN WHEN THEN AND test jasmine mocha","version":"0.0.4","words":"bdd-wrappers bdd wrappers for jasmine and mocha describe/it to help writing tests in given when then and fashion =podefr bdd given when then and test jasmine mocha","author":"=podefr","date":"2014-01-11 "},{"name":"bddps","description":"Batch Download Douban Pictures","url":null,"keywords":"","version":"0.0.1","words":"bddps batch download douban pictures =xngiser","author":"=xngiser","date":"2014-05-08 "},{"name":"bde","description":"Browserify Development Environment","url":null,"keywords":"browserify","version":"0.4.3","words":"bde browserify development environment =damonoehlman browserify","author":"=damonoehlman","date":"2013-11-12 "},{"name":"bdf","description":"Simple library for reading Adobe Glyph Bitmap Distribution font files","url":null,"keywords":"adobe bdf font bitmap","version":"1.0.1","words":"bdf simple library for reading adobe glyph bitmap distribution font files =victorporof adobe bdf font bitmap","author":"=victorporof","date":"2013-12-29 "},{"name":"bdog","description":"A better browser cat (bcat) - Pipe content directly to your browser","url":null,"keywords":"","version":"0.1.4","words":"bdog a better browser cat (bcat) - pipe content directly to your browser =jakobwesthoff","author":"=jakobwesthoff","date":"2013-12-05 "},{"name":"bdsm","description":"Extracts dominant colors from bottom and top parts of an image.","url":null,"keywords":"border color common dominant image imagemagick palette photo picker thief","version":"0.2.2","words":"bdsm extracts dominant colors from bottom and top parts of an image. =gaearon border color common dominant image imagemagick palette photo picker thief","author":"=gaearon","date":"2014-04-10 "},{"name":"be","description":"Be.js ===== _Shakespeare approved!_","url":null,"keywords":"","version":"0.0.3","words":"be be.js ===== _shakespeare approved!_ =xenomuta","author":"=xenomuta","date":"2014-02-23 "},{"name":"be-async","description":"Control flows and methods to deal with asynchronous programs","url":null,"keywords":"be.js async async.js asynchronous control flow functional high-order","version":"0.1.6","words":"be-async control flows and methods to deal with asynchronous programs =aynik be.js async async.js asynchronous control flow functional high-order","author":"=aynik","date":"2014-09-10 "},{"name":"be-more-hapi","description":"A example site using HAPI to build an API","url":null,"keywords":"example calulator hapi api","version":"0.2.2","words":"be-more-hapi a example site using hapi to build an api =glennjones example calulator hapi api","author":"=glennjones","date":"2014-09-15 "},{"name":"be-paige","description":"Paige is Page Objects. yup.","url":null,"keywords":"","version":"0.3.2","words":"be-paige paige is page objects. yup. =attamusc =nikb100","author":"=attamusc =nikb100","date":"2014-05-14 "},{"name":"be-spork","description":"A pool of forks. For when you need it.","url":null,"keywords":"spork fork pool","version":"0.1.0","words":"be-spork a pool of forks. for when you need it. =attamusc spork fork pool","author":"=attamusc","date":"2014-01-20 "},{"name":"be2bill","description":"node be2bill library","url":null,"keywords":"be2bill payment","version":"0.0.4","words":"be2bill node be2bill library =larafale be2bill payment","author":"=larafale","date":"2014-09-10 "},{"name":"bea","url":null,"keywords":"javascript c++ module bea converter generator library","version":"0.2.0","words":"bea =codeboost javascript c++ module bea converter generator library","author":"=codeboost","date":"2012-08-25 "},{"name":"beachmint-demo","description":"An HTTP server demo that proxies npmjs.org ","url":null,"keywords":"","version":"0.0.3","words":"beachmint-demo an http server demo that proxies npmjs.org =etanlubeck","author":"=etanlubeck","date":"2013-10-02 "},{"name":"beacon","description":"assign ports for you net services.","url":null,"keywords":"beacon service registry axon zmq ports","version":"0.4.9","words":"beacon assign ports for you net services. =hikari beacon service registry axon zmq ports","author":"=hikari","date":"2013-06-19 "},{"name":"beaconer","description":"Sends beacon from browser to a beacon collector service for tracking application info, such as perf, error, info.","url":null,"keywords":"","version":"0.0.0","words":"beaconer sends beacon from browser to a beacon collector service for tracking application info, such as perf, error, info. =lingyan","author":"=lingyan","date":"2014-08-18 "},{"name":"beaconpush","description":"node.js client for the Beaconpush API (cloud hosted service for Web Sockets and other push technologies)","url":null,"keywords":"websocket websockets realtime html5 cloud push","version":"0.1.0","words":"beaconpush node.js client for the beaconpush api (cloud hosted service for web sockets and other push technologies) =cgbystrom websocket websockets realtime html5 cloud push","author":"=cgbystrom","date":"2011-02-20 "},{"name":"beacontriangulation","description":"Triangulation Algorithm for three given points plus radii","url":null,"keywords":"","version":"0.0.1","words":"beacontriangulation triangulation algorithm for three given points plus radii =johannesboyne","author":"=johannesboyne","date":"2014-05-09 "},{"name":"beads","description":"beads","url":null,"keywords":"beads middleware generator","version":"0.2.1","words":"beads beads =zenozeng beads middleware generator","author":"=zenozeng","date":"2014-09-07 "},{"name":"beagle","description":"Release a Beagle dog to scrape a web site for you.","url":null,"keywords":"scrap scraper site scraper beagle","version":"0.1.1","words":"beagle release a beagle dog to scrape a web site for you. =fernetjs scrap scraper site scraper beagle","author":"=fernetjs","date":"2012-10-03 "},{"name":"beaglebone-io","description":"Firmata-compatible BeagleBone Black device API","url":null,"keywords":"firmata beaglebone fohnny-five","version":"0.0.7","words":"beaglebone-io firmata-compatible beaglebone black device api =julianduque firmata beaglebone fohnny-five","author":"=julianduque","date":"2014-05-26 "},{"name":"beaglebone-toolkit","description":"simplified interface for beaglebones","url":null,"keywords":"","version":"0.0.6","words":"beaglebone-toolkit simplified interface for beaglebones =mwwhited","author":"=mwwhited","date":"2014-02-08 "},{"name":"beak","description":"URL router","url":null,"keywords":"router routing route","version":"0.0.3","words":"beak url router =katsgeorgeek router routing route","author":"=katsgeorgeek","date":"2013-06-04 "},{"name":"beam","description":"Streams and Pipes revised for analytics","url":null,"keywords":"cep streams pipes branch combine union flow meta builtin functions","version":"0.1.4","words":"beam streams and pipes revised for analytics =darach cep streams pipes branch combine union flow meta builtin functions","author":"=darach","date":"2013-10-07 "},{"name":"beambotio","description":"Controll Raspberry Pi connected sensors via Tweets and Hashtags. Developed at the MIT Media Lab Workshop","url":null,"keywords":"RaspberryPi RaspberryPi Camera rPi Twitter Bot Remote Cam sensors","version":"0.0.2","words":"beambotio controll raspberry pi connected sensors via tweets and hashtags. developed at the mit media lab workshop =donaldderek raspberrypi raspberrypi camera rpi twitter bot remote cam sensors","author":"=donaldderek","date":"2014-03-27 "},{"name":"beamer","description":"Sync directories to S3","url":null,"keywords":"aws amazon s3","version":"0.2.0","words":"beamer sync directories to s3 =jxson aws amazon s3","author":"=jxson","date":"2013-09-09 "},{"name":"beams","description":"A long-polling Node.js server and client","url":null,"keywords":"beam beams long polling lighter lightweight simple fast ajax xhr socket io","version":"0.0.16","words":"beams a long-polling node.js server and client =zerious beam beams long polling lighter lightweight simple fast ajax xhr socket io","author":"=zerious","date":"2014-06-25 "},{"name":"bean","description":"A small, fast, framework-agnostic event manager","url":null,"keywords":"ender events event","version":"1.0.14","words":"bean a small, fast, framework-agnostic event manager =ded =fat =rvagg ender events event","author":"=ded =fat =rvagg","date":"2014-06-12 "},{"name":"bean-io","description":"Punchthrough LightBlue Bean IO","url":null,"keywords":"bean ble lightblue punchthrough johnny-five","version":"0.1.1","words":"bean-io punchthrough lightblue bean io =monteslu bean ble lightblue punchthrough johnny-five","author":"=monteslu","date":"2014-09-13 "},{"name":"bean-serial","description":"Virtual node serialport device using ble-bean (Lightblue Bean node bindings)","url":null,"keywords":"","version":"0.1.0","words":"bean-serial virtual node serialport device using ble-bean (lightblue bean node bindings) =monteslu","author":"=monteslu","date":"2014-09-04 "},{"name":"bean.database.mongo","description":"mongo bean for beanpole","url":null,"keywords":"","version":"0.0.4","words":"bean.database.mongo mongo bean for beanpole =architectd","author":"=architectd","date":"2012-08-23 "},{"name":"bean.http","description":"HTTP beans for beanpole","url":null,"keywords":"","version":"0.0.8","words":"bean.http http beans for beanpole =architectd","author":"=architectd","date":"2012-02-15 "},{"name":"beandocs","url":null,"keywords":"","version":"0.0.2","words":"beandocs =architectd","author":"=architectd","date":"2012-02-17 "},{"name":"beanie","description":"haba + beanpoll","url":null,"keywords":"","version":"0.1.0","words":"beanie haba + beanpoll =architectd","author":"=architectd","date":"2012-11-02 "},{"name":"beanpole","description":"Routing on Steroids","url":null,"keywords":"","version":"0.1.19","words":"beanpole routing on steroids =architectd","author":"=architectd","date":"2012-01-27 "},{"name":"beanpoll","description":"Routing with syntactic sugar","url":null,"keywords":"","version":"0.2.19","words":"beanpoll routing with syntactic sugar =architectd","author":"=architectd","date":"2013-05-31 "},{"name":"beanpoll-cache","description":"cache middleware for beanpoll","url":null,"keywords":"","version":"0.0.1","words":"beanpoll-cache cache middleware for beanpoll =architectd","author":"=architectd","date":"2012-04-03 "},{"name":"beanpoll-connect","description":"beanpoll-connect ================","url":null,"keywords":"","version":"0.0.2","words":"beanpoll-connect beanpoll-connect ================ =architectd","author":"=architectd","date":"2012-11-02 "},{"name":"beanpoll-growl","description":"growl notification plugin for beanpoll","url":null,"keywords":"","version":"0.0.1","words":"beanpoll-growl growl notification plugin for beanpoll =architectd","author":"=architectd","date":"2012-02-17 "},{"name":"beanpoll-http","description":"HTTP beans for beanpole","url":null,"keywords":"","version":"0.0.10","words":"beanpoll-http http beans for beanpole =architectd","author":"=architectd","date":"2012-11-02 "},{"name":"beanpoll-mixpanel","url":null,"keywords":"","version":"0.0.1","words":"beanpoll-mixpanel =architectd","author":"=architectd","date":"2012-03-28 "},{"name":"beanpoll-store","description":"","url":null,"keywords":"","version":"0.0.2","words":"beanpoll-store =architectd","author":"=architectd","date":"2012-03-05 "},{"name":"beanpoll-twilio","description":"Thyme client for beanpoll","url":null,"keywords":"","version":"0.0.0","words":"beanpoll-twilio thyme client for beanpoll =architectd","author":"=architectd","date":"2012-03-05 "},{"name":"beans","description":"Build tasks for CoffeeScript projects targeting Node and the browser.","url":null,"keywords":"browser build coffeescript","version":"0.6.5","words":"beans build tasks for coffeescript projects targeting node and the browser. =dimituri browser build coffeescript","author":"=dimituri","date":"2011-12-29 "},{"name":"beanspector","description":"A Beanstalk inspector utility for the CLI","url":null,"keywords":"beanstalkd queue nodestalker beanspector","version":"0.1.0","words":"beanspector a beanstalk inspector utility for the cli =pascalopitz beanstalkd queue nodestalker beanspector","author":"=pascalopitz","date":"2013-07-10 "},{"name":"beanstalk_client","description":"client library for the beanstalkd message queue server","url":null,"keywords":"","version":"0.2.0","words":"beanstalk_client client library for the beanstalkd message queue server =benlund","author":"=benlund","date":"prehistoric"},{"name":"beanstalk_worker","description":"library and example script for building workers to handle jobs held in a beanstalkd message queue server","url":null,"keywords":"","version":"0.2.1","words":"beanstalk_worker library and example script for building workers to handle jobs held in a beanstalkd message queue server =benlund","author":"=benlund","date":"2012-03-05 "},{"name":"beanstalkc","description":"Easy to use beanstalkd client library for node.js","url":null,"keywords":"","version":"0.0.3","words":"beanstalkc easy to use beanstalkd client library for node.js =jayyvis","author":"=jayyvis","date":"2014-08-04 "},{"name":"beanstalker","description":"High-level client API wrapper for Beanstalkd distributed workers. Built on top of fivebean.","url":null,"keywords":"beanstalk beanstalkd worker distributed client","version":"0.0.2","words":"beanstalker high-level client api wrapper for beanstalkd distributed workers. built on top of fivebean. =alanpich beanstalk beanstalkd worker distributed client","author":"=alanpich","date":"2014-06-09 "},{"name":"beanstats","description":"little beanstalkd tube stats monitor","url":null,"keywords":"beanstalkd tube stats monitor","version":"0.0.3","words":"beanstats little beanstalkd tube stats monitor =hit9 beanstalkd tube stats monitor","author":"=hit9","date":"2014-08-27 "},{"name":"beantest","description":"Beantest: autotest jasmine-node tests","url":null,"keywords":"autotest testing jasmine node","version":"0.0.7","words":"beantest beantest: autotest jasmine-node tests =davidpeter autotest testing jasmine node","author":"=davidpeter","date":"2011-11-16 "},{"name":"bear","description":"a git based deployment tool","url":null,"keywords":"","version":"0.1.0","words":"bear a git based deployment tool =danheberden","author":"=danheberden","date":"2012-12-25 "},{"name":"bearbone","description":"My flavour of Models & Controllers","url":null,"keywords":"MVC M-C Model Controller","version":"0.7.4","words":"bearbone my flavour of models & controllers =brendanobrienesq mvc m-c model controller","author":"=brendanobrienesq","date":"2014-05-05 "},{"name":"bearcat","description":"a POJOs based application framework for node.js","url":null,"keywords":"IoC dependency injection AOP consistent configuration hot reload","version":"0.2.28","words":"bearcat a pojos based application framework for node.js =fantasyni ioc dependency injection aop consistent configuration hot reload","author":"=fantasyni","date":"2014-09-13 "},{"name":"bearcat-dao","description":"dao O/R mapping, transaction framework","url":null,"keywords":"dao framework","version":"0.1.20","words":"bearcat-dao dao o/r mapping, transaction framework =fantasyni dao framework","author":"=fantasyni","date":"2014-09-15 "},{"name":"bearcat-jstrace","description":"[jstrace](https://github.com/jstrace/jstrace) support for [bearcat](https://github.com/bearcatnode/bearcat) based on bearcat AOP","url":null,"keywords":"jstrace trace bearcat","version":"0.1.2","words":"bearcat-jstrace [jstrace](https://github.com/jstrace/jstrace) support for [bearcat](https://github.com/bearcatnode/bearcat) based on bearcat aop =fantasyni jstrace trace bearcat","author":"=fantasyni","date":"2014-05-24 "},{"name":"bearcat-remote","description":"bearcat remote","url":null,"keywords":"bearcat remote rpc","version":"0.1.0","words":"bearcat-remote bearcat remote =fantasyni bearcat remote rpc","author":"=fantasyni","date":"2014-05-06 "},{"name":"beard","description":"More than a mustache.","url":null,"keywords":"template engine node browser","version":"0.0.2","words":"beard more than a mustache. =shanebo template engine node browser","author":"=shanebo","date":"2013-07-13 "},{"name":"beard.js","url":null,"keywords":"beard","version":"0.0.0","words":"beard.js =rafaelrinaldi beard","author":"=rafaelrinaldi","date":"2014-04-12 "},{"name":"beardcomb","description":"Hogan.js adapter for Express.js applications, with support for file-based partials and foundation template.","url":null,"keywords":"express.js hogan.js adapter foundation partials","version":"0.3.1","words":"beardcomb hogan.js adapter for express.js applications, with support for file-based partials and foundation template. =sppericat express.js hogan.js adapter foundation partials","author":"=sppericat","date":"2013-07-21 "},{"name":"bearded-nemesis","description":"An npm pass through for private and public modules","url":null,"keywords":"npm pass thorugh proxy private sinopia","version":"1.0.2","words":"bearded-nemesis an npm pass through for private and public modules =mauricebutler npm pass thorugh proxy private sinopia","author":"=mauricebutler","date":"2014-09-19 "},{"name":"bearded-protagonist","description":"An npm wrapper that checks your publish config before you attempt to publsh a package publicly","url":null,"keywords":"npm private proxy public warning stop","version":"1.0.3","words":"bearded-protagonist an npm wrapper that checks your publish config before you attempt to publsh a package publicly =korynunn =mauricebutler npm private proxy public warning stop","author":"=korynunn =mauricebutler","date":"2014-06-04 "},{"name":"beardless","description":"DSL-less html templating. No logic guaranteed!","url":null,"keywords":"templating template templates plates weld","version":"0.0.2","words":"beardless dsl-less html templating. no logic guaranteed! =marcelklehr templating template templates plates weld","author":"=marcelklehr","date":"2012-10-25 "},{"name":"beardo","description":"A mustache template utility for Node.js servers/ projects.","url":null,"keywords":"res.template mustache templates hogan","version":"1.1.1","words":"beardo a mustache template utility for node.js servers/ projects. =jxson res.template mustache templates hogan","author":"=jxson","date":"2013-08-01 "},{"name":"beare","description":"Cross-platform helper for node.js projects.","url":null,"keywords":"","version":"0.1.1","words":"beare cross-platform helper for node.js projects. =paulmillr","author":"=paulmillr","date":"2012-04-26 "},{"name":"bearer","description":"Bearer authentication module using token and Authorization HTTP header","url":null,"keywords":"Bearer Authentication Authorization Token","version":"0.0.16","words":"bearer bearer authentication module using token and authorization http header =dselmanovic bearer authentication authorization token","author":"=dselmanovic","date":"2014-06-27 "},{"name":"beast","description":"provides a timer'd loop with hooks producing various animated effects","url":null,"keywords":"animated transition ease loop scripted","version":"0.0.3","words":"beast provides a timer'd loop with hooks producing various animated effects =bumblehead animated transition ease loop scripted","author":"=bumblehead","date":"2014-05-11 "},{"name":"beast-lr-sync","url":null,"keywords":"","version":"0.0.4","words":"beast-lr-sync =beastjavascript","author":"=beastjavascript","date":"2014-04-12 "},{"name":"beast-roar","description":"This is a Framework that can help to generate views for your applications","url":null,"keywords":"fullmoon beastjavascript generator PHP laravel handlebars mustache beast javascript coffee-stir beast-test","version":"0.0.1","words":"beast-roar this is a framework that can help to generate views for your applications =beastjavascript fullmoon beastjavascript generator php laravel handlebars mustache beast javascript coffee-stir beast-test","author":"=beastjavascript","date":"2014-05-01 "},{"name":"beast-test","description":"A package that allow for JUnit like TestCases. Very Robust Test Driven Development Framework","url":null,"keywords":"TDD JUnit Beast BeastJavaScript TestCase Test Driven Development","version":"0.0.14","words":"beast-test a package that allow for junit like testcases. very robust test driven development framework =beastjavascript tdd junit beast beastjavascript testcase test driven development","author":"=beastjavascript","date":"2014-04-18 "},{"name":"beast-trigger","description":"This is to have triggers that are detached from any object. This provides a way to execute a function if there is a listener. Or else silently failed if there isn't a listener","url":null,"keywords":"trigger events event beast-javascript beeastjavascript","version":"0.0.2","words":"beast-trigger this is to have triggers that are detached from any object. this provides a way to execute a function if there is a listener. or else silently failed if there isn't a listener =beastjavascript trigger events event beast-javascript beeastjavascript","author":"=beastjavascript","date":"2014-04-20 "},{"name":"beat","description":"Simple dependency injection for node","url":null,"keywords":"di ioc dependency injection injector container di container ioc container dependency management inversion of control dependency injection","version":"1.0.6","words":"beat simple dependency injection for node =edinella di ioc dependency injection injector container di container ioc container dependency management inversion of control dependency injection","author":"=edinella","date":"2014-01-29 "},{"name":"beat-conf","description":"Simple configuration utility for Beat dependency injection","url":null,"keywords":"di ioc dependency injection injector container di container ioc container dependency management inversion of control dependency injection conf config configuration configure","version":"0.0.2","words":"beat-conf simple configuration utility for beat dependency injection =edinella di ioc dependency injection injector container di container ioc container dependency management inversion of control dependency injection conf config configuration configure","author":"=edinella","date":"2013-11-21 "},{"name":"beat-emmiter","description":"The best project ever.","url":null,"keywords":"","version":"0.1.0","words":"beat-emmiter the best project ever. =android","author":"=android","date":"2014-06-11 "},{"name":"beatbox","description":"Fully asynchrone modular application framework for Node.js.","url":null,"keywords":"","version":"0.0.1","words":"beatbox fully asynchrone modular application framework for node.js. =wizzbuy","author":"=wizzbuy","date":"2014-01-21 "},{"name":"beatduino-helpers","description":"Sugar for Rabbit-MQ connection and other assorted helper methods for Beatduino.","url":null,"keywords":"algorave arduino robots","version":"0.0.2","words":"beatduino-helpers sugar for rabbit-mq connection and other assorted helper methods for beatduino. =sideb0ard algorave arduino robots","author":"=sideb0ard","date":"2014-05-26 "},{"name":"beatify","keywords":"","version":[],"words":"beatify","author":"","date":"2014-04-05 "},{"name":"beatit","description":"Simple agent that can stay hooked on a log file (even if while log rotated and send each line to a remote Syslog Server","url":null,"keywords":"","version":"0.2.0","words":"beatit simple agent that can stay hooked on a log file (even if while log rotated and send each line to a remote syslog server =wuatanabe","author":"=wuatanabe","date":"2011-05-22 "},{"name":"beatport","description":"Beatport API client for Node.js","url":null,"keywords":"","version":"0.0.2","words":"beatport beatport api client for node.js =stagas","author":"=stagas","date":"2011-06-09 "},{"name":"beatport-csv-parser","description":"Beatport csv parser","url":null,"keywords":"beatport csv","version":"0.0.2","words":"beatport-csv-parser beatport csv parser =jb55 beatport csv","author":"=jb55","date":"2014-04-17 "},{"name":"beats","description":"A naive but generic beat-detection module.","url":null,"keywords":"","version":"0.0.0","words":"beats a naive but generic beat-detection module. =hughsk","author":"=hughsk","date":"2013-10-28 "},{"name":"beatsjs","description":"Create beats from ascii drum machine tracks with the web audio api.","url":null,"keywords":"browser webaudioapi beats drummachine","version":"0.2.0","words":"beatsjs create beats from ascii drum machine tracks with the web audio api. =jergason browser webaudioapi beats drummachine","author":"=jergason","date":"2014-09-18 "},{"name":"beatsync","description":"captures tapping on sync","url":null,"keywords":"","version":"0.0.1","words":"beatsync captures tapping on sync =pouriamaleki","author":"=pouriamaleki","date":"2014-01-02 "},{"name":"beautifier","description":"The JavaScript, html, and css beautifier","url":null,"keywords":"beautify","version":"0.1.7","words":"beautifier the javascript, html, and css beautifier =rickeyski beautify","author":"=rickeyski","date":"2012-10-29 "},{"name":"beautiful","description":"Gruntfiles to beautify all kinds of stuff","url":null,"keywords":"beautifier beautify grunt gruntfile","version":"0.0.1","words":"beautiful gruntfiles to beautify all kinds of stuff =corysimmons beautifier beautify grunt gruntfile","author":"=corysimmons","date":"2014-02-14 "},{"name":"beautiful-docs","description":"A documentation viewer based on markdown files","url":null,"keywords":"docs markdown","version":"1.0.3","words":"beautiful-docs a documentation viewer based on markdown files =maximebf docs markdown","author":"=maximebf","date":"2013-08-16 "},{"name":"beautiful-lies","description":"Test doubles for asynchronous JavaScript that are easy on the eyes.","url":null,"keywords":"mock stub mocking stubbing faking testing fakes unit test","version":"3.3.3","words":"beautiful-lies test doubles for asynchronous javascript that are easy on the eyes. =mpj mock stub mocking stubbing faking testing fakes unit test","author":"=mpj","date":"2014-04-25 "},{"name":"beautiful-pad","description":"A markdown editor with live preview","url":null,"keywords":"docs markdown editor realtime live preview","version":"0.1.0","words":"beautiful-pad a markdown editor with live preview =bitcoinjs =justmoon docs markdown editor realtime live preview","author":"=bitcoinjs =justmoon","date":"2012-12-07 "},{"name":"beautify-benchmark","description":"Beautify Benchmark.js's output into readable form.","url":null,"keywords":"benchmark beautify","version":"0.2.4","words":"beautify-benchmark beautify benchmark.js's output into readable form. =fishrock123 benchmark beautify","author":"=fishrock123","date":"2014-01-01 "},{"name":"beautify-with-words","description":"Beautify javascript with unique \"long-ish words\" for variable names.","url":null,"keywords":"beautifier beautify formatter pretty","version":"0.2.0","words":"beautify-with-words beautify javascript with unique \"long-ish words\" for variable names. =zertosh beautifier beautify formatter pretty","author":"=zertosh","date":"2014-02-09 "},{"name":"beautify.hks","description":"Beautify your javascript with each commit","url":null,"keywords":"hooks pre-commit beautification git js-beautify","version":"0.0.5","words":"beautify.hks beautify your javascript with each commit =mcwhittemore hooks pre-commit beautification git js-beautify","author":"=mcwhittemore","date":"2014-04-16 "},{"name":"beauty","description":"Beautiful console and strings: colorful && stylized. Use it without doing anything to `console`.","url":null,"keywords":"","version":"0.0.7","words":"beauty beautiful console and strings: colorful && stylized. use it without doing anything to `console`. =sumory.wu","author":"=sumory.wu","date":"2014-03-12 "},{"name":"beauty-queen","description":"A cli tool for beautifying your codes","url":null,"keywords":"","version":"0.0.1","words":"beauty-queen a cli tool for beautifying your codes =addisonj","author":"=addisonj","date":"2012-06-14 "},{"name":"beaver","description":"CLI tool for piping a log's tail over TCP","url":null,"keywords":"cli loggly sysadmin tools logging tcp","version":"0.0.6","words":"beaver cli tool for piping a log's tail over tcp =clifton cli loggly sysadmin tools logging tcp","author":"=clifton","date":"2011-09-09 "},{"name":"beaverbird","description":"all-in-one user tracking","url":null,"keywords":"","version":"0.5.1","words":"beaverbird all-in-one user tracking =aselzer","author":"=aselzer","date":"2014-08-19 "},{"name":"bebop","description":"Code ninja, code ninja go! Develop at breakneck speeds.","url":null,"keywords":"bebop browser reloading compilers preprocessors static file server vim web development","version":"1.1.4","words":"bebop code ninja, code ninja go! develop at breakneck speeds. =zeekay bebop browser reloading compilers preprocessors static file server vim web development","author":"=zeekay","date":"2014-04-16 "},{"name":"beck","description":"An ES6 Module Loader pipeline toolkit and shim.","url":null,"keywords":"beck commonjs modules amd module es6","version":"0.1.0","words":"beck an es6 module loader pipeline toolkit and shim. =cujojs beck commonjs modules amd module es6","author":"=cujojs","date":"2013-07-09 "},{"name":"becklyn-gulp","description":"Small helper for gulp which is used internally at Becklyn","url":null,"keywords":"becklyn gulp assets","version":"0.1.3","words":"becklyn-gulp small helper for gulp which is used internally at becklyn =apfelbox becklyn gulp assets","author":"=apfelbox","date":"2014-08-29 "},{"name":"beckon","description":"beckon ======","url":null,"keywords":"","version":"0.0.1","words":"beckon beckon ====== =chapel","author":"=chapel","date":"2014-03-09 "},{"name":"become","description":"Transform target DOM elements to become incoming HTML","url":null,"keywords":"dom diff html realtime template transform","version":"1.4.0","words":"become transform target dom elements to become incoming html =mmckegg dom diff html realtime template transform","author":"=mmckegg","date":"2014-07-23 "},{"name":"bed","description":"It's a in browser code editor that isn't Ace or Code Mirror, but still has syntax highlighting.","url":null,"keywords":"","version":"1.0.3","words":"bed it's a in browser code editor that isn't ace or code mirror, but still has syntax highlighting. =dominictarr","author":"=dominictarr","date":"2013-11-12 "},{"name":"bedaub","keywords":"","version":[],"words":"bedaub","author":"","date":"2014-04-05 "},{"name":"bedazzle","description":"CSS3 Animation Helpers for JS","url":null,"keywords":"css3 animation","version":"0.4.1","words":"bedazzle css3 animation helpers for js =damonoehlman css3 animation","author":"=damonoehlman","date":"2013-10-19 "},{"name":"bedbug","description":"Debug plugin for wall","url":null,"keywords":"wall debug plugin","version":"0.1.0","words":"bedbug debug plugin for wall =bredele wall debug plugin","author":"=bredele","date":"2014-04-17 "},{"name":"bedecked","description":"Turn markdown files into html presentations you can share from dropbox","url":null,"keywords":"markdown html presentation","version":"0.5.2","words":"bedecked turn markdown files into html presentations you can share from dropbox =jtrussell markdown html presentation","author":"=jtrussell","date":"2014-04-10 "},{"name":"bediener","description":"static http server with current directory as document root","url":null,"keywords":"","version":"0.1.4","words":"bediener static http server with current directory as document root =cioddi","author":"=cioddi","date":"2013-10-27 "},{"name":"bedoon","description":"yet another no backend solution using mongodb and nodejs","url":null,"keywords":"nobackend mongo api","version":"0.1.4","words":"bedoon yet another no backend solution using mongodb and nodejs =youknowriad nobackend mongo api","author":"=youknowriad","date":"2014-03-04 "},{"name":"bedrock","description":"A lightweight Bedrock client for Node.","url":null,"keywords":"","version":"0.1.0","words":"bedrock a lightweight bedrock client for node. =ndemonner","author":"=ndemonner","date":"2012-09-25 "},{"name":"bedrock-utils","keywords":"","version":[],"words":"bedrock-utils","author":"","date":"2014-07-30 "},{"name":"bedrockjs","description":"core javascript functionality for storediq apps","url":null,"keywords":"","version":"0.0.4","words":"bedrockjs core javascript functionality for storediq apps =aaronj1335","author":"=aaronj1335","date":"2012-06-19 "},{"name":"bedtime","description":"oEmbed consumer service over XMPP","url":null,"keywords":"oembed xmpp","version":"0.0.2","words":"bedtime oembed consumer service over xmpp =astro oembed xmpp","author":"=astro","date":"2011-12-20 "},{"name":"bee","description":"xml build tool write in Node","url":null,"keywords":"xml build tool front-end build tool bee","version":"0.1.0","words":"bee xml build tool write in node =colorhook xml build tool front-end build tool bee","author":"=colorhook","date":"2014-04-16 "},{"name":"bee-demo","keywords":"","version":[],"words":"bee-demo","author":"","date":"2014-08-13 "},{"name":"bee-hive","description":"Spawn, manage and monitor multiple node.js child_process-es with ease.","url":null,"keywords":"child_process spawn","version":"0.1.6","words":"bee-hive spawn, manage and monitor multiple node.js child_process-es with ease. =chakrit child_process spawn","author":"=chakrit","date":"2012-12-08 "},{"name":"bee-less","description":"bee less plugin","url":null,"keywords":"bee plugin less","version":"0.1.1","words":"bee-less bee less plugin =colorhook bee plugin less","author":"=colorhook","date":"2014-04-16 "},{"name":"bee-mail","description":"bee mail plugin","url":null,"keywords":"bee plugin mail","version":"0.1.0","words":"bee-mail bee mail plugin =colorhook bee plugin mail","author":"=colorhook","date":"2014-04-11 "},{"name":"bee-min","description":"bee min and datauri plugin","url":null,"keywords":"bee plugin min datauri","version":"0.2.2","words":"bee-min bee min and datauri plugin =colorhook bee plugin min datauri","author":"=colorhook","date":"2014-04-16 "},{"name":"bee_demo","keywords":"","version":[],"words":"bee_demo","author":"","date":"2014-08-13 "},{"name":"beebotte","description":"Beebotte is an open cloud platform for real time connected objects. This package provides the implementation of Beebotte API in nodejs.","url":null,"keywords":"api rest pubsub restful iot internet of things devices cloud realtime connected","version":"0.3.2","words":"beebotte beebotte is an open cloud platform for real time connected objects. this package provides the implementation of beebotte api in nodejs. =beebotte api rest pubsub restful iot internet of things devices cloud realtime connected","author":"=beebotte","date":"2014-09-10 "},{"name":"beef","description":"beef - brwoser end equals framework","url":null,"keywords":"requirejs require AMD beef","version":"0.0.7","words":"beef beef - brwoser end equals framework =linkwisdom requirejs require amd beef","author":"=linkwisdom","date":"2014-04-02 "},{"name":"beefy","description":"local development server that aims to make using browserify fast and fun","url":null,"keywords":"simplehttpserver browserify","version":"2.1.1","words":"beefy local development server that aims to make using browserify fast and fun =chrisdickinson simplehttpserver browserify","author":"=chrisdickinson","date":"2014-08-20 "},{"name":"beehive","description":"Beehavioral JavaScript made simple.","url":null,"keywords":"behaviour","version":"0.0.1","words":"beehive beehavioral javascript made simple. =attilagyorffy =layam behaviour","author":"=attilagyorffy =layam","date":"2012-01-27 "},{"name":"beejs","description":"Web framework for Node.js","url":null,"keywords":"web mvc rest restful framework","version":"0.0.3","words":"beejs web framework for node.js =emee web mvc rest restful framework","author":"=emee","date":"2014-08-13 "},{"name":"beejs-demo","description":"Bee.js demo","url":null,"keywords":"demo beejs","version":"0.0.1","words":"beejs-demo bee.js demo =emee demo beejs","author":"=emee","date":"2014-08-13 "},{"name":"beekeeper","description":"RESTful Web Service for coordinating a distributed cluster of nodes.","url":null,"keywords":"restful rest web service cluster distributed nodes","version":"0.0.1","words":"beekeeper restful web service for coordinating a distributed cluster of nodes. =kurunt restful rest web service cluster distributed nodes","author":"=kurunt","date":"2014-05-22 "},{"name":"beeker","description":"Collection class.","url":null,"keywords":"","version":"0.1.2","words":"beeker collection class. =jaz303","author":"=jaz303","date":"2014-08-27 "},{"name":"beeker-manager","url":null,"keywords":"","version":"0.0.1","words":"beeker-manager =jaz303","author":"=jaz303","date":"2014-08-19 "},{"name":"beeline","description":"A laughably simplistic router for node.js","url":null,"keywords":"url dispatch router request handler middleware","version":"0.2.4","words":"beeline a laughably simplistic router for node.js =xavi url dispatch router request handler middleware","author":"=xavi","date":"2014-09-05 "},{"name":"beep","description":"A BEEP protocol implementation for node.js","url":null,"keywords":"beep exchange protocol framing tcp","version":"0.0.0","words":"beep a beep protocol implementation for node.js =mscdex beep exchange protocol framing tcp","author":"=mscdex","date":"2012-08-02 "},{"name":"beepbeep","description":"Make a console beep noise in Node.js","url":null,"keywords":"beep console beep beep beep ding ping fun","version":"1.2.0","words":"beepbeep make a console beep noise in node.js =feross beep console beep beep beep ding ping fun","author":"=feross","date":"2014-03-22 "},{"name":"beeplay","description":"Play the JavaScript","url":null,"keywords":"","version":"0.0.1","words":"beeplay play the javascript =watilde","author":"=watilde","date":"2014-04-15 "},{"name":"beeps","description":"beeps the terminal","url":null,"keywords":"beep","version":"0.0.1","words":"beeps beeps the terminal =gildean beep","author":"=gildean","date":"2014-01-29 "},{"name":"beer","description":"a simple useful wrapper of request","url":null,"keywords":"beer request api sdk","version":"0.0.8","words":"beer a simple useful wrapper of request =turing beer request api sdk","author":"=turing","date":"2013-10-14 "},{"name":"beer-advocate-api","description":"Unofficial library for working with Beer Advocate data.","url":null,"keywords":"beer advocate beer api","version":"0.0.5","words":"beer-advocate-api unofficial library for working with beer advocate data. =stursby beer advocate beer api","author":"=stursby","date":"2014-08-20 "},{"name":"beercalc_js","description":"JS class for common beer calculations for brewers.","url":null,"keywords":"","version":"1.0.4","words":"beercalc_js js class for common beer calculations for brewers. =griffithben","author":"=griffithben","date":"2014-06-07 "},{"name":"beerjson","description":"simply represent a brew recipe with json.","url":null,"keywords":"","version":"0.1.4","words":"beerjson simply represent a brew recipe with json. =jonpacker","author":"=jonpacker","date":"2013-06-22 "},{"name":"bees","description":"Api documentation generator","url":null,"keywords":"","version":"0.0.6","words":"bees api documentation generator =yawnt","author":"=yawnt","date":"2012-08-02 "},{"name":"beet","url":null,"keywords":"","version":"0.1.14","words":"beet =architectd","author":"=architectd","date":"2012-04-03 "},{"name":"beetea-server","description":"beetea is a super lightweight framework to build APIs with stantdard and custom REST and security policies","url":null,"keywords":"nodejs api rest","version":"0.0.2","words":"beetea-server beetea is a super lightweight framework to build apis with stantdard and custom rest and security policies =rodriguezartav nodejs api rest","author":"=rodriguezartav","date":"2013-09-22 "},{"name":"beetle-juice","keywords":"","version":[],"words":"beetle-juice","author":"","date":"2014-07-28 "},{"name":"beez","description":"The framework for mobile browser faster development.","url":null,"keywords":"beez browser mobile backbone require.js development","version":"1.0.26","words":"beez the framework for mobile browser faster development. =fkei =cyberagent =layzie =suemasa beez browser mobile backbone require.js development","author":"=fkei =cyberagent =layzie =suemasa","date":"2014-08-28 "},{"name":"beez-confbuilder","description":"Build configuration files for beez project template.","url":null,"keywords":"node beez configuration build","version":"0.2.6","words":"beez-confbuilder build configuration files for beez project template. =fkei node beez configuration build","author":"=fkei","date":"2014-02-18 "},{"name":"beez-foundation","description":"It is the basis for the development of browser for smartphones/pc.","url":null,"keywords":"beez node static mock server jpegoptim optipng pngquant imagemagick development","version":"0.9.2","words":"beez-foundation it is the basis for the development of browser for smartphones/pc. =fkei =cyberagent =layzie =suemasa beez node static mock server jpegoptim optipng pngquant imagemagick development","author":"=fkei =cyberagent =layzie =suemasa","date":"2014-06-24 "},{"name":"beez-optim","description":"beez-optim makes specify images optimize automatically in build process.","url":null,"keywords":"node beezlib beez optipng jpegoptim pngquant","version":"0.2.2","words":"beez-optim beez-optim makes specify images optimize automatically in build process. =fkei node beezlib beez optipng jpegoptim pngquant","author":"=fkei","date":"2014-06-09 "},{"name":"beez-ua","description":"The library deside which browser has an access from UserAgent for node.js or browser. This library is Forked from zepto.js.","url":null,"keywords":"beez useragent smartphone browser","version":"1.0.3","words":"beez-ua the library deside which browser has an access from useragent for node.js or browser. this library is forked from zepto.js. =fkei =cyberagent =layzie =suemasa beez useragent smartphone browser","author":"=fkei =cyberagent =layzie =suemasa","date":"2014-02-05 "},{"name":"beezlib","description":"The utility library for Node.js using beez projects.","url":null,"keywords":"beez node lib stylus imagemagick handlebars jpegoptim optipng pngquant csssprite","version":"0.9.19","words":"beezlib the utility library for node.js using beez projects. =fkei =cyberagent =suemasa =layzie beez node lib stylus imagemagick handlebars jpegoptim optipng pngquant csssprite","author":"=fkei =cyberagent =suemasa =layzie","date":"2014-06-30 "},{"name":"before","description":"before decorator factory","url":null,"keywords":"before pre hook","version":"0.0.1","words":"before before decorator factory =stagas before pre hook","author":"=stagas","date":"2013-11-21 "},{"name":"before-death","description":"Do something before the death of a process.","url":null,"keywords":"","version":"0.9.1","words":"before-death do something before the death of a process. =jsdevel","author":"=jsdevel","date":"2014-05-05 "},{"name":"before-unload","description":"A generic onbeforeunload handler. Will check a list of supplied conditions to determine if it is safe to unload.","url":null,"keywords":"","version":"0.2.2","words":"before-unload a generic onbeforeunload handler. will check a list of supplied conditions to determine if it is safe to unload. =gustavnikolaj","author":"=gustavnikolaj","date":"2014-05-15 "},{"name":"beforefn","description":"Execute a function before a function.","url":null,"keywords":"aspect aop functional oriented","version":"2.3.1","words":"beforefn execute a function before a function. =timoxley aspect aop functional oriented","author":"=timoxley","date":"2014-08-17 "},{"name":"beforesort","description":"Sort an item in a collection relative to other items based on it's before/after attribute","url":null,"keywords":"sort before after relative collection array","version":"0.0.1","words":"beforesort sort an item in a collection relative to other items based on it's before/after attribute =mmckegg sort before after relative collection array","author":"=mmckegg","date":"2013-03-11 "},{"name":"beg","description":"Fast and simple HTTP request node module","url":null,"keywords":"HTTP HTTPS","version":"0.0.3-alpha","words":"beg fast and simple http request node module =djengo http https","author":"=djengo","date":"2014-02-20 "},{"name":"beget","description":"to do","url":null,"keywords":"","version":"1.0.0","words":"beget to do =snd","author":"=snd","date":"2012-11-27 "},{"name":"begin","url":null,"keywords":"","version":"0.1.0","words":"begin =weaver","author":"=weaver","date":"2011-02-24 "},{"name":"begin.js","description":"Flow control library for Node.js and CoffeeScript","url":null,"keywords":"","version":"0.1.3","words":"begin.js flow control library for node.js and coffeescript =arumons","author":"=arumons","date":"2012-04-06 "},{"name":"begrunt","description":"begrunt, grunt helper","url":null,"keywords":"tgrunt task","version":"0.0.1","words":"begrunt begrunt, grunt helper =wangjeaf tgrunt task","author":"=wangjeaf","date":"2014-01-14 "},{"name":"behave","description":"Wraps a function to limit the amount of times it can be called, then calls the a notifier function once that limit has been reached.","url":null,"keywords":"function limit","version":"0.2.2","words":"behave wraps a function to limit the amount of times it can be called, then calls the a notifier function once that limit has been reached. =coen-hyde function limit","author":"=coen-hyde","date":"2013-06-17 "},{"name":"behavior","description":"Class for modeling turn-based game behaviors","url":null,"keywords":"ai behavior turn-based games","version":"0.0.0","words":"behavior class for modeling turn-based game behaviors =mkgh ai behavior turn-based games","author":"=mkgh","date":"2014-03-01 "},{"name":"behaviortree","description":"A JavaScript implementation of Behavior Trees, useful when developing AI behaviors in games.(unofficial)","url":null,"keywords":"Behavior Tree","version":"1.0.0","words":"behaviortree a javascript implementation of behavior trees, useful when developing ai behaviors in games.(unofficial) =gauthierd- behavior tree","author":"=gauthierd-","date":"2014-09-03 "},{"name":"behaviour","description":"behaviour.js is a small library to help attach scripted components to the DOM based on an attribute. The contents of the attribute get parsed as json and passed to the component.","url":null,"keywords":"","version":"0.1.0","words":"behaviour behaviour.js is a small library to help attach scripted components to the dom based on an attribute. the contents of the attribute get parsed as json and passed to the component. =chielkunkels","author":"=chielkunkels","date":"2014-03-24 "},{"name":"behere","description":"Node framework with plugin support for easy development... more like an aggregator.","url":null,"keywords":"","version":"0.2.2","words":"behere node framework with plugin support for easy development... more like an aggregator. =gabrieleds","author":"=gabrieleds","date":"2012-11-22 "},{"name":"behest","description":"Parser for commands to IRC bots","url":null,"keywords":"irc","version":"1.0.0","words":"behest parser for commands to irc bots =kenan irc","author":"=kenan","date":"2014-05-20 "},{"name":"behind","description":"Figure out if a file is behind its dependencies a la make","url":null,"keywords":"dependencies make mtime","version":"0.1.0","words":"behind figure out if a file is behind its dependencies a la make =jesusabdullah dependencies make mtime","author":"=jesusabdullah","date":"2013-06-25 "},{"name":"behind-times","description":"Recursive number of updates per project","url":null,"keywords":"update npm package dependency","version":"0.1.0","words":"behind-times recursive number of updates per project =bahmutov update npm package dependency","author":"=bahmutov","date":"2014-04-10 "},{"name":"behold","description":"simple frp/pubsub/observers using ECMA5 getters/setters","url":null,"keywords":"observable reactive FRP pubsub publish subscribe","version":"0.2.0","words":"behold simple frp/pubsub/observers using ecma5 getters/setters =mattly observable reactive frp pubsub publish subscribe","author":"=mattly","date":"2013-07-03 "},{"name":"beholder","description":"Robust cross-platform file watcher","url":null,"keywords":"watch fs watchfile watcher file","version":"0.2.0","words":"beholder robust cross-platform file watcher =cmoncrief watch fs watchfile watcher file","author":"=cmoncrief","date":"2014-03-07 "},{"name":"bejesus-api","description":"A module to allow interaction with the http://bejes.us/ platform.","url":null,"keywords":"","version":"0.1.1","words":"bejesus-api a module to allow interaction with the http://bejes.us/ platform. =danbuk","author":"=DanBUK","date":"2011-01-31 "},{"name":"bejesus-cli","description":"A CLI tool to allow interaction with the http://bejes.us/ platform.","url":null,"keywords":"","version":"0.2.4","words":"bejesus-cli a cli tool to allow interaction with the http://bejes.us/ platform. =danbuk","author":"=DanBUK","date":"2011-02-14 "},{"name":"bell","description":"Third-party login plugin for hapi","url":null,"keywords":"hapi login authentication oauth plugin twitter facebook google yahoo live windows microsoft github foursquare","version":"1.1.0","words":"bell third-party login plugin for hapi =hueniverse hapi login authentication oauth plugin twitter facebook google yahoo live windows microsoft github foursquare","author":"=hueniverse","date":"2014-08-13 "},{"name":"bell-andyet","description":"bell auth plugin for andyet","url":null,"keywords":"bell andyet auth","version":"1.0.0","words":"bell-andyet bell auth plugin for andyet =nlf bell andyet auth","author":"=nlf","date":"2014-06-28 "},{"name":"bella","description":"A API Authentication for node.js","url":null,"keywords":"api auth authentication token key","version":"0.5.3","words":"bella a api authentication for node.js =chrisenytc api auth authentication token key","author":"=chrisenytc","date":"2014-04-16 "},{"name":"bellhop","description":"Pubsub and RPC streams for node.js","url":null,"keywords":"pubsub rpc hub bus streams streams2","version":"0.4.1","words":"bellhop pubsub and rpc streams for node.js =mscdex pubsub rpc hub bus streams streams2","author":"=mscdex","date":"2013-11-15 "},{"name":"bellite","description":"Create desktop applications for Mac OSX (10.7 & 10.8) and Windows XP, 7 & 8 using modern web technology and Node.js (Python || Ruby || PHP || Java).","url":null,"keywords":"desktop app application gui ui mac osx osx windows win32","version":"1.4.25","words":"bellite create desktop applications for mac osx (10.7 & 10.8) and windows xp, 7 & 8 using modern web technology and node.js (python || ruby || php || java). =shanewholloway desktop app application gui ui mac osx osx windows win32","author":"=shanewholloway","date":"2013-07-15 "},{"name":"bellman-ford","description":"Bellman Ford algorithm for node.js","url":null,"keywords":"bellman-ford bellmanford graph directed-graph c++ shortest path","version":"0.0.6","words":"bellman-ford bellman ford algorithm for node.js =loourr bellman-ford bellmanford graph directed-graph c++ shortest path","author":"=loourr","date":"2013-11-20 "},{"name":"bellmanford","description":"bellmanford\r ===========","url":null,"keywords":"bellmanford graph distance node bellman ford bellman-ford shortest path shortest path","version":"1.2.0","words":"bellmanford bellmanford\r =========== =andrewgaspar bellmanford graph distance node bellman ford bellman-ford shortest path shortest path","author":"=andrewgaspar","date":"2013-03-24 "},{"name":"bells","description":"Bell schedule computation and formatting","url":null,"keywords":"","version":"0.1.1","words":"bells bell schedule computation and formatting =joshthegeek","author":"=joshthegeek","date":"2014-05-20 "},{"name":"bellschedule","description":"A clean bell schedule web application for Harker students","url":null,"keywords":"","version":"1.5.1","words":"bellschedule a clean bell schedule web application for harker students =manan","author":"=manan","date":"2014-09-12 "},{"name":"belt","description":"A utility library with unparalleled code cleanliness.","url":null,"keywords":"","version":"0.0.1","words":"belt a utility library with unparalleled code cleanliness. =jacksongariety","author":"=jacksongariety","date":"2013-12-13 "},{"name":"beltjs","description":"A lightweight tool belt for basic daily tasks.","url":null,"keywords":"","version":"0.1.3","words":"beltjs a lightweight tool belt for basic daily tasks. =lxanders","author":"=lxanders","date":"2014-09-15 "},{"name":"bem","description":"BEM Tools","url":null,"keywords":"","version":"0.8.0","words":"bem bem tools =arikon =veged =fedor.indutny =scf =afelix =diunko =sevinf =tadatuta =indutny","author":"=arikon =veged =fedor.indutny =scf =afelix =diunko =sevinf =tadatuta =indutny","date":"2014-08-15 "},{"name":"bem-bem-init","keywords":"","version":[],"words":"bem-bem-init","author":"","date":"2014-03-24 "},{"name":"bem-bench","description":"Инструмент позволяет выполнять регрессионное тестирование производительности `BEMHTML` и `BH` шаблонов, сравнивая скорость выполнения шаблонов между указанными ревизиями проекта и текущей рабочей копией.","url":null,"keywords":"","version":"0.1.1","words":"bem-bench инструмент позволяет выполнять регрессионное тестирование производительности `bemhtml` и `bh` шаблонов, сравнивая скорость выполнения шаблонов между указанными ревизиями проекта и текущей рабочей копией. =arikon =unlok","author":"=arikon =unlok","date":"2013-08-30 "},{"name":"bem-bl","keywords":"","version":[],"words":"bem-bl","author":"","date":"2014-05-31 "},{"name":"bem-bl-xjst","description":"xjst compiler for bem-bl","url":null,"keywords":"","version":"1.3.3","words":"bem-bl-xjst xjst compiler for bem-bl =andrewblond =tadatuta =indutny","author":"=andrewblond =tadatuta =indutny","date":"2014-09-19 "},{"name":"bem-cli","description":"bem runner","url":null,"keywords":"bem cli runner tool helper","version":"1.0.1","words":"bem-cli bem runner =azproduction bem cli runner tool helper","author":"=azproduction","date":"2013-06-19 "},{"name":"bem-environ","description":"bem-environ ===========","url":null,"keywords":"","version":"1.4.0","words":"bem-environ bem-environ =========== =varankinv =arikon","author":"=varankinv =arikon","date":"2013-12-04 "},{"name":"bem-init","description":"Generate BEM project scaffolding from a template.","url":null,"keywords":"","version":"0.0.0-alpha","words":"bem-init generate bem project scaffolding from a template. =ilyar","author":"=ilyar","date":"2014-03-24 "},{"name":"bem-jade","description":"Smart mixins for writing BEM in Jade","url":null,"keywords":"jade bem","version":"0.1.2","words":"bem-jade smart mixins for writing bem in jade =iliakan jade bem","author":"=iliakan","date":"2014-09-19 "},{"name":"bem-jsd","description":"Wrapper for use JSD with BEM plugins.","url":null,"keywords":"","version":"1.5.3","words":"bem-jsd wrapper for use jsd with bem plugins. =dfilatov =veged","author":"=dfilatov =veged","date":"2014-07-15 "},{"name":"bem-jsdoc","description":"Yet another JSDoc parser. It supports limited set of tags and features.","url":null,"keywords":"","version":"0.0.1","words":"bem-jsdoc yet another jsdoc parser. it supports limited set of tags and features. =veged","author":"=veged","date":"2013-11-28 "},{"name":"bem-json","description":"Template engine for BEM","url":null,"keywords":"","version":"0.1.6","words":"bem-json template engine for bem =delfrrr","author":"=delfrrr","date":"2013-04-20 "},{"name":"bem-naming","description":"Manage naming of BEM entities","url":null,"keywords":"bem naming","version":"0.3.0","words":"bem-naming manage naming of bem entities =andrewblond bem naming","author":"=andrewblond","date":"2014-08-21 "},{"name":"bem-node","description":"bem-node [![Build Status](https://travis-ci.org/bem-node/bem-node.png?branch=master)](https://travis-ci.org/bem-node/bem-node) ===","url":null,"keywords":"bem node","version":"0.9.2","words":"bem-node bem-node [![build status](https://travis-ci.org/bem-node/bem-node.png?branch=master)](https://travis-ci.org/bem-node/bem-node) === =wtfil =delfrrr =metrofun bem node","author":"=wtfil =delfrrr =metrofun","date":"2014-09-03 "},{"name":"bem-object","description":"Data abstraction for gulp-bem","url":null,"keywords":"BEM object","version":"1.1.6","words":"bem-object data abstraction for gulp-bem =floatdrop bem object","author":"=floatdrop","date":"2014-08-25 "},{"name":"bem-pack","description":"Pack node-style source files from a stream of path's into a browser bundle","url":null,"keywords":"BEM browserify packing javascript","version":"0.1.0","words":"bem-pack pack node-style source files from a stream of path's into a browser bundle =floatdrop bem browserify packing javascript","author":"=floatdrop","date":"2014-08-28 "},{"name":"bem-sets","description":"bem make extensions to build examples, tests and docs for sets of levels","url":null,"keywords":"bem bem make sets","version":"0.2.2","words":"bem-sets bem make extensions to build examples, tests and docs for sets of levels =scf =arikon =sevinf bem bem make sets","author":"=scf =arikon =sevinf","date":"2014-08-26 "},{"name":"bem-smoke","description":"Helper library to assist smoke-testing of the bem technologies.","url":null,"keywords":"bem test testing tech technology block element modifier","version":"0.3.2","words":"bem-smoke helper library to assist smoke-testing of the bem technologies. =sevinf bem test testing tech technology block element modifier","author":"=sevinf","date":"2013-09-05 "},{"name":"bem-techs-core","description":"Core bem tech modules","url":null,"keywords":"bem bem-core techs bemhtml vanilla.js browser.js vanilla.js","version":"0.3.1","words":"bem-techs-core core bem tech modules =sevinf =diunko =arikon bem bem-core techs bemhtml vanilla.js browser.js vanilla.js","author":"=sevinf =diunko =arikon","date":"2013-10-08 "},{"name":"bem-tools-autoprefixer","description":"Use autoprefixer with bem-tools","url":null,"keywords":"bem bem-tools autoprefixer","version":"0.0.3","words":"bem-tools-autoprefixer use autoprefixer with bem-tools =varankinv bem bem-tools autoprefixer","author":"=varankinv","date":"2014-04-07 "},{"name":"bem-version","description":"Version helper link `npm version` as a bem-tools command extension. Works with package.json and bower.json files.","url":null,"keywords":"","version":"0.1.0","words":"bem-version version helper link `npm version` as a bem-tools command extension. works with package.json and bower.json files. =arikon","author":"=arikon","date":"2013-07-18 "},{"name":"bem-xjst","description":"[XJST](https://github.com/veged/xjst)-based compiler for a BEM-specific templates.","url":null,"keywords":"","version":"0.9.0","words":"bem-xjst [xjst](https://github.com/veged/xjst)-based compiler for a bem-specific templates. =fedor.indutny =indutny","author":"=fedor.indutny =indutny","date":"2014-09-16 "},{"name":"bemaker","description":"BEM project builder","url":null,"keywords":"","version":"0.1.1","words":"bemaker bem project builder =tenorok","author":"=tenorok","date":"2014-08-16 "},{"name":"bemc","description":"BEM templates compiler","url":null,"keywords":"BEM templates compiler","version":"1.0.3","words":"bemc bem templates compiler =arikon =fedor.indutny =veged =scf =indutny bem templates compiler","author":"=arikon =fedor.indutny =veged =scf =indutny","date":"2014-03-18 "},{"name":"bemdecl2blocks","description":"A simple tool for creating bem blocks from declarations (bemdecl.js)","url":null,"keywords":"bem markup","version":"0.1.0","words":"bemdecl2blocks a simple tool for creating bem blocks from declarations (bemdecl.js) =hemantic bem markup","author":"=hemantic","date":"2012-10-21 "},{"name":"bemdeps","description":"Converting jsdoc @deps directives to deps.js file","url":null,"keywords":"bem jsdoc deps","version":"0.0.7","words":"bemdeps converting jsdoc @deps directives to deps.js file =wtfil bem jsdoc deps","author":"=wtfil","date":"2014-04-30 "},{"name":"bemer","description":"Template engine. BEMJSON to HTML processor.","url":null,"keywords":"","version":"0.6.1","words":"bemer template engine. bemjson to html processor. =tenorok","author":"=tenorok","date":"2014-09-09 "},{"name":"bemhtml-compat","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.1.2","words":"bemhtml-compat error: no readme.md file found! =fedor.indutny =indutny","author":"=fedor.indutny =indutny","date":"2014-09-09 "},{"name":"bemhtml-lint","description":"lint tool for bemhtml","url":null,"keywords":"","version":"0.1.0","words":"bemhtml-lint lint tool for bemhtml =sevinf","author":"=sevinf","date":"2014-01-23 "},{"name":"bemhtml-source-convert","description":"BEMHTML to BH conversion assistant","url":null,"keywords":"","version":"0.0.3","words":"bemhtml-source-convert bemhtml to bh conversion assistant =vkz","author":"=vkz","date":"2014-09-16 "},{"name":"bemjson-to-html","description":"BEMJSON to HTML serializer","url":null,"keywords":"BEMJSON HTML serialize","version":"0.2.8","words":"bemjson-to-html bemjson to html serializer =floatdrop bemjson html serialize","author":"=floatdrop","date":"2014-07-27 "},{"name":"beml","description":"HTML preprocessor for BEM","url":null,"keywords":"","version":"0.1.1","words":"beml html preprocessor for bem =zenwalker","author":"=zenwalker","date":"2014-02-22 "},{"name":"bemp","description":"URL rewrite proxy for bem server","url":null,"keywords":"bem bem server url rewrite proxy node.js","version":"0.0.4","words":"bemp url rewrite proxy for bem server =tadatuta bem bem server url rewrite proxy node.js","author":"=tadatuta","date":"2012-12-10 "},{"name":"bemrender","description":"express.js view render based on BEM methodology","url":null,"keywords":"express view render bem","version":"0.3.1","words":"bemrender express.js view render based on bem methodology =ershov-konst express view render bem","author":"=ershov-konst","date":"2013-02-20 "},{"name":"bemto.jade","description":"Smart mixins for writing BEM in Jade","url":null,"keywords":"jade bem","version":"0.1.0","words":"bemto.jade smart mixins for writing bem in jade =kizu jade bem","author":"=kizu","date":"2014-05-16 "},{"name":"ben","description":"simple timing benchmarks for synchronous and asynchronous code","url":null,"keywords":"benchmark timing time stopwatch","version":"0.0.0","words":"ben simple timing benchmarks for synchronous and asynchronous code =substack benchmark timing time stopwatch","author":"=substack","date":"2011-08-21 "},{"name":"benatkin-react","description":"benatkin's fork of react","url":null,"keywords":"react","version":"0.0.2","words":"benatkin-react benatkin's fork of react =bat react","author":"=bat","date":"2014-05-06 "},{"name":"benbria-build","description":"This is a tool for building projects using [Ninja](http://martine.github.io/ninja/). It assumes your project follows a certain layout.","url":null,"keywords":"","version":"0.7.6","words":"benbria-build this is a tool for building projects using [ninja](http://martine.github.io/ninja/). it assumes your project follows a certain layout. =jwalton","author":"=jwalton","date":"2014-08-12 "},{"name":"bench","description":"A little utility for doing side-by-side benchmarks in nodejs","url":null,"keywords":"","version":"0.3.5","words":"bench a little utility for doing side-by-side benchmarks in nodejs =isaacs","author":"=isaacs","date":"2013-07-17 "},{"name":"bench-it","description":"Benchmark your code","url":null,"keywords":"benchmark bench test time","version":"0.2.0","words":"bench-it benchmark your code =tschaub benchmark bench test time","author":"=tschaub","date":"2014-02-02 "},{"name":"bench-rest","description":"bench-rest - benchmark REST (HTTP/HTTPS) API's. Node.js client module for easy load testing / benchmarking REST API' using a simple structure/DSL can create REST flows with setup and teardown and returns (measured) metrics.","url":null,"keywords":"benchmarking benchmark bench REST http https metrics measured async request load testing client DSL","version":"0.6.1","words":"bench-rest bench-rest - benchmark rest (http/https) api's. node.js client module for easy load testing / benchmarking rest api' using a simple structure/dsl can create rest flows with setup and teardown and returns (measured) metrics. =jeffbski benchmarking benchmark bench rest http https metrics measured async request load testing client dsl","author":"=jeffbski","date":"2014-05-08 "},{"name":"bench-utils","description":"Utilities for benchmarking: counter, stopwatch, and timestamp.","url":null,"keywords":"benchmark","version":"0.2.7","words":"bench-utils utilities for benchmarking: counter, stopwatch, and timestamp. =janus926 benchmark","author":"=janus926","date":"2013-11-15 "},{"name":"bencha","description":"A simple mocha-esque ui for benchmark.js","url":null,"keywords":"","version":"0.0.2","words":"bencha a simple mocha-esque ui for benchmark.js =phpnode","author":"=phpnode","date":"2013-04-26 "},{"name":"benchdb","description":"CouchDB ODM","url":null,"keywords":"couchdb odm","version":"0.2.4","words":"benchdb couchdb odm =max.desyatov couchdb odm","author":"=max.desyatov","date":"2013-08-06 "},{"name":"bencher","description":"Benchmarkin' library","url":null,"keywords":"","version":"0.0.2","words":"bencher benchmarkin' library =brianc","author":"=brianc","date":"2011-01-27 "},{"name":"benches","description":"A benchmarking library","url":null,"keywords":"benches","version":"0.0.0","words":"benches a benchmarking library =zerious benches","author":"=zerious","date":"2014-06-28 "},{"name":"benchfn","description":"a function for instant benchmark","url":null,"keywords":"benchmark browser","version":"0.0.3","words":"benchfn a function for instant benchmark =takahiro benchmark browser","author":"=takahiro","date":"2014-04-07 "},{"name":"benchget","description":"Simple Get benchmark command line similar to Apache Bench","url":null,"keywords":"benchmark get concurrent request http","version":"0.1.0","words":"benchget simple get benchmark command line similar to apache bench =mhernandez benchmark get concurrent request http","author":"=mhernandez","date":"2014-02-24 "},{"name":"benchie","description":"A simple benchmark library for JavaScript","url":null,"keywords":"","version":"0.0.1","words":"benchie a simple benchmark library for javascript =pflannery","author":"=pflannery","date":"2013-12-04 "},{"name":"benchit","description":"Really simple code benchmarking library for nodejs/coffeescript","url":null,"keywords":"","version":"0.0.3","words":"benchit really simple code benchmarking library for nodejs/coffeescript =khoomeister","author":"=khoomeister","date":"2012-12-26 "},{"name":"benchitjs","description":"BenchItjs helps you to bench anything","url":null,"keywords":"","version":"0.0.4","words":"benchitjs benchitjs helps you to bench anything =openhoat","author":"=openhoat","date":"2014-03-04 "},{"name":"benchling","description":"Client library for Benchling.","url":null,"keywords":"benchling","version":"0.0.0","words":"benchling client library for benchling. =joshma benchling","author":"=joshma","date":"2014-02-09 "},{"name":"benchmark","description":"A benchmarking library that works on nearly all JavaScript platforms, supports high-resolution timers, and returns statistically significant results.","url":null,"keywords":"benchmark narwhal node performance ringo speed","version":"1.0.0","words":"benchmark a benchmarking library that works on nearly all javascript platforms, supports high-resolution timers, and returns statistically significant results. =jdalton =mathias benchmark narwhal node performance ringo speed","author":"=jdalton =mathias","date":"2013-07-09 "},{"name":"benchmark-ab","description":"a benchmark tool, like ab","url":null,"keywords":"bench ab benchmark","version":"0.0.1","words":"benchmark-ab a benchmark tool, like ab =wsmlby bench ab benchmark","author":"=wsmlby","date":"2014-06-04 "},{"name":"benchmark-octane","description":"Octane benchmark for Node.js","url":null,"keywords":"benchmark octane v8","version":"1.0.0","words":"benchmark-octane octane benchmark for node.js =daishi benchmark octane v8","author":"=daishi","date":"2014-09-02 "},{"name":"benchmark-octane2","description":"Octane benchmark for Node.js","url":null,"keywords":"benchmark octane v8","version":"0.9.2","words":"benchmark-octane2 octane benchmark for node.js =erossignon benchmark octane v8","author":"=erossignon","date":"2014-09-02 "},{"name":"benchmark-pages","description":"Benchmarks the response time of your web pages under a different loads; allows comparing response times for different servers","url":null,"keywords":"benchmark benchmarking performance speed timing test","version":"0.0.1","words":"benchmark-pages benchmarks the response time of your web pages under a different loads; allows comparing response times for different servers =penartur benchmark benchmarking performance speed timing test","author":"=penartur","date":"2012-05-11 "},{"name":"benchmark-server","description":"================","url":null,"keywords":"benchmark realtime socket socket.io mornitor","version":"0.1.1","words":"benchmark-server ================ =iamdenny benchmark realtime socket socket.io mornitor","author":"=iamdenny","date":"2012-12-04 "},{"name":"benchmark-tests","description":"Testing 123","url":null,"keywords":"","version":"0.0.1","words":"benchmark-tests testing 123 =pgte","author":"=pgte","date":"2013-08-23 "},{"name":"benchmark-utils","description":"benchmark-utils ===============","url":null,"keywords":"","version":"0.1.0","words":"benchmark-utils benchmark-utils =============== =sel","author":"=sel","date":"2013-12-13 "},{"name":"benchmark.js-plot","description":"Render benchmark.js results to a plot","url":null,"keywords":"performance speed benchmark canvas plot","version":"0.1.2","words":"benchmark.js-plot render benchmark.js results to a plot =wicked performance speed benchmark canvas plot","author":"=wicked","date":"2013-04-12 "},{"name":"benchmarkemail","description":"Node.js wrapper for Benchmark Email API","url":null,"keywords":"benchmarkemail","version":"1.0.0","words":"benchmarkemail node.js wrapper for benchmark email api =benchmarkemailnode benchmarkemail","author":"=benchmarkemailnode","date":"2013-04-10 "},{"name":"benchmarks","description":"Node.JS community benchmarks result sets","url":null,"keywords":"","version":"0.1.2","words":"benchmarks node.js community benchmarks result sets =majidarif","author":"=majidarif","date":"2014-08-27 "},{"name":"benchmartian","description":"Benchmark.js mocha like command line interface","url":null,"keywords":"benchmark mocha test benchmarkjs","version":"0.0.2","words":"benchmartian benchmark.js mocha like command line interface =dunxrion benchmark mocha test benchmarkjs","author":"=dunxrion","date":"2014-01-22 "},{"name":"benchmarx","description":"HTTP-based side-by-side benchmark framework","url":null,"keywords":"bench benchmark performance test scalability http bacon","version":"0.2.5","words":"benchmarx http-based side-by-side benchmark framework =carlos8f bench benchmark performance test scalability http bacon","author":"=carlos8f","date":"2013-03-12 "},{"name":"benchme","description":"A fast utility to generate timing stats for your node program.","url":null,"keywords":"timer benchmarks performance","version":"0.0.4","words":"benchme a fast utility to generate timing stats for your node program. =polidore timer benchmarks performance","author":"=polidore","date":"2014-08-05 "},{"name":"benchpress","description":"No fuss benchmarking","url":null,"keywords":"benchmark benchmarking","version":"0.1.3","words":"benchpress no fuss benchmarking =mariocasciaro benchmark benchmarking","author":"=mariocasciaro","date":"2014-03-25 "},{"name":"benchrunner","description":"Benchmark Suite Runner for benchmark.js","url":null,"keywords":"benchmark suite runner performance","version":"0.0.3","words":"benchrunner benchmark suite runner for benchmark.js =webpro benchmark suite runner performance","author":"=webpro","date":"2014-01-23 "},{"name":"benchtable","description":"Benchmark.js results in ascii tables for NodeJS","url":null,"keywords":"nodejs benchmarking performance table colors javascript","version":"0.0.2","words":"benchtable benchmark.js results in ascii tables for nodejs =izuzak nodejs benchmarking performance table colors javascript","author":"=izuzak","date":"2013-01-01 "},{"name":"benchy","description":"Node.js benchmarking framework","url":null,"keywords":"benchmarking","version":"0.0.2","words":"benchy node.js benchmarking framework =aynik benchmarking","author":"=aynik","date":"2013-08-02 "},{"name":"bencode","description":"Bencode de/encoder","url":null,"keywords":"torrent bittorrent bencode bdecode bencoding","version":"0.6.0","words":"bencode bencode de/encoder =masch =jhermsmeier torrent bittorrent bencode bdecode bencoding","author":"=masch =jhermsmeier","date":"2014-04-29 "},{"name":"bencode-js","description":"JavaScript solution for implmenting the encoding and decoding of the Bencode format","url":null,"keywords":"bencode bittorrent browser decode encode node","version":"0.0.7","words":"bencode-js javascript solution for implmenting the encoding and decoding of the bencode format =benjreinhart bencode bittorrent browser decode encode node","author":"=benjreinhart","date":"2013-04-07 "},{"name":"bencode-stream","description":"Bencode streaming encoder/decoder","url":null,"keywords":"bencode torrent encoder decoder parser stream","version":"0.0.9","words":"bencode-stream bencode streaming encoder/decoder =deoxxa bencode torrent encoder decoder parser stream","author":"=deoxxa","date":"2013-11-09 "},{"name":"bencoding","description":"encode/decode bencoded data","url":null,"keywords":"torrent bittorrent bencode bdecode bencoding buffers","version":"0.0.1","words":"bencoding encode/decode bencoded data =clarkf torrent bittorrent bencode bdecode bencoding buffers","author":"=clarkf","date":"2012-02-08 "},{"name":"bend","description":"A statically-typed programming language that compiles into JavaScript","url":null,"keywords":"javascript bend language compiler","version":"0.1.0","words":"bend a statically-typed programming language that compiles into javascript =evanw javascript bend language compiler","author":"=evanw","date":"2012-08-03 "},{"name":"bender","description":"Distributed, expiring service registry","url":null,"keywords":"","version":"0.2.1","words":"bender distributed, expiring service registry =mmalecki =nathan7","author":"=mmalecki =nathan7","date":"2014-07-15 "},{"name":"bender-api","description":"API for Bender","url":null,"keywords":"","version":"0.2.1","words":"bender-api api for bender =mmalecki","author":"=mmalecki","date":"2014-02-24 "},{"name":"bender-crdt","description":"The CRDT part of Bender","url":null,"keywords":"","version":"0.2.3","words":"bender-crdt the crdt part of bender =mmalecki","author":"=mmalecki","date":"2014-02-19 "},{"name":"bender-haproxy","description":"HAProxy agent for Bender","url":null,"keywords":"haproxy service registry bender","version":"0.1.2","words":"bender-haproxy haproxy agent for bender =mmalecki haproxy service registry bender","author":"=mmalecki","date":"2014-01-06 "},{"name":"bender-pool","description":"Create a connection pool based on bender","url":null,"keywords":"","version":"0.0.1","words":"bender-pool create a connection pool based on bender =mmalecki","author":"=mmalecki","date":"2014-02-19 "},{"name":"benderjs","description":"The anti-human approach to JavaScript testing","url":null,"keywords":"test unit cli JavaScript","version":"0.1.12","words":"benderjs the anti-human approach to javascript testing =cksource test unit cli javascript","author":"=cksource","date":"2014-09-16 "},{"name":"benderjs-amd","description":"Basic AMD support for Bender.js","url":null,"keywords":"bender benderjs requirejs plugin amd","version":"0.1.1","words":"benderjs-amd basic amd support for bender.js =cksource bender benderjs requirejs plugin amd","author":"=cksource","date":"2014-09-12 "},{"name":"benderjs-chai","description":"Chai assertions adapter for Bender.js","url":null,"keywords":"chai bender benderjs adapter","version":"0.1.1","words":"benderjs-chai chai assertions adapter for bender.js =cksource chai bender benderjs adapter","author":"=cksource","date":"2014-09-12 "},{"name":"benderjs-ckeditor","description":"CKEditor plugin for Bender.js","url":null,"keywords":"bender benderjs ckeditor plugin test","version":"0.1.0","words":"benderjs-ckeditor ckeditor plugin for bender.js =cksource bender benderjs ckeditor plugin test","author":"=cksource","date":"2014-07-14 "},{"name":"benderjs-coverage","description":"Code coverage plugin for Bender.js","url":null,"keywords":"bender benderjs code coverage istanbul","version":"0.1.1","words":"benderjs-coverage code coverage plugin for bender.js =cksource bender benderjs code coverage istanbul","author":"=cksource","date":"2014-09-08 "},{"name":"benderjs-jasmine","description":"Adapter for Jasmine testing framework for Bender.js","url":null,"keywords":"bender benderjs jasmine adapter unit test","version":"0.2.3","words":"benderjs-jasmine adapter for jasmine testing framework for bender.js =cksource bender benderjs jasmine adapter unit test","author":"=cksource","date":"2014-08-29 "},{"name":"benderjs-jquery","description":"jQuery plugin for Bender.js","url":null,"keywords":"jquery bender benderjs plugin","version":"0.2.0","words":"benderjs-jquery jquery plugin for bender.js =cksource jquery bender benderjs plugin","author":"=cksource","date":"2014-07-14 "},{"name":"benderjs-mocha","description":"Adapter for Mocha testing framework for Bender.js","url":null,"keywords":"mocha bender benderjs adapter","version":"0.1.0","words":"benderjs-mocha adapter for mocha testing framework for bender.js =cksource mocha bender benderjs adapter","author":"=cksource","date":"2014-09-10 "},{"name":"benderjs-qunit","description":"Adapter for QUnit testing framework for Bender.js","url":null,"keywords":"bender benderjs adapter qunit unit test","version":"0.2.2","words":"benderjs-qunit adapter for qunit testing framework for bender.js =cksource bender benderjs adapter qunit unit test","author":"=cksource","date":"2014-08-29 "},{"name":"benderjs-reporter-junit","description":"JUnit XML compatible reporter for Bender.js","url":null,"keywords":"bender benderjs reporter junit xml test","version":"0.1.0","words":"benderjs-reporter-junit junit xml compatible reporter for bender.js =cksource bender benderjs reporter junit xml test","author":"=cksource","date":"2014-08-12 "},{"name":"benderjs-sinon","description":"Sinon.js adapter for Bender.js","url":null,"keywords":"sinon bender benderjs adapter","version":"0.1.0","words":"benderjs-sinon sinon.js adapter for bender.js =cksource sinon bender benderjs adapter","author":"=cksource","date":"2014-09-11 "},{"name":"benderjs-yui","description":"Adapter for YUI3 testing framework for Bender.js","url":null,"keywords":"bender benderjs adapter yui3 yui unit test","version":"0.2.3","words":"benderjs-yui adapter for yui3 testing framework for bender.js =cksource bender benderjs adapter yui3 yui unit test","author":"=cksource","date":"2014-08-19 "},{"name":"benefice","keywords":"","version":[],"words":"benefice","author":"","date":"2014-04-05 "},{"name":"bengbenge","description":"bengbnege, array for round-robin dns, beng, beng. for funny","url":null,"keywords":"","version":"0.1.5","words":"bengbenge bengbnege, array for round-robin dns, beng, beng. for funny =ragingwind","author":"=ragingwind","date":"2013-06-26 "},{"name":"benit","description":"A simple, easy, javascript benchmarking library.","url":null,"keywords":"benchmark bench performance test","version":"0.0.1-4","words":"benit a simple, easy, javascript benchmarking library. =torworx benchmark bench performance test","author":"=torworx","date":"2013-09-07 "},{"name":"benjamin","description":"bitcoin trading for the rest of us","url":null,"keywords":"bitcoin BTC btc trading mtgox","version":"0.0.1","words":"benjamin bitcoin trading for the rest of us =mathisonian bitcoin btc btc trading mtgox","author":"=mathisonian","date":"2013-12-22 "},{"name":"benji","description":"Simple asynchronous benchmarks","url":null,"keywords":"","version":"0.0.1","words":"benji simple asynchronous benchmarks =fractal","author":"=fractal","date":"2012-04-26 "},{"name":"benmkzoo","description":"A collection of benchmark suites for JavaScript.","url":null,"keywords":"","version":"0.0.1","words":"benmkzoo a collection of benchmark suites for javascript. =onlinemad","author":"=onlinemad","date":"2012-11-15 "},{"name":"bennu","description":"Parser Combinator Library","url":null,"keywords":"parse parser combinator combinatory combinatory parsing functional","version":"17.2.1","words":"bennu parser combinator library =mattbierner parse parser combinator combinatory combinatory parsing functional","author":"=mattbierner","date":"2014-05-13 "},{"name":"benny-hanes-socket-pool","description":"The Benny Hanes Socket Pool -- voted Best Line of Code 2012","url":null,"keywords":"sockets http https pool","version":"1.0.2","words":"benny-hanes-socket-pool the benny hanes socket pool -- voted best line of code 2012 =jmonster sockets http https pool","author":"=jmonster","date":"2014-07-25 "},{"name":"bento","description":"compartmentalize your ui","url":null,"keywords":"jetty ui","version":"0.2.2","words":"bento compartmentalize your ui =naomik jetty ui","author":"=naomik","date":"2013-01-24 "},{"name":"benv","description":"Stub a browser environment and test your client-side code in node.js.","url":null,"keywords":"browser tests benv stub jsdom","version":"0.1.6","words":"benv stub a browser environment and test your client-side code in node.js. =craigspaeth browser tests benv stub jsdom","author":"=craigspaeth","date":"2014-07-21 "},{"name":"benzene","description":"A beginning for many things.","url":null,"keywords":"","version":"0.0.1","words":"benzene a beginning for many things. =mmullens","author":"=mmullens","date":"2013-07-06 "},{"name":"bep15","description":"read and write UDP (BEP 15) tracker packets","url":null,"keywords":"torrent bittorrent bep bep15 udp tracker","version":"0.1.0","words":"bep15 read and write udp (bep 15) tracker packets =bencevans torrent bittorrent bep bep15 udp tracker","author":"=bencevans","date":"2013-03-13 "},{"name":"bepacked","description":"Pack external assets into your html","url":null,"keywords":"inline pack assets","version":"0.0.1","words":"bepacked pack external assets into your html =jtrussell inline pack assets","author":"=jtrussell","date":"2014-08-16 "},{"name":"berg","description":"A simple stream wrapper to pipe objects to a JSON array","url":null,"keywords":"json array stream","version":"0.1.1","words":"berg a simple stream wrapper to pipe objects to a json array =bausmeier json array stream","author":"=bausmeier","date":"2014-05-06 "},{"name":"berliner","description":"The lightweight web framework","url":null,"keywords":"web framework lightweight","version":"1.0.1","words":"berliner the lightweight web framework =jcoglan web framework lightweight","author":"=jcoglan","date":"2013-01-12 "},{"name":"bernoulli","description":"A NodeJS package for Bernoulli","url":null,"keywords":"","version":"0.1.0","words":"bernoulli a nodejs package for bernoulli =jgasiorek","author":"=jgasiorek","date":"2014-05-19 "},{"name":"berry","description":"test framework","url":null,"keywords":"bdd test framework server rest","version":"0.1.0","words":"berry test framework =truepattern =openmason bdd test framework server rest","author":"=truepattern =openmason","date":"2012-10-16 "},{"name":"berserker","description":"Web-based frontend for Aria2-JSONRPC","url":null,"keywords":"download manager bittorrent aria metalink gui","version":"0.4.5-1","words":"berserker web-based frontend for aria2-jsonrpc =adityamukho download manager bittorrent aria metalink gui","author":"=adityamukho","date":"2014-08-16 "},{"name":"beruntung","description":"Today is better than yesterday","url":null,"keywords":"blankon .list","version":"0.0.9","words":"beruntung today is better than yesterday =diorahman blankon .list","author":"=diorahman","date":"2014-04-22 "},{"name":"bes","description":"Protection from mutation","url":null,"keywords":"immutable object","version":"3.1.0","words":"bes protection from mutation =mattbierner immutable object","author":"=mattbierner","date":"2014-01-23 "},{"name":"beseda","description":"Beseda is fast, well designed and featured Pub/Sub server. Beseda offers multiple platform API to develop realtime web applications.","url":null,"keywords":"pub/sub commet bayeux realtime push WebSocket","version":"0.2.5","words":"beseda beseda is fast, well designed and featured pub/sub server. beseda offers multiple platform api to develop realtime web applications. =shumkov pub/sub commet bayeux realtime push websocket","author":"=shumkov","date":"2012-05-10 "},{"name":"besio","description":"Node Binary Event Stream IO","url":null,"keywords":"","version":"0.2.1","words":"besio node binary event stream io =tellnes","author":"=tellnes","date":"2012-09-27 "},{"name":"bespoke","description":"DIY Presentation Micro-Framework","url":null,"keywords":"presentation html5 keynote powerpoint","version":"1.0.0","words":"bespoke diy presentation micro-framework =markdalgleish presentation html5 keynote powerpoint","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-advanced","description":"Auto advance slides on a timer in bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.1.0","words":"bespoke-advanced auto advance slides on a timer in bespoke.js =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-30 "},{"name":"bespoke-backdrop","description":"Backdrop elements for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-backdrop backdrop elements for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-09-11 "},{"name":"bespoke-bullets","description":"Bullet Lists for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.1.0","words":"bespoke-bullets bullet lists for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-08-18 "},{"name":"bespoke-camera","description":"See you during your bespoke presentation! ","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-camera see you during your bespoke presentation! =matteo.collina bespoke-plugin","author":"=matteo.collina","date":"2014-08-06 "},{"name":"bespoke-classes","description":"Deck status classes for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-classes deck status classes for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-click","description":"Click event for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"0.0.0","words":"bespoke-click click event for bespoke.js =zomars bespoke-plugin","author":"=zomars","date":"2014-08-05 "},{"name":"bespoke-convenient","description":"Convenient extension methods for building Bespoke.js plugins","url":null,"keywords":"bespoke.js-plugin","version":"0.3.0","words":"bespoke-convenient convenient extension methods for building bespoke.js plugins =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-27 "},{"name":"bespoke-dir","description":"Add a class to the slide parent element to let you know which direction the slides are going","url":null,"keywords":"bespoke.js-plugin","version":"0.1.0","words":"bespoke-dir add a class to the slide parent element to let you know which direction the slides are going =ryanseddon bespoke.js-plugin","author":"=ryanseddon","date":"2014-08-17 "},{"name":"bespoke-forms","description":"Form element support for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-forms form element support for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-fullscreenbackground","description":"fullscreen backgrounds for the slides","url":null,"keywords":"bespoke.js-plugin","version":"0.0.2","words":"bespoke-fullscreenbackground fullscreen backgrounds for the slides =sole bespoke.js-plugin","author":"=sole","date":"2014-06-16 "},{"name":"bespoke-fx","description":"New bespoke plugin compatible with latest bespoke.js","url":null,"keywords":"bespoke-plugin","version":"0.0.3","words":"bespoke-fx new bespoke plugin compatible with latest bespoke.js =developerworks bespoke-plugin","author":"=developerworks","date":"2014-08-25 "},{"name":"bespoke-hash","description":"Hash routing for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-hash hash routing for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-hide","description":"Hide/Unhide slides from the presentation. Stores your settings in localStorage so it's persisted across reloads","url":null,"keywords":"bespoke-plugin","version":"0.1.1","words":"bespoke-hide hide/unhide slides from the presentation. stores your settings in localstorage so it's persisted across reloads =aaronpowell bespoke-plugin","author":"=aaronpowell","date":"2014-07-15 "},{"name":"bespoke-history","description":"Bespoke.js `window.history` based URL router","url":null,"keywords":"bespoke bespoke-plugin slides presentation history routed url","version":"0.2.1","words":"bespoke-history bespoke.js `window.history` based url router =medikoo bespoke bespoke-plugin slides presentation history routed url","author":"=medikoo","date":"2014-09-09 "},{"name":"bespoke-indexfinger","description":"Keep track of the active slide in Bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.1.2","words":"bespoke-indexfinger keep track of the active slide in bespoke.js =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-27 "},{"name":"bespoke-jumpy","description":"Keyboard shortcuts to jump straight to a specific slide in bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.1.2","words":"bespoke-jumpy keyboard shortcuts to jump straight to a specific slide in bespoke.js =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-27 "},{"name":"bespoke-keys","description":"Keyboard Support for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-keys keyboard support for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-logbook","description":"Log bespoke.js events and state to the console","url":null,"keywords":"bespoke.js-plugin","version":"1.0.1","words":"bespoke-logbook log bespoke.js events and state to the console =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-27 "},{"name":"bespoke-loop","description":"Looping Presentations for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-loop looping presentations for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-markdown","description":"Allows you to use Markdown for the content of your slides","url":null,"keywords":"bespoke-plugin markdown","version":"0.2.1","words":"bespoke-markdown allows you to use markdown for the content of your slides =aaronpowell bespoke-plugin markdown","author":"=aaronpowell","date":"2014-09-03 "},{"name":"bespoke-mouse","description":"Mouse support for Bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.1.0","words":"bespoke-mouse mouse support for bespoke.js =kedarvaidya bespoke.js-plugin","author":"=kedarvaidya","date":"2014-06-04 "},{"name":"bespoke-notes","description":"Notes for Bespoke.js presentations","url":null,"keywords":"bespoke-plugin presenation bespoke notes","version":"0.3.1","words":"bespoke-notes notes for bespoke.js presentations =medikoo bespoke-plugin presenation bespoke notes","author":"=medikoo","date":"2014-09-09 "},{"name":"bespoke-oridomi","description":"Origami for Bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.0.0","words":"bespoke-oridomi origami for bespoke.js =ebow bespoke.js-plugin","author":"=ebow","date":"2013-11-26 "},{"name":"bespoke-progress","description":"Progress Bar for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-progress progress bar for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-run","description":"Run your code snippets in Bespoke.js","url":null,"keywords":"bespoke.js-plugin code execution run example","version":"1.0.1","words":"bespoke-run run your code snippets in bespoke.js =matteo.collina bespoke.js-plugin code execution run example","author":"=matteo.collina","date":"2014-08-30 "},{"name":"bespoke-scale","description":"Responsive Slide Scaling for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-scale responsive slide scaling for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-secondary","description":"Show slide notes in a secondary window/screen with Bespoke.js","url":null,"keywords":"bespoke.js-plugin","version":"0.2.0","words":"bespoke-secondary show slide notes in a secondary window/screen with bespoke.js =joelpurra bespoke.js-plugin","author":"=joelpurra","date":"2013-12-27 "},{"name":"bespoke-state","description":"Slide-specific deck styles for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-state slide-specific deck styles for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-substeps","description":"Substeps for Bespoke.js presentations","url":null,"keywords":"bespoke bespoke-plugin presentation steps bullet","version":"0.2.2","words":"bespoke-substeps substeps for bespoke.js presentations =medikoo bespoke bespoke-plugin presentation steps bullet","author":"=medikoo","date":"2014-09-09 "},{"name":"bespoke-sync","description":"Cross-client synchronization for Bespoke.js presentations","url":null,"keywords":"bespoke bespoke-plugin presentation sync remote synchronization","version":"0.2.1","words":"bespoke-sync cross-client synchronization for bespoke.js presentations =medikoo bespoke bespoke-plugin presentation sync remote synchronization","author":"=medikoo","date":"2014-09-09 "},{"name":"bespoke-theme-cube","description":"Cube theme for Bespoke.js","url":null,"keywords":"bespoke-plugin bespoke-theme","version":"1.0.0","words":"bespoke-theme-cube cube theme for bespoke.js =markdalgleish bespoke-plugin bespoke-theme","author":"=markdalgleish","date":"2014-08-20 "},{"name":"bespoke-theme-fancy","description":"A fancy, sassy styled theme for Bespoke.js","url":null,"keywords":"bespoke-plugin bespoke-theme","version":"0.1.1","words":"bespoke-theme-fancy a fancy, sassy styled theme for bespoke.js =fegemo bespoke-plugin bespoke-theme","author":"=fegemo","date":"2014-09-04 "},{"name":"bespoke-theme-tweakable","description":"A simple dark theme for bespoke.js","url":null,"keywords":"bespoke-theme bespoke-plugin","version":"1.0.1","words":"bespoke-theme-tweakable a simple dark theme for bespoke.js =damonoehlman bespoke-theme bespoke-plugin","author":"=damonoehlman","date":"2014-09-15 "},{"name":"bespoke-theme-voltaire","description":"A theme for Bespoke.js","url":null,"keywords":"bespoke-plugin bespoke-theme","version":"0.1.3","words":"bespoke-theme-voltaire a theme for bespoke.js =markdalgleish bespoke-plugin bespoke-theme","author":"=markdalgleish","date":"2014-08-20 "},{"name":"bespoke-touch","description":"Touch Support for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"1.0.0","words":"bespoke-touch touch support for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bespoke-vcr","description":"Recording and Playback for Bespoke.js","url":null,"keywords":"bespoke-plugin","version":"0.1.0","words":"bespoke-vcr recording and playback for bespoke.js =markdalgleish bespoke-plugin","author":"=markdalgleish","date":"2014-07-30 "},{"name":"bessel","description":"Bessel Functions in pure JS","url":null,"keywords":"bessel math specfun","version":"0.2.0","words":"bessel bessel functions in pure js =sheetjs bessel math specfun","author":"=sheetjs","date":"2014-08-04 "},{"name":"best","description":"node.js service manager","url":null,"keywords":"application framework tool service dependency injection di","version":"2.0.0-beta.2","words":"best node.js service manager =stanislaw-glogowski application framework tool service dependency injection di","author":"=stanislaw-glogowski","date":"2014-08-28 "},{"name":"best-aws-service","keywords":"","version":[],"words":"best-aws-service","author":"","date":"2014-06-03 "},{"name":"best-dynadb-service","keywords":"","version":[],"words":"best-dynadb-service","author":"","date":"2014-08-16 "},{"name":"best-dynamodb-service","keywords":"","version":[],"words":"best-dynamodb-service","author":"","date":"2014-06-03 "},{"name":"best-encoding","description":"Choose the best compression encoding","url":null,"keywords":"request encoding compression","version":"0.1.1","words":"best-encoding choose the best compression encoding =stephenmathieson request encoding compression","author":"=stephenmathieson","date":"2013-09-17 "},{"name":"best-express-service","keywords":"","version":[],"words":"best-express-service","author":"","date":"2014-06-22 "},{"name":"best-http","description":"http service for best","url":null,"keywords":"best http service express resources","version":"1.0.0-beta.2","words":"best-http http service for best =stanislaw-glogowski best http service express resources","author":"=stanislaw-glogowski","date":"2014-08-28 "},{"name":"best-ip2loc-service","keywords":"","version":[],"words":"best-ip2loc-service","author":"","date":"2014-06-03 "},{"name":"best-mongo","description":"mongo service for best","url":null,"keywords":"best mongo service mongoose","version":"1.0.0-beta.2","words":"best-mongo mongo service for best =stanislaw-glogowski best mongo service mongoose","author":"=stanislaw-glogowski","date":"2014-08-28 "},{"name":"best-mongoose-service","keywords":"","version":[],"words":"best-mongoose-service","author":"","date":"2014-06-03 "},{"name":"best-practices","description":"A package using versioning best-practices","url":null,"keywords":"","version":"0.0.0","words":"best-practices a package using versioning best-practices =magnifismail","author":"=magnifismail","date":"2013-05-24 "},{"name":"best-redis-service","keywords":"","version":[],"words":"best-redis-service","author":"","date":"2014-06-05 "},{"name":"best-renderer","description":"renderer service for best","url":null,"keywords":"best renderer service handlebars","version":"1.0.0-beta.1","words":"best-renderer renderer service for best =stanislaw-glogowski best renderer service handlebars","author":"=stanislaw-glogowski","date":"2014-08-24 "},{"name":"bestbuy","description":"High level node.js client for the Best Buy API - alpha quality.","url":null,"keywords":"bestbuy api twilio","version":"0.0.1","words":"bestbuy high level node.js client for the best buy api - alpha quality. =kwhinnery bestbuy api twilio","author":"=kwhinnery","date":"2014-08-12 "},{"name":"bestfit","description":"Finds image rendition that best fits a given container.","url":null,"keywords":"fit image viewport container rendition renditions","version":"0.1.5","words":"bestfit finds image rendition that best fits a given container. =thlorenz fit image viewport container rendition renditions","author":"=thlorenz","date":"2013-12-19 "},{"name":"bestofbot","description":"IRC Bot for tracking best of moments on DTNS","url":null,"keywords":"irc bot","version":"0.2.0","words":"bestofbot irc bot for tracking best of moments on dtns =40thieves irc bot","author":"=40thieves","date":"2014-09-14 "},{"name":"besync","description":"Utils for async operations on js objects.","url":null,"keywords":"","version":"0.0.2","words":"besync utils for async operations on js objects. =gregrperkins","author":"=gregrperkins","date":"2013-02-11 "},{"name":"bet","description":"A Binary Expression Tree implementation which can evaluate infix mathematical expressions","url":null,"keywords":"binary expression tree shunting yard","version":"0.2.0","words":"bet a binary expression tree implementation which can evaluate infix mathematical expressions =paulmoore binary expression tree shunting yard","author":"=paulmoore","date":"2013-04-01 "},{"name":"beta","description":"node.js package for checking beta flags","url":null,"keywords":"beta flags","version":"0.0.1","words":"beta node.js package for checking beta flags =troygoode beta flags","author":"=troygoode","date":"2014-04-04 "},{"name":"beta-middleware","description":"A lightweight (stupid) solution to save beta forms.","url":null,"keywords":"","version":"0.1.0","words":"beta-middleware a lightweight (stupid) solution to save beta forms. =jerolimov","author":"=jerolimov","date":"2014-08-11 "},{"name":"betajs","url":null,"keywords":"","version":"0.0.0","words":"betajs =fansekey","author":"=fansekey","date":"2014-03-20 "},{"name":"betamax","description":"Automate the copying/removing of temporary directories for your tests","url":null,"keywords":"test temporary directory fixtures tape","version":"0.0.0","words":"betamax automate the copying/removing of temporary directories for your tests =hughsk test temporary directory fixtures tape","author":"=hughsk","date":"2014-02-17 "},{"name":"betaseries","description":"Node.js module for Betaseries API","url":null,"keywords":"betaseries api","version":"0.0.1","words":"betaseries node.js module for betaseries api =mebibou betaseries api","author":"=mebibou","date":"2014-09-07 "},{"name":"betfair","description":"Betfair JSON API","url":null,"keywords":"betfair sports json new api","version":"0.4.2","words":"betfair betfair json api =algotrader betfair sports json new api","author":"=algotrader","date":"2014-03-12 "},{"name":"betfair-sports-api","description":"Betfair Sports API for Node","url":null,"keywords":"betfair","version":"0.5.1","words":"betfair-sports-api betfair sports api for node =betfairtrader betfair","author":"=BetfairTrader","date":"2012-09-06 "},{"name":"betta","description":"super simple typechecking","url":null,"keywords":"","version":"0.0.3","words":"betta super simple typechecking =inhji","author":"=inhji","date":"2014-05-17 "},{"name":"betta-rpc","description":"a lightweight RPC build on top of redis queues","url":null,"keywords":"redis rpc","version":"0.1.0","words":"betta-rpc a lightweight rpc build on top of redis queues =syklevin redis rpc","author":"=syklevin","date":"2013-07-03 "},{"name":"better","keywords":"","version":[],"words":"better","author":"","date":"2014-05-29 "},{"name":"better-actions","description":"This README outlines the details of collaborating on this Ember addon.","url":null,"keywords":"ember-addon","version":"0.0.0","words":"better-actions this readme outlines the details of collaborating on this ember addon. =machty ember-addon","author":"=machty","date":"2014-08-27 "},{"name":"better-array-to-string","description":"A concise function that serializes an array, regardless of the depth of its contents.","url":null,"keywords":"bots better-array-to-string json serialize array tostring server client","version":"0.5.0","words":"better-array-to-string a concise function that serializes an array, regardless of the depth of its contents. =dclowd9901 bots better-array-to-string json serialize array tostring server client","author":"=dclowd9901","date":"2013-05-19 "},{"name":"better-assert","description":"Better assertions for node, reporting the expr, filename, lineno etc","url":null,"keywords":"assert stack trace debug","version":"1.0.1","words":"better-assert better assertions for node, reporting the expr, filename, lineno etc =tjholowaychuk =tony_ado assert stack trace debug","author":"=tjholowaychuk =tony_ado","date":"2014-07-23 "},{"name":"better-batch","description":"visionmedia/batch, but with support for sync and generator functions, along with arguments","url":null,"keywords":"","version":"0.0.4","words":"better-batch visionmedia/batch, but with support for sync and generator functions, along with arguments =mattmueller","author":"=mattmueller","date":"2014-09-03 "},{"name":"better-buffer","description":"Buffer subclass with some smack-your-head-obvious methods (push, pop, growToAccommodate, clone, dataLength, etc.)","url":null,"keywords":"","version":"0.0.2","words":"better-buffer buffer subclass with some smack-your-head-obvious methods (push, pop, growtoaccommodate, clone, datalength, etc.) =bryn =brynb","author":"=bryn =brynb","date":"2012-10-20 "},{"name":"better-cache","description":"Rails like caching for node.js","url":null,"keywords":"cache ram simple storage rails better-cache","version":"0.0.3","words":"better-cache rails like caching for node.js =xenon cache ram simple storage rails better-cache","author":"=xenon","date":"2013-10-09 "},{"name":"better-capitalize","description":"capitalize the first letter of a string, of a bunch of words, or an array (with a bunch of words), returning false if the string is undefined","url":null,"keywords":"capitalize better","version":"1.0.0","words":"better-capitalize capitalize the first letter of a string, of a bunch of words, or an array (with a bunch of words), returning false if the string is undefined =joseph.finlayson capitalize better","author":"=joseph.finlayson","date":"2014-08-21 "},{"name":"better-console","description":"A better console for Node.js","url":null,"keywords":"console","version":"0.2.3","words":"better-console a better console for node.js =mohsen console","author":"=mohsen","date":"2014-05-08 "},{"name":"better-curry","description":"Forget Function.bind and func.apply(context, arguments), performance matters! For a better curry!","url":null,"keywords":"curry function bind currying partial function functional delegate","version":"1.6.0","words":"better-curry forget function.bind and func.apply(context, arguments), performance matters! for a better curry! =pocesar curry function bind currying partial function functional delegate","author":"=pocesar","date":"2014-05-28 "},{"name":"better-emit-stream","description":"turn event emitters into streams and streams into event emitters","url":null,"keywords":"emit event emitter EventEmitter stream","version":"0.0.1","words":"better-emit-stream turn event emitters into streams and streams into event emitters =stephen_nodefly emit event emitter eventemitter stream","author":"=stephen_nodefly","date":"2013-04-23 "},{"name":"better-error","description":"more colorful, more flexible errors","url":null,"keywords":"","version":"0.0.2","words":"better-error more colorful, more flexible errors =mattmueller","author":"=mattmueller","date":"2014-05-27 "},{"name":"better-es5-shim","description":"Another shim solution of ECMAScript 5 standard for legacy ES3 engines","url":null,"keywords":"es5 shim","version":"0.1.0","words":"better-es5-shim another shim solution of ecmascript 5 standard for legacy es3 engines =hax es5 shim","author":"=hax","date":"2014-06-29 "},{"name":"better-expect","description":"Assert-style excepetion handling for better errors","url":null,"keywords":"assert stack trace debug error exception","version":"1.0.0","words":"better-expect assert-style excepetion handling for better errors =tdolsen assert stack trace debug error exception","author":"=tdolsen","date":"2013-05-05 "},{"name":"better-forms","description":"A better way to create, validate and handle forms","url":null,"keywords":"forms validation parser express fields","version":"0.2.4","words":"better-forms a better way to create, validate and handle forms =josephchapman forms validation parser express fields","author":"=josephchapman","date":"2014-09-15 "},{"name":"better-if","description":"Better if statements","url":null,"keywords":"better if","version":"0.0.2","words":"better-if better if statements =charliedowler better if","author":"=charliedowler","date":"2014-03-23 "},{"name":"better-inspect","description":"Better output for node util.inspect","url":null,"keywords":"inspect","version":"0.0.1","words":"better-inspect better output for node util.inspect =langpavel inspect","author":"=langpavel","date":"2012-08-11 "},{"name":"better-js-class","description":"A convenient way to emulated class and inheritance in Javascript.","url":null,"keywords":"","version":"0.1.3","words":"better-js-class a convenient way to emulated class and inheritance in javascript. =redblaze","author":"=redblaze","date":"2013-10-04 "},{"name":"better-livereload","description":"Better LiveReload server","url":null,"keywords":"livereload server","version":"0.3.1","words":"better-livereload better livereload server =leftium livereload server","author":"=leftium","date":"2013-07-17 "},{"name":"better-markdown-walker","description":"A utility for walking a directory structure and parsing markdown to html","url":null,"keywords":"markdown showdown file walker parser better","version":"0.0.16","words":"better-markdown-walker a utility for walking a directory structure and parsing markdown to html =fir3pho3nixx markdown showdown file walker parser better","author":"=fir3pho3nixx","date":"2013-12-01 "},{"name":"better-metrics","description":"This is an alternative port of Coda Hale's metrics library.","url":null,"keywords":"","version":"0.0.5","words":"better-metrics this is an alternative port of coda hale's metrics library. =felixge","author":"=felixge","date":"2011-11-07 "},{"name":"better-object-to-string","description":"A concise function that serializes all contents of a deep object.","url":null,"keywords":"bots better-object-to-string json serialize object server client","version":"0.7.0","words":"better-object-to-string a concise function that serializes all contents of a deep object. =dclowd9901 bots better-object-to-string json serialize object server client","author":"=dclowd9901","date":"2013-05-19 "},{"name":"better-repl","description":"Improved REPL for Node.js","url":null,"keywords":"repl","version":"0.0.3","words":"better-repl improved repl for node.js =wbrady repl","author":"=wbrady","date":"2013-01-27 "},{"name":"better-require","description":"require('better-require')('json yaml') lets you load JSON and YAML files using require syntax. For example: var config = require('./config.json'); Extensions available are: json, yaml.","url":null,"keywords":"require json yaml yml csv xml ini six coffee-script coffeescript coffee cljs clojure dart typescript ts","version":"0.0.3","words":"better-require require('better-require')('json yaml') lets you load json and yaml files using require syntax. for example: var config = require('./config.json'); extensions available are: json, yaml. =olalonde require json yaml yml csv xml ini six coffee-script coffeescript coffee cljs clojure dart typescript ts","author":"=olalonde","date":"2013-06-06 "},{"name":"better-stack-traces","description":"Detailed stack traces with code snippets.","url":null,"keywords":"","version":"1.0.1","words":"better-stack-traces detailed stack traces with code snippets. =mjpizz","author":"=mjpizz","date":"2013-12-30 "},{"name":"better-stacks","description":"Better node.js stacktraces","url":null,"keywords":"errors stacks stacktraces stack traces","version":"1.0.0","words":"better-stacks better node.js stacktraces =sebmck errors stacks stacktraces stack traces","author":"=sebmck","date":"2013-07-01 "},{"name":"better-util","description":"Enhanced Node.js built-in util module","url":null,"keywords":"util","version":"0.0.5","words":"better-util enhanced node.js built-in util module =jackdbernier util","author":"=jackdbernier","date":"2013-08-11 "},{"name":"better.js","description":"For a better javascript in javascript","url":null,"keywords":"debug javascript","version":"0.0.7","words":"better.js for a better javascript in javascript =jetienne debug javascript","author":"=jetienne","date":"2014-05-02 "},{"name":"betterlife","description":"Life Better Goal ====","url":null,"keywords":"","version":"0.0.4","words":"betterlife life better goal ==== =xqliu","author":"=xqliu","date":"2014-06-05 "},{"name":"BetterRegExp","description":"Utility wrapper over RegExp","url":null,"keywords":"","version":"0.0.2","words":"betterregexp utility wrapper over regexp =fractal","author":"=fractal","date":"2012-06-08 "},{"name":"betterservers","description":"node.js API for betterservers","url":null,"keywords":"betterservers cloud vps api virtual machines","version":"0.0.0","words":"betterservers node.js api for betterservers =thegoleffect betterservers cloud vps api virtual machines","author":"=thegoleffect","date":"2014-08-21 "},{"name":"betturl","description":"Better URL handling","url":null,"keywords":"","version":"0.2.3","words":"betturl better url handling =mattinsler","author":"=mattinsler","date":"2013-05-11 "},{"name":"betty","description":"betty is a command line utility for uploading static websites to s3.","url":null,"keywords":"","version":"0.0.1","words":"betty betty is a command line utility for uploading static websites to s3. =jb","author":"=jb","date":"2013-07-28 "},{"name":"between","description":"generate arbitary strings that sort between two strings","url":null,"keywords":"","version":"0.1.3","words":"between generate arbitary strings that sort between two strings =dominictarr","author":"=dominictarr","date":"2012-12-26 "},{"name":"betweenness","description":"Calculates the 'betweenness centrality' of a graph using Brandes' algorithm (On variants of shortest-path betweenness centrality and their generic computation [2008]).","url":null,"keywords":"betweenness centrality graph","version":"0.1.1","words":"betweenness calculates the 'betweenness centrality' of a graph using brandes' algorithm (on variants of shortest-path betweenness centrality and their generic computation [2008]). =uruuru betweenness centrality graph","author":"=uruuru","date":"2014-09-10 "},{"name":"beuron","description":"Binary neuron for JavaScript. A logic port that learns the most probable logical function from samples. Capable of online learning, forgetting and handling noisy data.","url":null,"keywords":"","version":"1.1.0","words":"beuron binary neuron for javascript. a logic port that learns the most probable logical function from samples. capable of online learning, forgetting and handling noisy data. =xeli","author":"=xeli","date":"2014-02-28 "},{"name":"bevis-block-dev","description":"BEViS block develoment toolkit","url":null,"keywords":"","version":"1.1.1","words":"bevis-block-dev bevis block develoment toolkit =mdevils","author":"=mdevils","date":"2014-06-27 "},{"name":"bevis-doc-builder","description":"bevis-doc-builder =================","url":null,"keywords":"","version":"2.0.0","words":"bevis-doc-builder bevis-doc-builder ================= =mdevils","author":"=mdevils","date":"2014-09-01 "},{"name":"bevy","description":"A simple server to manage multiple Node services","url":null,"keywords":"","version":"0.4.9","words":"bevy a simple server to manage multiple node services =robin.berjon","author":"=robin.berjon","date":"2014-03-03 "},{"name":"bewitch","description":"File watch and synchronizer","url":null,"keywords":"file watch sync","version":"0.2.2","words":"bewitch file watch and synchronizer =aintaer file watch sync","author":"=aintaer","date":"2013-06-06 "},{"name":"beyazperde","description":"Scrapes beyazperde.com for searching and getting specified movie information in turkish","url":null,"keywords":"beyazperde","version":"0.1.1","words":"beyazperde scrapes beyazperde.com for searching and getting specified movie information in turkish =javidan beyazperde","author":"=javidan","date":"2014-02-10 "},{"name":"beyazperde-patch","keywords":"","version":[],"words":"beyazperde-patch","author":"","date":"2014-07-14 "},{"name":"beyo","description":"Beyo Application framework.","url":null,"keywords":"beyo application framework async module hmvc mvc","version":"0.2.7-1","words":"beyo beyo application framework. =yanickrochon beyo application framework async module hmvc mvc","author":"=yanickrochon","date":"2014-08-27 "},{"name":"beyo-events","description":"Advanced event emitter","url":null,"keywords":"namespace events wildcards","version":"0.0.12","words":"beyo-events advanced event emitter =yanickrochon namespace events wildcards","author":"=yanickrochon","date":"2014-05-15 "},{"name":"beyo-i18n","description":"Internationalisation module for Node.js with plural forms and paramater subtitutions.","url":null,"keywords":"beyo i18n plural gender subtitution translate translation multilanguage generator async asynchronous","version":"0.2.3","words":"beyo-i18n internationalisation module for node.js with plural forms and paramater subtitutions. =yanickrochon beyo i18n plural gender subtitution translate translation multilanguage generator async asynchronous","author":"=yanickrochon","date":"2014-03-26 "},{"name":"beyo-middleware-hbs","keywords":"","version":[],"words":"beyo-middleware-hbs","author":"","date":"2014-03-17 "},{"name":"beyo-model","description":"A module to define models.","url":null,"keywords":"beyo model async asynchronous","version":"0.2.10","words":"beyo-model a module to define models. =yanickrochon beyo model async asynchronous","author":"=yanickrochon","date":"2014-09-05 "},{"name":"beyo-model-mapper","description":"Data mappers for beyo models","url":null,"keywords":"beyo model mapper data","version":"0.2.0","words":"beyo-model-mapper data mappers for beyo models =yanickrochon beyo model mapper data","author":"=yanickrochon","date":"2014-07-16 "},{"name":"beyo-model-validation","description":"Data validation for beyo models","url":null,"keywords":"beyo model validation validator validate","version":"0.0.5","words":"beyo-model-validation data validation for beyo models =yanickrochon beyo model validation validator validate","author":"=yanickrochon","date":"2014-06-02 "},{"name":"beyo-plugin-coefficient-format","description":"Data formatter helper for co-efficient engines.","url":null,"keywords":"co-efficient format globalize","version":"0.0.0-3","words":"beyo-plugin-coefficient-format data formatter helper for co-efficient engines. =yanickrochon co-efficient format globalize","author":"=yanickrochon","date":"2014-05-16 "},{"name":"beyo-plugin-globalize","description":"Enable Globalize module configuration","url":null,"keywords":"globalize plugin beyo","version":"0.0.0-1","words":"beyo-plugin-globalize enable globalize module configuration =yanickrochon globalize plugin beyo","author":"=yanickrochon","date":"2014-05-16 "},{"name":"beyo-plugin-i18n","keywords":"","version":[],"words":"beyo-plugin-i18n","author":"","date":"2014-03-26 "},{"name":"beyo-plugin-services","description":"Service plugin for beyo applications using Primus.","url":null,"keywords":"rpc beyo websocket","version":"0.0.9","words":"beyo-plugin-services service plugin for beyo applications using primus. =yanickrochon rpc beyo websocket","author":"=yanickrochon","date":"2014-05-23 "},{"name":"beyo-plugins-i18n","keywords":"","version":[],"words":"beyo-plugins-i18n","author":"","date":"2014-03-17 "},{"name":"beyond","description":"Event driven back end designed spesificaly for the reach-framework","url":null,"keywords":"Server Database Mongoose Mongo API","version":"0.0.104","words":"beyond event driven back end designed spesificaly for the reach-framework =kodemon server database mongoose mongo api","author":"=kodemon","date":"2014-04-20 "},{"name":"bez","description":"easing-bezier for jQuery","url":null,"keywords":"jQuery easing","version":"0.1.0","words":"bez easing-bezier for jquery =mrmoranxp jquery easing","author":"=mrmoranxp","date":"2014-09-19 "},{"name":"bezier","description":"n-degree Bezier interpolation","url":null,"keywords":"bezier curve spline","version":"0.1.0","words":"bezier n-degree bezier interpolation =hughsk bezier curve spline","author":"=hughsk","date":"2013-10-01 "},{"name":"bezier-easing","description":"Bezier Curve based easing functions for Javascript animations","url":null,"keywords":"cubic-bezier bezier easing interpolation animation timing timing-function","version":"0.4.3","words":"bezier-easing bezier curve based easing functions for javascript animations =gre cubic-bezier bezier easing interpolation animation timing timing-function","author":"=gre","date":"2014-08-09 "},{"name":"bezier-stream","description":"Ultra simple streaming line graph","url":null,"keywords":"d3 bezier streams graphs","version":"0.0.2","words":"bezier-stream ultra simple streaming line graph =hij1nx d3 bezier streams graphs","author":"=hij1nx","date":"2013-07-26 "},{"name":"bezier-tweaker","description":"Small UI for adjusting 1-dimensional bezier curves","url":null,"keywords":"bezier spline tweak easing parameter adjust ui animation tool","version":"0.0.0","words":"bezier-tweaker small ui for adjusting 1-dimensional bezier curves =hughsk bezier spline tweak easing parameter adjust ui animation tool","author":"=hughsk","date":"2014-03-20 "},{"name":"bezos","description":"Signs requests to various Amazon APIs","url":null,"keywords":"","version":"0.0.3","words":"bezos signs requests to various amazon apis =hakanensari","author":"=hakanensari","date":"2012-02-21 "},{"name":"bf","description":"Interpret brainfuck in node.js.","url":null,"keywords":"","version":"0.1.2","words":"bf interpret brainfuck in node.js. =jesusabdullah","author":"=jesusabdullah","date":"2011-07-08 "},{"name":"bf-cli","description":"betfair command line interface with simple trade processing","url":null,"keywords":"trade betfair cli","version":"0.0.32","words":"bf-cli betfair command line interface with simple trade processing =mattgi trade betfair cli","author":"=mattgi","date":"2014-02-20 "},{"name":"bf2js","description":"brainf*ck to javascript compiler","url":null,"keywords":"brainf*ck altjs compiler sourcemap","version":"0.1.1","words":"bf2js brainf*ck to javascript compiler =makenowjust brainf*ck altjs compiler sourcemap","author":"=makenowjust","date":"2014-04-02 "},{"name":"bfc","description":"Make built components usable by browserify","url":null,"keywords":"","version":"0.1.0","words":"bfc make built components usable by browserify =anthonyshort","author":"=anthonyshort","date":"2014-04-17 "},{"name":"bff","description":"Browserify Friend - it's as if browserify was built into the browser.","url":null,"keywords":"browserify browser","version":"0.1.5","words":"bff browserify friend - it's as if browserify was built into the browser. =airportyh browserify browser","author":"=airportyh","date":"2014-05-01 "},{"name":"bfg","description":"Big Friendly Gateway creates a read and write stream to various cloud storage providers","url":null,"keywords":"cloud storage stream filestore save proxy file fs","version":"0.3.0","words":"bfg big friendly gateway creates a read and write stream to various cloud storage providers =binocarlos cloud storage stream filestore save proxy file fs","author":"=binocarlos","date":"2014-03-16 "},{"name":"bfi","description":"fun little library for playing with big fun integers","url":null,"keywords":"big integer crypto","version":"0.1.0","words":"bfi fun little library for playing with big fun integers =dtudury big integer crypto","author":"=dtudury","date":"2014-06-06 "},{"name":"bfs-tree-layout","description":"Index computations for balanced binary trees stored in BFS order","url":null,"keywords":"bfs binary search tree balanced level order index bit twiddle parent left right ancestor predecessor successor query root linkless","version":"0.0.4","words":"bfs-tree-layout index computations for balanced binary trees stored in bfs order =mikolalysenko bfs binary search tree balanced level order index bit twiddle parent left right ancestor predecessor successor query root linkless","author":"=mikolalysenko","date":"2013-04-24 "},{"name":"bfs2inorder","description":"Converts BFS tree indexes to inorder tree indexes","url":null,"keywords":"bfs inorder binary search tree layout static linkless level order convert","version":"0.0.0","words":"bfs2inorder converts bfs tree indexes to inorder tree indexes =mikolalysenko bfs inorder binary search tree layout static linkless level order convert","author":"=mikolalysenko","date":"2013-04-24 "},{"name":"bfy-coffee","keywords":"","version":[],"words":"bfy-coffee","author":"","date":"2014-04-02 "},{"name":"bfy-handlebars","keywords":"","version":[],"words":"bfy-handlebars","author":"","date":"2014-04-02 "},{"name":"bfy-viceroy-rest-server","description":"Viceroy REST Server contains middleware for express and [Viceroy] [1]. It allows you to create RESTful routes as well as custom routes based on your Viceroy Models.","url":null,"keywords":"","version":"0.4.1","words":"bfy-viceroy-rest-server viceroy rest server contains middleware for express and [viceroy] [1]. it allows you to create restful routes as well as custom routes based on your viceroy models. =shanejonas","author":"=shanejonas","date":"2014-09-03 "},{"name":"bfydir","description":"http-server to browserify *.js in a dir","url":null,"keywords":"browserify","version":"1.0.1","words":"bfydir http-server to browserify *.js in a dir =guybrush browserify","author":"=guybrush","date":"2014-04-14 "},{"name":"bgen","description":"opinionated frontend development boilerplate generator.","url":null,"keywords":"","version":"0.0.2","words":"bgen opinionated frontend development boilerplate generator. =marcusandre","author":"=marcusandre","date":"2014-07-29 "},{"name":"bgexpert","description":".... just testing","url":null,"keywords":"","version":"1.0.3","words":"bgexpert .... just testing =dimitarsi","author":"=dimitarsi","date":"2014-01-06 "},{"name":"bgfiles","description":"Baldur's Gate Files","url":null,"keywords":"Baldur's Gate Infinity Engine","version":"0.0.5","words":"bgfiles baldur's gate files =eleandor baldur's gate infinity engine","author":"=eleandor","date":"2014-07-07 "},{"name":"bgg","description":"BoardGameGeek.com API client","url":null,"keywords":"boardgamegeek bgg xmlapi json promise","version":"0.2.1","words":"bgg boardgamegeek.com api client =monteslu boardgamegeek bgg xmlapi json promise","author":"=monteslu","date":"2013-10-20 "},{"name":"bglib","description":"Create and parse packets for the BlueGiga BLE112 and BLE113","url":null,"keywords":"bluetooth ble ble112 ble113 bluegiga low energy","version":"0.0.6","words":"bglib create and parse packets for the bluegiga ble112 and ble113 =johnnyman727 =technicalmachine bluetooth ble ble112 ble113 bluegiga low energy","author":"=johnnyman727 =technicalmachine","date":"2014-06-11 "},{"name":"bgmust","keywords":"","version":[],"words":"bgmust","author":"","date":"2014-06-18 "},{"name":"bgt","description":"Run a process in the background using forever","url":null,"keywords":"","version":"0.0.1","words":"bgt run a process in the background using forever =divanvisagie","author":"=divanvisagie","date":"2013-03-03 "},{"name":"bh","description":"Template engine. BEMJSON -> HTML processor.","url":null,"keywords":"","version":"3.1.1","words":"bh template engine. bemjson -> html processor. =mdevils =mishanga","author":"=mdevils =mishanga","date":"2014-08-25 "},{"name":"bh-bundle","description":"Render bh bundle","url":null,"keywords":"bh template bem","version":"0.0.1","words":"bh-bundle render bh bundle =fi11 bh template bem","author":"=fi11","date":"2014-06-04 "},{"name":"bh-property-helpers","description":"Helpers for nice property setters/getters creation","url":null,"keywords":"Object.create BH property constant method","version":"0.0.4","words":"bh-property-helpers helpers for nice property setters/getters creation =floatdrop object.create bh property constant method","author":"=floatdrop","date":"2014-07-26 "},{"name":"bhaka-test-module","description":"Super simple node.js server which listens on process.env[\"PORT\"] and responds to all requests with \"hello world\\n\"","url":null,"keywords":"","version":"0.0.8","words":"bhaka-test-module super simple node.js server which listens on process.env[\"port\"] and responds to all requests with \"hello world\\n\" =hakalab","author":"=hakalab","date":"2014-02-22 "},{"name":"bhargav","description":"fje 'nkijnge[o ","url":null,"keywords":"f klenjfn","version":"0.0.1","words":"bhargav fje 'nkijnge[o =bhargav123 f klenjfn","author":"=bhargav123","date":"2014-05-26 "},{"name":"bhave","description":"Behave Node SDK","url":null,"keywords":"behave.io behave gamification","version":"0.0.3","words":"bhave behave node sdk =othierry behave.io behave gamification","author":"=othierry","date":"2013-12-08 "},{"name":"bhd","description":"BHD Converter","url":null,"keywords":"binary hexadecimal octal converter","version":"0.0.6","words":"bhd bhd converter =dmdgeeker binary hexadecimal octal converter","author":"=dmdgeeker","date":"2013-12-08 "},{"name":"bhf-cli","description":"BHF Command Line Interface","url":null,"keywords":"","version":"0.0.7","words":"bhf-cli bhf command line interface =wvv8oo","author":"=wvv8oo","date":"2014-07-03 "},{"name":"bhpack","description":"Pack binary data more efficiently into strings for HTTP/2.","url":null,"keywords":"","version":"0.1.0","words":"bhpack pack binary data more efficiently into strings for http/2. =martinthomson","author":"=martinthomson","date":"2014-04-12 "},{"name":"bhrand","description":"Pick a random element from a list accroding to the latest BTC hash","url":null,"keywords":"random pick list hash bitcoin","version":"0.0.0","words":"bhrand pick a random element from a list accroding to the latest btc hash =weakish random pick list hash bitcoin","author":"=weakish","date":"2014-02-21 "},{"name":"bhtec.layoutp","description":"Create a html-based layout presentation","url":null,"keywords":"create html based layout presentation","version":"3.3.2","words":"bhtec.layoutp create a html-based layout presentation =ian.bhtec create html based layout presentation","author":"=ian.bhtec","date":"2014-05-19 "},{"name":"bhulk","description":"Batch request handling plugin for hapi","url":null,"keywords":"bulk batch hapi","version":"1.0.1","words":"bhulk batch request handling plugin for hapi =hugowetterberg bulk batch hapi","author":"=hugowetterberg","date":"2014-07-31 "},{"name":"bi","description":"pure javascript Big Integer module for nodejs","url":null,"keywords":"big integer pure javascript nodejs","version":"0.0.1","words":"bi pure javascript big integer module for nodejs =10iii big integer pure javascript nodejs","author":"=10iii","date":"2014-06-13 "},{"name":"bi-appsrvr","description":"The Bisnode Informatics frontend application server","url":null,"keywords":"","version":"0.2.6","words":"bi-appsrvr the bisnode informatics frontend application server =bi.caugusti","author":"=bi.caugusti","date":"2014-06-17 "},{"name":"bi-parser","description":"A parser to parse a custom Business Intelligence(BI) log items.","url":null,"keywords":"","version":"0.1.0","words":"bi-parser a parser to parse a custom business intelligence(bi) log items. =hagendorn","author":"=hagendorn","date":"2014-06-23 "},{"name":"bianca","description":"An automated interactive white-box algorithm testing language which compiles down to JSON AST.","url":null,"keywords":"bianca automated interactive white-box algorithm testing language json ast","version":"0.2.1","words":"bianca an automated interactive white-box algorithm testing language which compiles down to json ast. =aaditmshah bianca automated interactive white-box algorithm testing language json ast","author":"=aaditmshah","date":"2014-03-28 "},{"name":"biaozi","keywords":"","version":[],"words":"biaozi","author":"","date":"2014-02-24 "},{"name":"bible","description":"NPM application for reading Holy Bible verses","url":null,"keywords":"bible npm node application","version":"1.0.0-beta","words":"bible npm application for reading holy bible verses =ionicabizau bible npm node application","author":"=ionicabizau","date":"2014-08-06 "},{"name":"bible-english","description":"NodeJS wrapper for labs.bible.org API.","url":null,"keywords":"bible english node","version":"0.1.0","words":"bible-english nodejs wrapper for labs.bible.org api. =ionicabizau bible english node","author":"=ionicabizau","date":"2014-07-24 "},{"name":"bible-map","description":"Bible as a map","url":null,"keywords":"","version":"0.0.0","words":"bible-map bible as a map =sel","author":"=sel","date":"2013-10-29 "},{"name":"bible-ref","description":"Utilitie for handling and normalizing Bible references","url":null,"keywords":"library bible reference normalize","version":"1.0.0","words":"bible-ref utilitie for handling and normalizing bible references =danielgtaylor library bible reference normalize","author":"=danielgtaylor","date":"2013-09-25 "},{"name":"bible-reference-parser","description":"A parser of Bible references","url":null,"keywords":"bible reference parser","version":"1.0.0","words":"bible-reference-parser a parser of bible references =ionicabizau bible reference parser","author":"=ionicabizau","date":"2014-07-24 "},{"name":"bible-romanian","description":"Romanian Bible module","url":null,"keywords":"romanian bible","version":"0.1.0","words":"bible-romanian romanian bible module =ionicabizau romanian bible","author":"=ionicabizau","date":"2014-07-25 "},{"name":"bible-sample-config","description":"Sample configuration for Bible CLI client.","url":null,"keywords":"sample config bible biblejs","version":"1.0.0-alpha2","words":"bible-sample-config sample configuration for bible cli client. =ionicabizau sample config bible biblejs","author":"=ionicabizau","date":"2014-07-29 "},{"name":"bible.js","description":"The Bible as a NPM module.","url":null,"keywords":"bible npm nodejs","version":"1.0.1","words":"bible.js the bible as a npm module. =ionicabizau bible npm nodejs","author":"=ionicabizau","date":"2014-07-27 "},{"name":"biblejs","description":"Normalize bible references, convert them to machine readable formats, query and manipulate them","url":null,"keywords":"bible math query","version":"0.0.8","words":"biblejs normalize bible references, convert them to machine readable formats, query and manipulate them =davewasmer bible math query","author":"=davewasmer","date":"2014-04-17 "},{"name":"biblejs-versions","keywords":"","version":[],"words":"biblejs-versions","author":"","date":"2014-04-04 "},{"name":"biblia","description":"Access the Biblia API","url":null,"keywords":"","version":"0.0.5","words":"biblia access the biblia api =k.parnell","author":"=k.parnell","date":"2012-08-17 "},{"name":"bibtex-parse-js","description":"A JavaScript library that parses BibTeX to JSON","url":null,"keywords":"bibtex json javascript parser","version":"0.0.14","words":"bibtex-parse-js a javascript library that parses bibtex to json =rcpeters bibtex json javascript parser","author":"=rcpeters","date":"2014-08-29 "},{"name":"bibtex-parser","description":"CommonJS port of BibTeX-js","url":null,"keywords":"bibtex commonjs javascript parser","version":"0.0.0","words":"bibtex-parser commonjs port of bibtex-js =mikolalysenko bibtex commonjs javascript parser","author":"=mikolalysenko","date":"2013-07-18 "},{"name":"bibtex-parser-js","description":"A JavaScript library that parses BibTeX to JSON","url":null,"keywords":"bibtex json javascript parser","version":"0.0.2","words":"bibtex-parser-js a javascript library that parses bibtex to json =rcpeters bibtex json javascript parser","author":"=rcpeters","date":"2013-10-05 "},{"name":"bicubic","description":"Bicubic interpolation - traditionally used for scaling up images or heightmaps","url":null,"keywords":"","version":"0.0.0","words":"bicubic bicubic interpolation - traditionally used for scaling up images or heightmaps =hughsk","author":"=hughsk","date":"2013-10-28 "},{"name":"bicubic-sample","description":"Conveniently interpolate arbitrary 2D grids using bicubic interpolation","url":null,"keywords":"","version":"0.0.1","words":"bicubic-sample conveniently interpolate arbitrary 2d grids using bicubic interpolation =hughsk","author":"=hughsk","date":"2013-10-28 "},{"name":"bicyclepump.js","description":"JavaScript Object Inflation with Dependency Injection","url":null,"keywords":"dependency injection","version":"1.0.0","words":"bicyclepump.js javascript object inflation with dependency injection =jokeyrhyme dependency injection","author":"=jokeyrhyme","date":"2014-03-23 "},{"name":"bid.io","description":"Handle real time bids.","url":null,"keywords":"","version":"0.1.15","words":"bid.io handle real time bids. =cayasso","author":"=cayasso","date":"2014-01-31 "},{"name":"bid.io-client","description":"bid.io client","url":null,"keywords":"","version":"0.1.10","words":"bid.io-client bid.io client =cayasso","author":"=cayasso","date":"2014-01-06 "},{"name":"bid.io-monitor","description":"Monitor module for bid.io","url":null,"keywords":"","version":"0.1.1","words":"bid.io-monitor monitor module for bid.io =cayasso","author":"=cayasso","date":"2013-05-07 "},{"name":"bid.io-parser","description":"bid.io protocol parser","url":null,"keywords":"","version":"0.1.7","words":"bid.io-parser bid.io protocol parser =cayasso","author":"=cayasso","date":"2013-08-01 "},{"name":"bidar","description":"Binary Data Representation (serialization format)","url":null,"keywords":"object serialization data graph","version":"0.4.5","words":"bidar binary data representation (serialization format) =danfuzz =dpup =nicks =azulus object serialization data graph","author":"=danfuzz =dpup =nicks =azulus","date":"2013-04-01 "},{"name":"bidi","description":"A JavaScript implementation of the Unicode BIDI algorithm extracted from Twitter CLDR","url":null,"keywords":"bidi javascript","version":"0.0.1","words":"bidi a javascript implementation of the unicode bidi algorithm extracted from twitter cldr =israelidanny bidi javascript","author":"=israelidanny","date":"2014-08-05 "},{"name":"bidibinder","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"bidibinder error: no readme.md file found! =aldobucchi","author":"=aldobucchi","date":"2013-08-28 "},{"name":"bifocals","description":"A node.js view built to organize asynchronous sub views on top of any rendering engine","url":null,"keywords":"view asynchronous subview","version":"1.3.0","words":"bifocals a node.js view built to organize asynchronous sub views on top of any rendering engine =dashron view asynchronous subview","author":"=dashron","date":"2014-05-08 "},{"name":"bifrost","description":"Client generator for Heimdall APIs","url":null,"keywords":"client generator generation heimdall API HATEOAS REST RESTful","version":"0.0.2","words":"bifrost client generator for heimdall apis =binarymax client generator generation heimdall api hateoas rest restful","author":"=binarymax","date":"2014-05-01 "},{"name":"big","description":"Big is a next generation application \"framework\" which solves the domain problem of building applications for the web.","url":null,"keywords":"","version":"0.4.2","words":"big big is a next generation application \"framework\" which solves the domain problem of building applications for the web. =marak","author":"=marak","date":"2013-07-09 "},{"name":"big-array","description":"When you need an array with a few trillion elements","url":null,"keywords":"","version":"0.0.3","words":"big-array when you need an array with a few trillion elements =jmerrick","author":"=jmerrick","date":"2013-09-08 "},{"name":"big-block","description":"Big Block Javascript Game Engine","url":null,"keywords":"big block game engine","version":"0.0.6","words":"big-block big block javascript game engine =rgbboy big block game engine","author":"=rgbboy","date":"2014-07-03 "},{"name":"big-block-date","description":"A wrapper for the Date object so it can be supplied to other Big Block modules.","url":null,"keywords":"big block date","version":"0.0.1","words":"big-block-date a wrapper for the date object so it can be supplied to other big block modules. =rgbboy big block date","author":"=rgbboy","date":"2014-03-10 "},{"name":"big-block-document","description":"A wrapper for the browsers document object so it can be supplied to other Big Block modules.","url":null,"keywords":"big block document","version":"0.0.1","words":"big-block-document a wrapper for the browsers document object so it can be supplied to other big block modules. =rgbboy big block document","author":"=rgbboy","date":"2014-06-24 "},{"name":"big-block-input","description":"Input System for the Big Block Javascript Game Engine","url":null,"keywords":"big block input game engine","version":"0.0.3","words":"big-block-input input system for the big block javascript game engine =rgbboy big block input game engine","author":"=rgbboy","date":"2014-05-29 "},{"name":"big-block-time","description":"Time System for the Big Block Javascript Game Engine","url":null,"keywords":"big block time game engine","version":"0.0.3","words":"big-block-time time system for the big block javascript game engine =rgbboy big block time game engine","author":"=rgbboy","date":"2014-05-28 "},{"name":"big-block-window","description":"A wrapper for the browsers window object so it can be supplied to other Big Block modules.","url":null,"keywords":"big block window","version":"0.0.1","words":"big-block-window a wrapper for the browsers window object so it can be supplied to other big block modules. =rgbboy big block window","author":"=rgbboy","date":"2014-03-09 "},{"name":"big-brother","description":"Big Brother is watching your files","url":null,"keywords":"","version":"0.0.0","words":"big-brother big brother is watching your files =elliot","author":"=elliot","date":"2012-02-06 "},{"name":"big-button-factory","description":"Monitor-Min Demo App","url":null,"keywords":"monitor node-monitor demo big-button-factory monitoring control","version":"0.1.1","words":"big-button-factory monitor-min demo app =lorenwest monitor node-monitor demo big-button-factory monitoring control","author":"=lorenwest","date":"2013-10-23 "},{"name":"big-executable","description":"inline a modules dependencies to reduce startup IO","url":null,"keywords":"inliner executable","version":"0.1.0","words":"big-executable inline a modules dependencies to reduce startup io =jkroso inliner executable","author":"=jkroso","date":"2014-01-28 "},{"name":"big-factorial","description":"Calculate the factorial of big numbers.","url":null,"keywords":"math","version":"1.0.2","words":"big-factorial calculate the factorial of big numbers. =kenan math","author":"=kenan","date":"2014-06-22 "},{"name":"big-integer","description":"An arbitrary length integer library for Javascript","url":null,"keywords":"math big bignum bigint biginteger integer arbitrary precision arithmetic","version":"1.2.12","words":"big-integer an arbitrary length integer library for javascript =peterolson math big bignum bigint biginteger integer arbitrary precision arithmetic","author":"=peterolson","date":"2014-09-16 "},{"name":"big-integer-max","description":"Given two valid integers in string form, return the larger of the two.","url":null,"keywords":"integer big maximum number","version":"1.0.0","words":"big-integer-max given two valid integers in string form, return the larger of the two. =ljharb integer big maximum number","author":"=ljharb","date":"2013-12-31 "},{"name":"big-integer-min","description":"Given two valid integers in string form, return the smaller of the two.","url":null,"keywords":"integer big minimum number","version":"1.0.1","words":"big-integer-min given two valid integers in string form, return the smaller of the two. =ljharb integer big minimum number","author":"=ljharb","date":"2014-08-28 "},{"name":"big-number","description":"Light, ultra-fast javascript implementation for BigIntegers (base arithmetic operations)","url":null,"keywords":"number bigint bignumber big-number bignumbers arithmetic operations","version":"0.3.1","words":"big-number light, ultra-fast javascript implementation for bigintegers (base arithmetic operations) =alexbardas number bigint bignumber big-number bignumbers arithmetic operations","author":"=alexbardas","date":"2014-08-03 "},{"name":"big-object-diff","description":"A tool for visualizing the differences between large JavaScript objects.","url":null,"keywords":"diff","version":"0.7.0","words":"big-object-diff a tool for visualizing the differences between large javascript objects. =jamesshore diff","author":"=jamesshore","date":"2014-03-05 "},{"name":"big-oil","description":"Fusion engine picker for PAYDAY 2's Big Oil heist","url":null,"keywords":"big oil heist payday payday 2","version":"1.0.2","words":"big-oil fusion engine picker for payday 2's big oil heist =kenan big oil heist payday payday 2","author":"=kenan","date":"2014-06-30 "},{"name":"big-rational","description":"An arbitrary length rational number library for Javascript","url":null,"keywords":"math big bignum bignumber bigrational rational arbitrary precision arithmetic","version":"0.9.7","words":"big-rational an arbitrary length rational number library for javascript =peterolson math big bignum bignumber bigrational rational arbitrary precision arithmetic","author":"=peterolson","date":"2014-09-16 "},{"name":"big-ssh","description":"ssh interface resource","url":null,"keywords":"","version":"0.0.0","words":"big-ssh ssh interface resource =marak","author":"=marak","date":"2013-06-12 "},{"name":"big-surface","description":"Limitless space within DOM elements","url":null,"keywords":"","version":"0.1.1","words":"big-surface limitless space within dom elements =ozanturgut","author":"=ozanturgut","date":"2013-02-18 "},{"name":"big-xml","description":"Lightweight XML parser for really big files (uses node-expat)","url":null,"keywords":"","version":"0.7.0","words":"big-xml lightweight xml parser for really big files (uses node-expat) =jahewson","author":"=jahewson","date":"2013-07-09 "},{"name":"big.js","description":"A small, fast, easy-to-use library for arbitrary-precision decimal arithmetic","url":null,"keywords":"arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","version":"2.5.1","words":"big.js a small, fast, easy-to-use library for arbitrary-precision decimal arithmetic =mikemcl arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","author":"=mikemcl","date":"2014-06-08 "},{"name":"bigassmessage","description":"A light API wrapper for bigassmessage.com","url":null,"keywords":"big ass message api","version":"0.0.1","words":"bigassmessage a light api wrapper for bigassmessage.com =bradleyg big ass message api","author":"=bradleyg","date":"2013-02-15 "},{"name":"bigbang","description":"graphical/evented functional programming for js/coffee","url":null,"keywords":"fp bigbang evented functional games","version":"0.2.1","words":"bigbang graphical/evented functional programming for js/coffee =obfusk fp bigbang evented functional games","author":"=obfusk","date":"2014-07-18 "},{"name":"bigben","description":"Dong every 15 minute to npmjs.org","url":null,"keywords":"","version":"2014.264.415","words":"bigben dong every 15 minute to npmjs.org =ondra42","author":"=ondra42","date":"2014-09-21 "},{"name":"bigbench","description":"Distributed Benchmarking","url":null,"keywords":"","version":"0.0.22","words":"bigbench distributed benchmarking =southdesign","author":"=southdesign","date":"2013-06-14 "},{"name":"bigbench-plotter","description":"A tool that evaluates bigbench.js runs with different plotters","url":null,"keywords":"bigbench plot gnu","version":"0.0.1","words":"bigbench-plotter a tool that evaluates bigbench.js runs with different plotters =southdesign bigbench plot gnu","author":"=southdesign","date":"2013-07-19 "},{"name":"bigbinom","description":"Calculate binomial coefficients with big numbers","url":null,"keywords":"","version":"0.0.1","words":"bigbinom calculate binomial coefficients with big numbers =sackio","author":"=sackio","date":"2014-09-20 "},{"name":"bigbird","description":"Big Bird is a JavaScript framework of sorts that's designed to help you write more maintainable, modular JavaScript.","url":null,"keywords":"","version":"0.3.5","words":"bigbird big bird is a javascript framework of sorts that's designed to help you write more maintainable, modular javascript. =callum","author":"=callum","date":"2014-04-04 "},{"name":"bigblue-scripts","description":"Allows you to opt in to a variety of scripts","url":null,"keywords":"calblueprint blueprint scripts bot robot","version":"1.0.3","words":"bigblue-scripts allows you to opt in to a variety of scripts =jayyr calblueprint blueprint scripts bot robot","author":"=jayyr","date":"2013-05-27 "},{"name":"bigbluebutton","description":"Integration between BigBlueButton and Node.js Applications","url":null,"keywords":"","version":"0.5.2","words":"bigbluebutton integration between bigbluebutton and node.js applications =paulocesar","author":"=paulocesar","date":"2013-08-26 "},{"name":"bigbluebutton-messages","description":"bigbluebutton-messages","url":null,"keywords":"","version":"0.0.8","words":"bigbluebutton-messages bigbluebutton-messages =antobinary","author":"=antobinary","date":"2014-05-08 "},{"name":"bigbuffer","description":"Using list of buffer to break through Nodejs's buffer size limitation","url":null,"keywords":"buffer","version":"0.0.5","words":"bigbuffer using list of buffer to break through nodejs's buffer size limitation =nstal buffer","author":"=nstal","date":"2014-04-20 "},{"name":"bigclicker","description":"a remote control for keyboard-driven web presentation systems like [big](https://github.com/tmcw/big). you can load it on your smartphone or ipad, click left or right, and it emits keyboard events with [happen](https://github.com/tmcw/happen) that turn pages for you.","url":null,"keywords":"","version":"0.0.0","words":"bigclicker a remote control for keyboard-driven web presentation systems like [big](https://github.com/tmcw/big). you can load it on your smartphone or ipad, click left or right, and it emits keyboard events with [happen](https://github.com/tmcw/happen) that turn pages for you. =tmcw","author":"=tmcw","date":"2013-02-06 "},{"name":"bigcommerce","description":"Node.js client for the Bigcommerce API","url":null,"keywords":"bigcommerce api bigcommerce-api","version":"0.0.0","words":"bigcommerce node.js client for the bigcommerce api =sgerrand bigcommerce api bigcommerce-api","author":"=sgerrand","date":"2014-04-10 "},{"name":"bigdecimal","description":"Arbitrary-precision BigInteger and BigDecimal real numbers: Apache Harmony's implementation","url":null,"keywords":"","version":"0.6.1","words":"bigdecimal arbitrary-precision biginteger and bigdecimal real numbers: apache harmony's implementation =jhs","author":"=jhs","date":"2011-11-06 "},{"name":"bigfile","description":"Turn a mapping of modules into a browser suitable package","url":null,"keywords":"build compile module cjs package","version":"0.8.1","words":"bigfile turn a mapping of modules into a browser suitable package =jkroso build compile module cjs package","author":"=jkroso","date":"2014-05-23 "},{"name":"bigfiles","description":"Quickly find the biggest files lurking deep in a directory.","url":null,"keywords":"debugging file folder optimizing speed","version":"0.1.1","words":"bigfiles quickly find the biggest files lurking deep in a directory. =breck debugging file folder optimizing speed","author":"=breck","date":"2013-05-22 "},{"name":"bigfoot","description":"Client-side Application Framework","url":null,"keywords":"","version":"1.1.16","words":"bigfoot client-side application framework =inca =ryuugan","author":"=inca =ryuugan","date":"2014-08-26 "},{"name":"bigforeach","description":"Improve performance over Async.forEach","url":null,"keywords":"","version":"0.0.2","words":"bigforeach improve performance over async.foreach =jstrinko","author":"=jstrinko","date":"2013-04-04 "},{"name":"bigga","description":"Just because making strings longer doesn't help.","url":null,"keywords":"util","version":"0.0.5","words":"bigga just because making strings longer doesn't help. =rokkoka util","author":"=rokkoka","date":"2012-08-02 "},{"name":"bigger-than-a-smile","description":"Firefoxes practice smiling with npm","url":null,"keywords":"","version":"0.1.0","words":"bigger-than-a-smile firefoxes practice smiling with npm =quackingduck","author":"=quackingduck","date":"2013-07-24 "},{"name":"biggerboat","description":"You're going to need a bigger boat","url":null,"keywords":"","version":"0.0.2","words":"biggerboat you're going to need a bigger boat =itay","author":"=itay","date":"2012-07-17 "},{"name":"biggie","description":"presentations without thinking","url":null,"keywords":"","version":"0.0.0","words":"biggie presentations without thinking =tmcw","author":"=tmcw","date":"2014-02-24 "},{"name":"biggie-router","description":"A lightweight extensible HTTP router","url":null,"keywords":"","version":"1.2.0","words":"biggie-router a lightweight extensible http router =tim-smart","author":"=tim-smart","date":"2013-06-12 "},{"name":"bight","description":"inject and compose through streams into a pipeline","url":null,"keywords":"streams loop knot compose","version":"0.2.0","words":"bight inject and compose through streams into a pipeline =jden =agilemd streams loop knot compose","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"bigi","description":"Big integers.","url":null,"keywords":"cryptography math bitcoin arbitrary precision arithmetic big integer int number biginteger bigint bignumber decimal float","version":"1.3.0","words":"bigi big integers. =jp =midnightlightning =sidazhang =nadav cryptography math bitcoin arbitrary precision arithmetic big integer int number biginteger bigint bignumber decimal float","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-08-27 "},{"name":"bigint","description":"Arbitrary-precision integer arithmetic using libgmp","url":null,"keywords":"gmp libgmp big bignum bigint integer arithmetic precision","version":"0.4.2","words":"bigint arbitrary-precision integer arithmetic using libgmp =substack =draggor gmp libgmp big bignum bigint integer arithmetic precision","author":"=substack =draggor","date":"2013-04-18 "},{"name":"BigInt","description":"Big Integer Library in pure Javascript by Leemon","url":null,"keywords":"bigint leemon","version":"5.5.3","words":"bigint big integer library in pure javascript by leemon =vjeux =evgenus bigint leemon","author":"=vjeux =evgenus","date":"2014-09-02 "},{"name":"bigint-browserify","description":"bigint api for browser javascript","url":null,"keywords":"biginteger browser browserify bignumber jsbn bigint","version":"0.0.2","words":"bigint-browserify bigint api for browser javascript =zaach biginteger browser browserify bignumber jsbn bigint","author":"=zaach","date":"2013-08-07 "},{"name":"bigint-node","description":"Based off of Leemon Baird's pure javascript BigInteger, provide a big integer library to Node.JS","url":null,"keywords":"","version":"1.0.2","words":"bigint-node based off of leemon baird's pure javascript biginteger, provide a big integer library to node.js =cwacek","author":"=cwacek","date":"2014-07-29 "},{"name":"bigint-typescript-definitions","description":"Typescript definitions files for Big Integer library by Leemon","url":null,"keywords":"typescript bigint bignum leemon definitions","version":"5.5.1-3","words":"bigint-typescript-definitions typescript definitions files for big integer library by leemon =evgenus typescript bigint bignum leemon definitions","author":"=evgenus","date":"2014-08-31 "},{"name":"bigint16","description":"simple fast readable js library for big integers","url":null,"keywords":"bigint integer diffie hellman","version":"0.1.1","words":"bigint16 simple fast readable js library for big integers =dtudury bigint integer diffie hellman","author":"=dtudury","date":"2013-11-21 "},{"name":"biginteger","description":"An arbitrarily-sized-integer library for JavaScript.","url":null,"keywords":"bignum bigint big number big integer","version":"1.0.3","words":"biginteger an arbitrarily-sized-integer library for javascript. =bang590 =ashnur bignum bigint big number big integer","author":"=bang590 =ashnur","date":"2014-04-15 "},{"name":"biginteger.js","description":"Big Integer Library for Javascript.","url":null,"keywords":"math biginteger","version":"1.0.1","words":"biginteger.js big integer library for javascript. =bhimsen92 math biginteger","author":"=bhimsen92","date":"2014-02-15 "},{"name":"bigintjs","description":"Allows working with integers of any size.","url":null,"keywords":"","version":"0.3.5","words":"bigintjs allows working with integers of any size. =blixt","author":"=blixt","date":"2014-04-10 "},{"name":"bigml","description":"Node bindings for BigML.","url":null,"keywords":"","version":"1.0.0","words":"bigml node bindings for bigml. =bigml","author":"=bigml","date":"2014-08-29 "},{"name":"bigmoney.js","description":"Library for handling the money values. Based on big.js library for arbitrary-precision decimal arithmetic. Support multiple currencies.","url":null,"keywords":"money currency calc js javascipt float math","version":"0.0.1-a","words":"bigmoney.js library for handling the money values. based on big.js library for arbitrary-precision decimal arithmetic. support multiple currencies. =goldix money currency calc js javascipt float math","author":"=goldix","date":"2014-02-01 "},{"name":"bignum","description":"Arbitrary-precision integer arithmetic using OpenSSL","url":null,"keywords":"openssl big bignum bigint integer arithmetic precision","version":"0.9.0","words":"bignum arbitrary-precision integer arithmetic using openssl =bitcoinjs =justmoon =rvagg openssl big bignum bigint integer arithmetic precision","author":"=bitcoinjs =justmoon =rvagg","date":"2014-06-29 "},{"name":"bignum-browserify","description":"bignum api for browser javascript","url":null,"keywords":"biginteger browser browserify bignumber jsbn bigint","version":"0.0.1","words":"bignum-browserify bignum api for browser javascript =weilu biginteger browser browserify bignumber jsbn bigint","author":"=weilu","date":"2014-04-08 "},{"name":"bignum-json","description":"BigNum support in JSON","url":null,"keywords":"large large integer integer JSON parse","version":"0.0.1","words":"bignum-json bignum support in json =cainus large large integer integer json parse","author":"=cainus","date":"2012-08-15 "},{"name":"bignumber","description":"A pure javascript implementation of BigIntegers and RSA crypto.","url":null,"keywords":"bigintegers rsa pkcs","version":"1.1.0","words":"bignumber a pure javascript implementation of bigintegers and rsa crypto. =eschnou bigintegers rsa pkcs","author":"=eschnou","date":"2011-03-15 "},{"name":"bignumber-jt","description":"A pure javascript implementation of BigIntegers and RSA crypto.","url":null,"keywords":"bigintegers rsa pkcs","version":"1.2.0","words":"bignumber-jt a pure javascript implementation of bigintegers and rsa crypto. =rcomian bigintegers rsa pkcs","author":"=rcomian","date":"2012-11-26 "},{"name":"bignumber.js","description":"A library for arbitrary-precision decimal and non-decimal arithmetic","url":null,"keywords":"arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","version":"1.4.1","words":"bignumber.js a library for arbitrary-precision decimal and non-decimal arithmetic =mikemcl arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","author":"=mikemcl","date":"2014-06-08 "},{"name":"bigot","description":"A little 'moustache like' template engine but more semantic","url":null,"keywords":"bigot template engine mousthache","version":"0.6.5","words":"bigot a little 'moustache like' template engine but more semantic =firezenk bigot template engine mousthache","author":"=firezenk","date":"2014-04-02 "},{"name":"bigote","description":"High performance logic less template engine, supports full mustache spec","url":null,"keywords":"mustache template handlebars dust hogan template engine","version":"0.3.11","words":"bigote high performance logic less template engine, supports full mustache spec =openmason mustache template handlebars dust hogan template engine","author":"=openmason","date":"2013-08-28 "},{"name":"bigoven","description":"[![Build Status](https://secure.travis-ci.org/user/bigoven.png?branch=master)](http://travis-ci.org/user/bigoven)","url":null,"keywords":"","version":"0.0.0","words":"bigoven [![build status](https://secure.travis-ci.org/user/bigoven.png?branch=master)](http://travis-ci.org/user/bigoven) =markgunnels","author":"=markgunnels","date":"2014-02-25 "},{"name":"bigpipe","description":"Bigpipe a radical new web framework for Node.js that's inspired by Facebook's bigpipe concept.","url":null,"keywords":"pagelet pagelets realtime real-time framework modular bigpipe","version":"0.8.5","words":"bigpipe bigpipe a radical new web framework for node.js that's inspired by facebook's bigpipe concept. =v1 =swaagie =indexzero =jcrugzz pagelet pagelets realtime real-time framework modular bigpipe","author":"=V1 =swaagie =indexzero =jcrugzz","date":"2014-09-05 "},{"name":"bigpipe-content","description":"Server side bigpipe plugin to deliver static content as fast as possible.","url":null,"keywords":"Bigpipe plugin content delivery server","version":"0.0.5","words":"bigpipe-content server side bigpipe plugin to deliver static content as fast as possible. =swaagie bigpipe plugin content delivery server","author":"=swaagie","date":"2014-05-02 "},{"name":"bigpipe-example","description":"BigPipe using koa and component","url":null,"keywords":"","version":"0.1.0","words":"bigpipe-example bigpipe using koa and component =jongleberry =aheckmann","author":"=jongleberry =aheckmann","date":"2014-08-05 "},{"name":"bigpipe-godot","description":"A simple plugin to expose a godot client on a bigpipe server","url":null,"keywords":"bigpipe realtime godot metrics","version":"0.1.3","words":"bigpipe-godot a simple plugin to expose a godot client on a bigpipe server =jcrugzz bigpipe realtime godot metrics","author":"=jcrugzz","date":"2014-08-09 "},{"name":"bigpipe-layout","description":"Supply default layout to Bigpipe pages.","url":null,"keywords":"Bigpipe plugin default layout","version":"0.1.0","words":"bigpipe-layout supply default layout to bigpipe pages. =swaagie bigpipe plugin default layout","author":"=swaagie","date":"2014-03-19 "},{"name":"bigpipe-watch","description":"Server side bigpipe plugin to watch file changes during development.","url":null,"keywords":"Bigpipe plugin development file watch reload","version":"0.1.1","words":"bigpipe-watch server side bigpipe plugin to watch file changes during development. =swaagie bigpipe plugin development file watch reload","author":"=swaagie","date":"2014-04-04 "},{"name":"bigpipe.js","description":"The client-side library which is used in BigPipe to orchestrate the pagelets.","url":null,"keywords":"BigPipe pipe pagelet orchestrate browserify","version":"0.8.2","words":"bigpipe.js the client-side library which is used in bigpipe to orchestrate the pagelets. =v1 =swaagie =indexzero =jcrugzz bigpipe pipe pagelet orchestrate browserify","author":"=V1 =swaagie =indexzero =jcrugzz","date":"2014-08-25 "},{"name":"bigquery","description":"This is a simple sdk for using google bigquery. Still working... if any problem, please let me know. Want to know what is BigQuery? Look my slide: http://www.slideshare.net/peihsinsu/google-bigquery-introduction","url":null,"keywords":"","version":"0.0.3","words":"bigquery this is a simple sdk for using google bigquery. still working... if any problem, please let me know. want to know what is bigquery? look my slide: http://www.slideshare.net/peihsinsu/google-bigquery-introduction =peihsinsu","author":"=peihsinsu","date":"2014-05-21 "},{"name":"bigqueue","description":"A BigQueue module for node.js-based apps","url":null,"keywords":"mercadolibre bigqueue","version":"0.1.0","words":"bigqueue a bigqueue module for node.js-based apps =nakes mercadolibre bigqueue","author":"=nakes","date":"2014-05-16 "},{"name":"bigrat","description":"rational.js: tools and libraries using rational numbers.","url":null,"keywords":"rational rationals ratio ratios fraction fractions number numbers math polyrat polyrats polynumber polynumbers","version":"0.0.6","words":"bigrat rational.js: tools and libraries using rational numbers. =acerix rational rationals ratio ratios fraction fractions number numbers math polyrat polyrats polynumber polynumbers","author":"=acerix","date":"2013-08-24 "},{"name":"bigrunt","description":"bigrunt, grunt helper","url":null,"keywords":"tgrunt task","version":"0.0.1","words":"bigrunt bigrunt, grunt helper =wangjeaf tgrunt task","author":"=wangjeaf","date":"2014-01-14 "},{"name":"bigseo","description":"BigSEO is a ExpresJS module built for apps who need a SEO Engine exclusively for web crawlers such as Google, Bing, Facebook, etc.","url":null,"keywords":"seo engine express cache crawler bigseo angularjs","version":"0.6.3","words":"bigseo bigseo is a expresjs module built for apps who need a seo engine exclusively for web crawlers such as google, bing, facebook, etc. =grillorafael seo engine express cache crawler bigseo angularjs","author":"=grillorafael","date":"2014-08-31 "},{"name":"bigspinner","description":"Because if you're going to hide behind a spinner, it should at least be a Big Spinner.","url":null,"keywords":"terminal spinner spin console curses","version":"1.0.0","words":"bigspinner because if you're going to hide behind a spinner, it should at least be a big spinner. =jclulow terminal spinner spin console curses","author":"=jclulow","date":"2014-09-11 "},{"name":"bigstraw","description":"Get a bunch of git resources, fast","url":null,"keywords":"parallel git","version":"1.1.2","words":"bigstraw get a bunch of git resources, fast =azakus parallel git","author":"=azakus","date":"2014-08-29 "},{"name":"bigtable-erd-generator","description":"Entity Relationship Diagram generator for BigTable-style databases like HBase and Accumulo.","url":null,"keywords":"erd bigtable hbase accumulo diagram generator","version":"0.0.1","words":"bigtable-erd-generator entity relationship diagram generator for bigtable-style databases like hbase and accumulo. =princjef erd bigtable hbase accumulo diagram generator","author":"=princjef","date":"2013-07-25 "},{"name":"bigtime-frontend","keywords":"","version":[],"words":"bigtime-frontend","author":"","date":"2014-03-13 "},{"name":"biguint-format","description":"An arbitrary length unsigned integer formatter library for Node.js","url":null,"keywords":"big bignum biguint uint integer hex hexadecimal octet decimal binary formatting","version":"0.2.2","words":"biguint-format an arbitrary length unsigned integer formatter library for node.js =tpwk big bignum biguint uint integer hex hexadecimal octet decimal binary formatting","author":"=tpwk","date":"2014-09-19 "},{"name":"bijection","description":"Node.js utility for mapping the properties of two Objects between each other","url":null,"keywords":"orm schema mapping transform morph congruence lodash underscore bijection bijective","version":"0.0.3","words":"bijection node.js utility for mapping the properties of two objects between each other =tjwebb orm schema mapping transform morph congruence lodash underscore bijection bijective","author":"=tjwebb","date":"2014-08-23 "},{"name":"bijou","description":"bijou =====","url":null,"keywords":"","version":"0.0.4","words":"bijou bijou ===== =wvv8oo","author":"=wvv8oo","date":"2014-07-22 "},{"name":"bijous","description":"An asynchronous module loader. Searches out modules within a file system using Klect and supplies an asynchronous means of initializing them. Initialized modules may provide a service that can be used by other modules.","url":null,"keywords":"modules components features feats mods plugins async asynchronous require express","version":"0.3.3","words":"bijous an asynchronous module loader. searches out modules within a file system using klect and supplies an asynchronous means of initializing them. initialized modules may provide a service that can be used by other modules. =mbrio modules components features feats mods plugins async asynchronous require express","author":"=mbrio","date":"2014-07-13 "},{"name":"biju","description":"Control tasks from console","url":null,"keywords":"tasks todo notes calendar","version":"0.1.6-rc1","words":"biju control tasks from console =raphaelivan tasks todo notes calendar","author":"=raphaelivan","date":"2014-08-09 "},{"name":"bike","description":"Class system to organize namespaces, define, create, extend, mixin, super inheritance and more","url":null,"keywords":"class manager extend inherit inherits super","version":"1.2.0","words":"bike class system to organize namespaces, define, create, extend, mixin, super inheritance and more =gabrieleds class manager extend inherit inherits super","author":"=gabrieleds","date":"2014-04-11 "},{"name":"bikeshed","description":"apply code style conversions","url":null,"keywords":"","version":"1.0.0","words":"bikeshed apply code style conversions =dominictarr","author":"=dominictarr","date":"2013-06-25 "},{"name":"bikesy","description":"get bike directions form the bikesy.com api","url":null,"keywords":"bike directions","version":"1.0.0","words":"bikesy get bike directions form the bikesy.com api =jden bike directions","author":"=jden","date":"2012-12-25 "},{"name":"bikini","description":"![The-M-Project Absinthe][logo] # The-M-Project 2.0 (Absinthe) Beta Release [![Build Status](https://travis-ci.org/mwaylabs/bikini.png?branch=master)](https://travis-ci.org/mwaylabs/bikini)","url":null,"keywords":"the-m-project bikini backbone framework mvc","version":"0.5.0","words":"bikini ![the-m-project absinthe][logo] # the-m-project 2.0 (absinthe) beta release [![build status](https://travis-ci.org/mwaylabs/bikini.png?branch=master)](https://travis-ci.org/mwaylabs/bikini) =mwaylabs the-m-project bikini backbone framework mvc","author":"=mwaylabs","date":"2014-03-18 "},{"name":"bilanx","description":"β Bilanx, a fast and simplified command queue for Deuces, a minimal Redis client.","url":null,"keywords":"β bilanx deuces redis Redis command queue queue","version":"0.9.0","words":"bilanx β bilanx, a fast and simplified command queue for deuces, a minimal redis client. =rootslab β bilanx deuces redis redis command queue queue","author":"=rootslab","date":"2014-08-11 "},{"name":"bilateralarray","description":"An array-like object where the zero index is at the middle of the array. tracks left and right offsets as items are added","url":null,"keywords":"array datatype data","version":"0.0.1","words":"bilateralarray an array-like object where the zero index is at the middle of the array. tracks left and right offsets as items are added =hij1nx array datatype data","author":"=hij1nx","date":"2013-07-25 "},{"name":"bilbo","description":"Dependency Injection for JavaScript","url":null,"keywords":"","version":"0.0.6","words":"bilbo dependency injection for javascript =pablo-cabrera","author":"=pablo-cabrera","date":"2013-06-05 "},{"name":"bilby","description":"Serious functional programming library for JavaScript","url":null,"keywords":"","version":"0.0.2","words":"bilby serious functional programming library for javascript =puffnfresh","author":"=puffnfresh","date":"2013-03-28 "},{"name":"bilby-djo","keywords":"","version":[],"words":"bilby-djo","author":"","date":"2014-05-06 "},{"name":"bild","description":"Yet another build/task runner. This one is based on YAML. I like the declarative nature of grunt, but it seems a bit heavyweight to install, and the way things work is more complicated than I need. This is simpler and needs less boilerplate.","url":null,"keywords":"","version":"0.0.6","words":"bild yet another build/task runner. this one is based on yaml. i like the declarative nature of grunt, but it seems a bit heavyweight to install, and the way things work is more complicated than i need. this is simpler and needs less boilerplate. =runvnc","author":"=runvnc","date":"2014-01-07 "},{"name":"bild-coffee","description":"CoffeeScript plugin for bild.","url":null,"keywords":"","version":"0.0.3","words":"bild-coffee coffeescript plugin for bild. =runvnc","author":"=runvnc","date":"2014-01-07 "},{"name":"bild-uglify","description":"UglifyJS plugin for bild.","url":null,"keywords":"","version":"0.0.4","words":"bild-uglify uglifyjs plugin for bild. =runvnc","author":"=runvnc","date":"2014-01-07 "},{"name":"bilder","description":"Dev-Build-Deploy tool at 6W","url":null,"keywords":"development build deploy","version":"0.3.0","words":"bilder dev-build-deploy tool at 6w =netroy =adamrenklint =adamschroder =raymondmayjr =mlabod =bwindels development build deploy","author":"=netroy =adamrenklint =adamschroder =raymondmayjr =mlabod =bwindels","date":"2014-08-06 "},{"name":"bilder-aws","description":"aws tasks for bilder","url":null,"keywords":"","version":"0.1.6","words":"bilder-aws aws tasks for bilder =netroy =raymondmayjr =bwindels","author":"=netroy =raymondmayjr =bwindels","date":"2014-08-08 "},{"name":"bilder-compilers","description":"Compilers grunt-tasks for bilder","url":null,"keywords":"","version":"0.1.6","words":"bilder-compilers compilers grunt-tasks for bilder =netroy =adamschroder =adamrenklint =raymondmayjr =mlabod =bwindels","author":"=netroy =adamschroder =adamrenklint =raymondmayjr =mlabod =bwindels","date":"2014-08-29 "},{"name":"bilder-ec2","description":"EC2/S3 tasks for bilder","url":null,"keywords":"","version":"0.0.1","words":"bilder-ec2 ec2/s3 tasks for bilder =netroy","author":"=netroy","date":"2013-08-01 "},{"name":"bilder-git-watcher","description":"git submodule watcher/auto-switcher","url":null,"keywords":"","version":"0.0.1","words":"bilder-git-watcher git submodule watcher/auto-switcher =netroy","author":"=netroy","date":"2014-08-06 "},{"name":"bilder-reporter","description":"report deployments via slack, hipchat & gmail","url":null,"keywords":"","version":"0.0.4","words":"bilder-reporter report deployments via slack, hipchat & gmail =netroy =raymondmayjr =bwindels","author":"=netroy =raymondmayjr =bwindels","date":"2014-08-05 "},{"name":"bilder-requirejs","description":"requirejs grunt task","url":null,"keywords":"build requirejs","version":"0.1.2","words":"bilder-requirejs requirejs grunt task =netroy build requirejs","author":"=netroy","date":"2014-02-12 "},{"name":"bilder-spec-runner","description":"highly opinianated mocha+chai+sinon based spec runner","url":null,"keywords":"","version":"0.0.4","words":"bilder-spec-runner highly opinianated mocha+chai+sinon based spec runner =netroy","author":"=netroy","date":"2014-08-11 "},{"name":"bilder-sprites","description":"Grunt Sprites builder, for bilder","url":null,"keywords":"","version":"0.0.4","words":"bilder-sprites grunt sprites builder, for bilder =netroy =bwindels","author":"=netroy =bwindels","date":"2014-08-07 "},{"name":"bilder-static-server","description":"static server grunt task","url":null,"keywords":"","version":"0.0.1","words":"bilder-static-server static server grunt task =netroy","author":"=netroy","date":"2014-08-06 "},{"name":"bilkent-srs","description":"srs","url":null,"keywords":"bilkent srs grades","version":"0.0.5","words":"bilkent-srs srs =mustafa bilkent srs grades","author":"=mustafa","date":"2013-04-18 "},{"name":"bill-table-get-rows","description":"Extracts all the tr rows for a given page of the bills table on the Hess Energy website https://www.hessenergy.com","url":null,"keywords":"docparse hess","version":"1.0.0","words":"bill-table-get-rows extracts all the tr rows for a given page of the bills table on the hess energy website https://www.hessenergy.com =clewfirst docparse hess","author":"=clewfirst","date":"2013-04-23 "},{"name":"billable","description":"Track billable hours.","url":null,"keywords":"billable track hours timetracking stopwatch","version":"0.3.0-beta2","words":"billable track billable hours. =balderdashy billable track hours timetracking stopwatch","author":"=balderdashy","date":"2014-02-17 "},{"name":"billd","description":"billd","url":null,"keywords":"billd","version":"0.0.1","words":"billd billd =06wj billd","author":"=06wj","date":"2014-06-18 "},{"name":"billom","description":"Generate a neat inventory of used packages","url":null,"keywords":"bom","version":"0.3.0","words":"billom generate a neat inventory of used packages =keis bom","author":"=keis","date":"2014-09-15 "},{"name":"billspk","keywords":"","version":[],"words":"billspk","author":"","date":"2014-05-03 "},{"name":"billy","description":"A minimal application harness that stays out of your way and out of your code.","url":null,"keywords":"","version":"1.5.1","words":"billy a minimal application harness that stays out of your way and out of your code. =bvalosek","author":"=bvalosek","date":"2014-09-15 "},{"name":"billy-activities","description":"Use activities for state management in Billy applications","url":null,"keywords":"billy activities state activity billy-service","version":"1.0.0","words":"billy-activities use activities for state management in billy applications =bvalosek billy activities state activity billy-service","author":"=bvalosek","date":"2014-09-16 "},{"name":"billy-babel","description":"Translation tool for Billy's Billing","url":null,"keywords":"","version":"0.0.6","words":"billy-babel translation tool for billy's billing =arcreative","author":"=arcreative","date":"2013-10-28 "},{"name":"billy-builder","description":"A set of grunt tasks used by Billy's Billing","url":null,"keywords":"","version":"2.3.1","words":"billy-builder a set of grunt tasks used by billy's billing =sebastianseilund =arcreative","author":"=sebastianseilund =arcreative","date":"2014-03-26 "},{"name":"billy-http-express","description":"A Billy service that creates an Express 4 HTTP server ","url":null,"keywords":"billy express http billy-service","version":"1.4.2","words":"billy-http-express a billy service that creates an express 4 http server =bvalosek billy express http billy-service","author":"=bvalosek","date":"2014-09-15 "},{"name":"billy-i18n-tool","description":"Translation tool for Billy's Billing","url":null,"keywords":"","version":"0.0.0","words":"billy-i18n-tool translation tool for billy's billing =arcreative","author":"=arcreative","date":"2013-09-05 "},{"name":"billy-inflector","description":"Pluralize, singularize, capitalize, classify, and so on..","url":null,"keywords":"","version":"1.0.0","words":"billy-inflector pluralize, singularize, capitalize, classify, and so on.. =mex","author":"=mex","date":"2013-11-14 "},{"name":"billy-log-parser","description":"A cli tool that you can pipe JSON log files into and get pretty output.","url":null,"keywords":"","version":"0.1.0","words":"billy-log-parser a cli tool that you can pipe json log files into and get pretty output. =sebastianseilund","author":"=sebastianseilund","date":"2014-04-23 "},{"name":"billy-sql-postgres","description":"A Billy service that allows for executing queries against a PostgreSQL datdabase","url":null,"keywords":"billy sql postgres postgresql billy-service","version":"1.2.3","words":"billy-sql-postgres a billy service that allows for executing queries against a postgresql datdabase =bvalosek billy sql postgres postgresql billy-service","author":"=bvalosek","date":"2014-09-15 "},{"name":"bimap","description":"A powerful, flexible and efficient bidirectional map implementation","url":null,"keywords":"bidirectional map map object key by value hash bidimap associative array two-sided object","version":"0.0.15","words":"bimap a powerful, flexible and efficient bidirectional map implementation =alethes bidirectional map map object key by value hash bidimap associative array two-sided object","author":"=alethes","date":"2014-04-28 "},{"name":"bimedia-objectmapper","description":"object mapper for node","url":null,"keywords":"object mapper","version":"0.2.0","words":"bimedia-objectmapper object mapper for node =jcreigno object mapper","author":"=jcreigno","date":"2014-09-10 "},{"name":"bimedia-rest-security","description":"implementation de la sécurité pour les services rest Bimedia","url":null,"keywords":"rest security bimedia","version":"0.0.1","words":"bimedia-rest-security implementation de la sécurité pour les services rest bimedia =jcreigno rest security bimedia","author":"=jcreigno","date":"2014-07-01 "},{"name":"bin","description":"binary buffer helper","url":null,"keywords":"","version":"0.0.0","words":"bin binary buffer helper =sunfang1cn","author":"=sunfang1cn","date":"2012-08-17 "},{"name":"bin-bash","url":null,"keywords":"","version":"0.0.0","words":"bin-bash =groundwater","author":"=groundwater","date":"2014-05-12 "},{"name":"bin-boxes","description":"`boxes` is a blessed(curses)-based UI for NodeOS.","url":null,"keywords":"","version":"0.0.1","words":"bin-boxes `boxes` is a blessed(curses)-based ui for nodeos. =smassa","author":"=smassa","date":"2014-02-18 "},{"name":"bin-build","description":"Easily build binaries","url":null,"keywords":"binary build make","version":"1.0.1","words":"bin-build easily build binaries =kevva binary build make","author":"=kevva","date":"2014-09-01 "},{"name":"bin-cat","description":"Cat","url":null,"keywords":"","version":"0.0.0","words":"bin-cat cat =nodeos =jacobgroundwater","author":"=nodeos =jacobgroundwater","date":"2013-09-29 "},{"name":"bin-check","description":"Check if a binary is working","url":null,"keywords":"binary check executable test","version":"1.0.0","words":"bin-check check if a binary is working =kevva binary check executable test","author":"=kevva","date":"2014-08-17 "},{"name":"bin-fs","description":"Common File System Operations","url":null,"keywords":"","version":"0.2.0","words":"bin-fs common file system operations =nodeos =jacobgroundwater =groundwater","author":"=nodeos =jacobgroundwater =groundwater","date":"2014-02-14 "},{"name":"bin-getty","description":"Node Getty Replacement","url":null,"keywords":"","version":"0.0.1","words":"bin-getty node getty replacement =groundwater","author":"=groundwater","date":"2014-01-05 "},{"name":"bin-heap","description":"Binary heap for node.js","url":null,"keywords":"heap","version":"0.2.2","words":"bin-heap binary heap for node.js =hkey1 heap","author":"=hkey1","date":"2014-06-15 "},{"name":"bin-ifconfig","description":"Node Getty Replacement","url":null,"keywords":"","version":"0.0.0","words":"bin-ifconfig node getty replacement =groundwater","author":"=groundwater","date":"2013-11-24 "},{"name":"bin-init","description":"node-os Init Daemon","url":null,"keywords":"","version":"0.2.0","words":"bin-init node-os init daemon =nodeos =groundwater","author":"=nodeos =groundwater","date":"2014-05-12 "},{"name":"bin-ip","description":"Stub for Docker Compatability","url":null,"keywords":"","version":"0.0.0","words":"bin-ip stub for docker compatability =nodeos =jacobgroundwater","author":"=nodeos =jacobgroundwater","date":"2013-09-29 "},{"name":"bin-ls","description":"","url":null,"keywords":"","version":"0.0.0","words":"bin-ls =nodeos =jacobgroundwater","author":"=nodeos =jacobgroundwater","date":"2013-09-29 "},{"name":"bin-man","description":"","url":null,"keywords":"","version":"0.2.0","words":"bin-man =nodeos =jacobgroundwater =groundwater","author":"=nodeos =jacobgroundwater =groundwater","date":"2014-01-12 "},{"name":"bin-mount","description":"Node Getty Replacement","url":null,"keywords":"","version":"0.0.0","words":"bin-mount node getty replacement =groundwater","author":"=groundwater","date":"2013-11-24 "},{"name":"bin-ncurl","description":"","url":null,"keywords":"","version":"0.0.0","words":"bin-ncurl =groundwater","author":"=groundwater","date":"2013-10-19 "},{"name":"bin-npkg","description":"The node-os uses npm for package management, but the `npm` command is not sufficient for proper installation of node-os packages.","url":null,"keywords":"","version":"0.2.0","words":"bin-npkg the node-os uses npm for package management, but the `npm` command is not sufficient for proper installation of node-os packages. =nodeos =groundwater","author":"=nodeos =groundwater","date":"2014-05-19 "},{"name":"bin-npkg-tekknolagi","description":"NodeOS uses NPM for package management, but the `npm` command is not sufficient for proper installation of NodeOS packages. The `npkg` command handles all OS-related package management. If you're writing a NodeJS app, you will still use the `npm` command locally.","url":null,"keywords":"","version":"0.0.4","words":"bin-npkg-tekknolagi nodeos uses npm for package management, but the `npm` command is not sufficient for proper installation of nodeos packages. the `npkg` command handles all os-related package management. if you're writing a nodejs app, you will still use the `npm` command locally. =tekknolagi","author":"=tekknolagi","date":"2014-01-17 "},{"name":"bin-nsh","description":"Node/No Shell","url":null,"keywords":"","version":"0.4.0","words":"bin-nsh node/no shell =nodeos =jacobgroundwater =groundwater","author":"=nodeos =jacobgroundwater =groundwater","date":"2014-05-12 "},{"name":"bin-pack","description":"A packing algorithm for 2D bin packing. Largely based on code and a blog post by Jake Gordon.","url":null,"keywords":"bin rectangle square sprite pack","version":"1.0.1","words":"bin-pack a packing algorithm for 2d bin packing. largely based on code and a blog post by jake gordon. =bryanburgers bin rectangle square sprite pack","author":"=bryanburgers","date":"2014-02-21 "},{"name":"bin-path","description":"Get paths to module executables","url":null,"keywords":"path bin modules npm executable exec spawn","version":"0.0.3","words":"bin-path get paths to module executables =timoxley path bin modules npm executable exec spawn","author":"=timoxley","date":"2013-07-18 "},{"name":"bin-pwd","description":"Pring Working Directory","url":null,"keywords":"","version":"0.0.0","words":"bin-pwd pring working directory =nodeos =jacobgroundwater","author":"=nodeos =jacobgroundwater","date":"2013-09-29 "},{"name":"bin-route","description":"Node Getty Replacement","url":null,"keywords":"","version":"0.0.0","words":"bin-route node getty replacement =groundwater","author":"=groundwater","date":"2013-11-24 "},{"name":"bin-sh","description":"","url":null,"keywords":"","version":"0.0.0","words":"bin-sh =nodeos =groundwater","author":"=nodeos =groundwater","date":"2013-11-24 "},{"name":"bin-shutdown","description":"","url":null,"keywords":"","version":"0.0.0","words":"bin-shutdown =groundwater","author":"=groundwater","date":"2013-11-24 "},{"name":"bin-term-extras","description":"Extra terminal comands","url":null,"keywords":"","version":"0.1.0","words":"bin-term-extras extra terminal comands =groundwater","author":"=groundwater","date":"2014-06-21 "},{"name":"bin-to-file","description":"Converts JS Bin object to static HTML","url":null,"keywords":"jsbin","version":"0.0.5","words":"bin-to-file converts js bin object to static html =remy jsbin","author":"=remy","date":"2014-08-07 "},{"name":"bin-tools","description":"Tools for manipulating binary files","url":null,"keywords":"","version":"0.0.2","words":"bin-tools tools for manipulating binary files =jeansebtr","author":"=JeanSebTr","date":"2012-10-09 "},{"name":"bin-version","description":"Get the version of a binary in semver format","url":null,"keywords":"bin binary executable version semver semantic cli","version":"1.0.0","words":"bin-version get the version of a binary in semver format =sindresorhus bin binary executable version semver semantic cli","author":"=sindresorhus","date":"2014-08-29 "},{"name":"bin-version-check","description":"Check whether a binary version satisfies a semver range","url":null,"keywords":"cli bin binary executable version semver semantic range satisfy check validate","version":"1.0.0","words":"bin-version-check check whether a binary version satisfies a semver range =sindresorhus cli bin binary executable version semver semantic range satisfy check validate","author":"=sindresorhus","date":"2014-08-29 "},{"name":"bin-wrapper","description":"Binary wrapper that makes your programs seamlessly available as local dependencies","url":null,"keywords":"bin check local wrapper","version":"1.0.3","words":"bin-wrapper binary wrapper that makes your programs seamlessly available as local dependencies =kevva =sindresorhus bin check local wrapper","author":"=kevva =sindresorhus","date":"2014-09-10 "},{"name":"binarize.js","description":"binarize.js is a JavaScript library that converts any variable, array or object into binary format. This library is useful when you want to send and receive complex objects (especially when they include TypedArray) in ArrayBuffer format over WebSocket, XHR2, etc.","url":null,"keywords":"","version":"0.5.1","words":"binarize.js binarize.js is a javascript library that converts any variable, array or object into binary format. this library is useful when you want to send and receive complex objects (especially when they include typedarray) in arraybuffer format over websocket, xhr2, etc. =agektmr","author":"=agektmr","date":"2013-03-26 "},{"name":"binary","description":"Unpack multibyte binary values from buffers","url":null,"keywords":"binary decode endian unpack signed unsigned","version":"0.3.0","words":"binary unpack multibyte binary values from buffers =substack binary decode endian unpack signed unsigned","author":"=substack","date":"2012-09-12 "},{"name":"binary-cookies","description":"Binary cookie file parser","url":null,"keywords":"","version":"0.1.1","words":"binary-cookies binary cookie file parser =jlipps","author":"=jlipps","date":"2013-04-03 "},{"name":"binary-csv","description":"A fast CSV binary data parser written in javascript","url":null,"keywords":"","version":"0.2.2","words":"binary-csv a fast csv binary data parser written in javascript =maxogden","author":"=maxogden","date":"2014-08-16 "},{"name":"binary-encoder-ring","description":"Encode strings to binary arrays and back again","url":null,"keywords":"binary-encoding encoding decoding","version":"0.1.2","words":"binary-encoder-ring encode strings to binary arrays and back again =gmturbo binary-encoding encoding decoding","author":"=gmturbo","date":"2014-06-04 "},{"name":"binary-extract","description":"Extract values from a binary json blob","url":null,"keywords":"","version":"0.1.1","words":"binary-extract extract values from a binary json blob =segment","author":"=segment","date":"2014-05-28 "},{"name":"binary-format","description":"Two-way custom binary seralization","url":null,"keywords":"binary struct parse seralization deseralization","version":"0.0.1","words":"binary-format two-way custom binary seralization =rauban binary struct parse seralization deseralization","author":"=rauban","date":"2013-05-10 "},{"name":"binary-heap","description":"Binary heap","url":null,"keywords":"heap binary heap datastructure data structure","version":"1.1.0","words":"binary-heap binary heap =tristanls heap binary heap datastructure data structure","author":"=tristanls","date":"2013-07-22 "},{"name":"binary-io.jsx","description":"Data serialize/deserialize utility for JS/JSX/AMD/CommonJS","url":null,"keywords":"jsx altjs lib js amd commonjs nodejs browser","version":"0.3.0","words":"binary-io.jsx data serialize/deserialize utility for js/jsx/amd/commonjs =shibu jsx altjs lib js amd commonjs nodejs browser","author":"=shibu","date":"2013-11-08 "},{"name":"binary-map","description":"in-memory key/value store based on binary search, that support buffers as keys","url":null,"keywords":"","version":"0.0.0","words":"binary-map in-memory key/value store based on binary search, that support buffers as keys =dominictarr","author":"=dominictarr","date":"2014-09-01 "},{"name":"binary-merge","description":"2-way merge","url":null,"keywords":"binary merge sort sorting sorted array algorithm","version":"0.0.0","words":"binary-merge 2-way merge =mikolalysenko binary merge sort sorting sorted array algorithm","author":"=mikolalysenko","date":"2013-03-31 "},{"name":"binary-pack","description":"a module to package both browser and node versions of @ericz's binarypack","url":null,"keywords":"","version":"0.0.2","words":"binary-pack a module to package both browser and node versions of @ericz's binarypack =jcrugzz","author":"=jcrugzz","date":"2013-08-19 "},{"name":"binary-parse-fn","description":"Painless binary protocol parsers using generators.","url":null,"keywords":"generator binary synchronous parse parser","version":"1.0.0","words":"binary-parse-fn painless binary protocol parsers using generators. =nathan7 generator binary synchronous parse parser","author":"=nathan7","date":"2014-05-31 "},{"name":"binary-parse-stream","description":"Painless streaming binary protocol parsers using generators.","url":null,"keywords":"generator binary stream parse parser","version":"1.3.1","words":"binary-parse-stream painless streaming binary protocol parsers using generators. =nathan7 generator binary stream parse parser","author":"=nathan7","date":"2014-06-05 "},{"name":"binary-parser","description":"Blazing-fast binary parser builder","url":null,"keywords":"binary parser decode unpack struct buffer bit","version":"1.1.0","words":"binary-parser blazing-fast binary parser builder =keichi binary parser decode unpack struct buffer bit","author":"=keichi","date":"2013-11-13 "},{"name":"binary-protocol","description":"Easy, fast, writers and readers for implementing custom binary protocols.","url":null,"keywords":"binary protocol binary protocol binary stream","version":"0.0.0","words":"binary-protocol easy, fast, writers and readers for implementing custom binary protocols. =codemix binary protocol binary protocol binary stream","author":"=codemix","date":"2014-07-30 "},{"name":"binary-reader","description":"Buffered binary reader with a fluent api","url":null,"keywords":"buffer reader binary file seek","version":"0.1.2","words":"binary-reader buffered binary reader with a fluent api =gagle buffer reader binary file seek","author":"=gagle","date":"2014-02-07 "},{"name":"binary-search","description":"tiny binary search function with comparators","url":null,"keywords":"","version":"1.2.0","words":"binary-search tiny binary search function with comparators =darkskyapp","author":"=darkskyapp","date":"2014-04-14 "},{"name":"binary-search-bounds","description":"Better binary searching","url":null,"keywords":"binary search bounds least lower greatest upper","version":"1.0.0","words":"binary-search-bounds better binary searching =mikolalysenko binary search bounds least lower greatest upper","author":"=mikolalysenko","date":"2014-04-24 "},{"name":"binary-search-party","description":"Asynchronous binary search","url":null,"keywords":"","version":"1.0.0","words":"binary-search-party asynchronous binary search =forbeslindesay","author":"=forbeslindesay","date":"2013-08-22 "},{"name":"binary-search-tree","description":"Different binary search tree implementations, including a self-balancing one (AVL)","url":null,"keywords":"AVL tree binary search tree self-balancing AVL tree","version":"0.2.4","words":"binary-search-tree different binary search tree implementations, including a self-balancing one (avl) =louischatriot avl tree binary search tree self-balancing avl tree","author":"=louischatriot","date":"2014-08-17 "},{"name":"binary-search-tree-adt","description":"Binary Search Tree ADT for browser and nodejs","url":null,"keywords":"binarytree binarysearchtree adt datatype abstractdatatype","version":"0.0.1","words":"binary-search-tree-adt binary search tree adt for browser and nodejs =pasangsherpa binarytree binarysearchtree adt datatype abstractdatatype","author":"=pasangsherpa","date":"2014-08-27 "},{"name":"binary-split","description":"a fast newline (or any delimiter) splitter stream - like require('split') but faster","url":null,"keywords":"","version":"0.1.2","words":"binary-split a fast newline (or any delimiter) splitter stream - like require('split') but faster =maxogden","author":"=maxogden","date":"2014-02-21 "},{"name":"binary-stream","description":"A stream of binary values separated by a fixed length header containing the chunk size","url":null,"keywords":"binary stream chunks","version":"0.0.1","words":"binary-stream a stream of binary values separated by a fixed length header containing the chunk size =aaaristo binary stream chunks","author":"=aaaristo","date":"2014-08-21 "},{"name":"binary-string","description":"Binary string because binary encoding still has its uses.","url":null,"keywords":"string binary encoding","version":"1.0.0","words":"binary-string binary string because binary encoding still has its uses. =glitchmr string binary encoding","author":"=glitchmr","date":"2013-04-27 "},{"name":"binary-struct","description":"Pack/unpack binary structures","url":null,"keywords":"","version":"0.1.7","words":"binary-struct pack/unpack binary structures =morhaus","author":"=morhaus","date":"2013-12-26 "},{"name":"binary-support.jsx","description":"Binary support checking utility for JSX","url":null,"keywords":"jsx lib","version":"0.2.0","words":"binary-support.jsx binary support checking utility for jsx =shibu jsx lib","author":"=shibu","date":"2013-11-08 "},{"name":"binary-tree","description":"Methods for working with binary search tree. Support for duplication.","url":null,"keywords":"","version":"0.2.0","words":"binary-tree methods for working with binary search tree. support for duplication. =vancivelik","author":"=vancivelik","date":"2014-04-03 "},{"name":"binary-tree-adt","keywords":"","version":[],"words":"binary-tree-adt","author":"","date":"2014-08-25 "},{"name":"binary-tree-ram","description":"BinaryTree library build for use in RAM.","url":null,"keywords":"","version":"0.1.0","words":"binary-tree-ram binarytree library build for use in ram. =isglazunov","author":"=isglazunov","date":"2013-08-09 "},{"name":"binary-types","description":"helpers for binary-parser","url":null,"keywords":"binary parser reader read bytes","version":"2.1.0","words":"binary-types helpers for binary-parser =nathan7 binary parser reader read bytes","author":"=nathan7","date":"2014-06-01 "},{"name":"binary-values","description":"Binary Values","url":null,"keywords":"binary-values","version":"0.1.1","words":"binary-values binary values =ryanzec binary-values","author":"=ryanzec","date":"2014-04-25 "},{"name":"binary-xhr","description":"make binary XHR GETs in modern browsers","url":null,"keywords":"","version":"0.0.2","words":"binary-xhr make binary xhr gets in modern browsers =maxogden","author":"=maxogden","date":"2014-01-30 "},{"name":"binary_emitter","description":"Turn binary data streams into event emitters","url":null,"keywords":"","version":"0.0.0","words":"binary_emitter turn binary data streams into event emitters =arextar","author":"=arextar","date":"2013-02-11 "},{"name":"binarybeast","description":"BinaryBeast API Modules","url":null,"keywords":"","version":"0.1.3","words":"binarybeast binarybeast api modules =binarybeast","author":"=binarybeast","date":"2012-02-17 "},{"name":"binaryextensions","description":"A package that contains an array of every single file extension there is for binary files","url":null,"keywords":"a b c","version":"1.0.0","words":"binaryextensions a package that contains an array of every single file extension there is for binary files =balupton a b c","author":"=balupton","date":"2013-12-10 "},{"name":"binaryheap","description":"A simple binary heap","url":null,"keywords":"balanced binary heap minheap maxheap","version":"0.0.3","words":"binaryheap a simple binary heap =tjfontaine balanced binary heap minheap maxheap","author":"=tjfontaine","date":"2013-03-24 "},{"name":"binaryheap-resizable","description":"binary heap implemented over a resizable array with multiple ways of handling predicates","url":null,"keywords":"binary heap predicate tree resizable binary heap","version":"1.0.0","words":"binaryheap-resizable binary heap implemented over a resizable array with multiple ways of handling predicates =rsalesc binary heap predicate tree resizable binary heap","author":"=rsalesc","date":"2014-08-29 "},{"name":"binaryheapx","description":"JavaScript Implementation of the Binary Heap.","url":null,"keywords":"BinaryHeap heap sort","version":"0.1.1","words":"binaryheapx javascript implementation of the binary heap. =xudafeng binaryheap heap sort","author":"=xudafeng","date":"2014-09-17 "},{"name":"binaryjs","description":"Binary realtime streaming made easy","url":null,"keywords":"","version":"0.2.1","words":"binaryjs binary realtime streaming made easy =ericz","author":"=ericz","date":"2014-03-07 "},{"name":"binarypack","description":"BinaryPack is a JSON-like binary serialization format","url":null,"keywords":"","version":"0.0.4","words":"binarypack binarypack is a json-like binary serialization format =ericz","author":"=ericz","date":"2013-04-03 "},{"name":"binaryparser","description":"Library for parsing binary data","url":null,"keywords":"binary parser bits","version":"0.2.0","words":"binaryparser library for parsing binary data =codeboost binary parser bits","author":"=codeboost","date":"2012-01-20 "},{"name":"binarypoint","description":"Write and read seperated binary messages","url":null,"keywords":"binary byte message split stream","version":"0.3.0","words":"binarypoint write and read seperated binary messages =andreasmadsen binary byte message split stream","author":"=andreasmadsen","date":"2013-10-06 "},{"name":"binarySearch","description":"An addon to node.js that provides a binary search function that runs in native C++.","url":null,"keywords":"","version":"0.0.3","words":"binarysearch an addon to node.js that provides a binary search function that runs in native c++. =bnoguchi","author":"=bnoguchi","date":"2011-04-15 "},{"name":"binarysearch","description":"pure js binary search for sorted javascript arrays||array like objects. returns any || last || first || closest matched key for value, or slice between 2 values where values need not exist.","url":null,"keywords":"","version":"0.2.4","words":"binarysearch pure js binary search for sorted javascript arrays||array like objects. returns any || last || first || closest matched key for value, or slice between 2 values where values need not exist. =soldair","author":"=soldair","date":"2013-11-12 "},{"name":"binascii","description":"Port of binascii library from Python","url":null,"keywords":"","version":"0.0.1","words":"binascii port of binascii library from python =michalbe","author":"=michalbe","date":"2014-08-05 "},{"name":"bincan","description":"Launch all your bins in a tincan","url":null,"keywords":"bin exec child_process spawn","version":"0.0.1","words":"bincan launch all your bins in a tincan =seanmonstar bin exec child_process spawn","author":"=seanmonstar","date":"2014-07-23 "},{"name":"bind","description":"A simple templating engine that smiles back","url":null,"keywords":"template engine bind","version":"0.1.7","words":"bind a simple templating engine that smiles back =xavi template engine bind","author":"=xavi","date":"2013-01-31 "},{"name":"bind-all","description":"Create singletons from objects.","url":null,"keywords":"","version":"0.0.2","words":"bind-all create singletons from objects. =segmentio","author":"=segmentio","date":"2013-10-08 "},{"name":"bind-all-component","description":"Component for creating singletons from objects","url":null,"keywords":"","version":"0.0.1","words":"bind-all-component component for creating singletons from objects =segmentio","author":"=segmentio","date":"2013-06-07 "},{"name":"bind-component","description":"Function binding utility.","url":null,"keywords":"","version":"0.0.1","words":"bind-component function binding utility. =rauchg","author":"=rauchg","date":"2013-02-26 "},{"name":"bind-data-to-geojson","description":"Bind data (JSON or CSV) to GeoJSON","url":null,"keywords":"","version":"0.0.3","words":"bind-data-to-geojson bind data (json or csv) to geojson =gabrielflorit","author":"=gabrielflorit","date":"2013-09-01 "},{"name":"bind-integer","description":"bind a value between a min and a max","url":null,"keywords":"integer bind math min max","version":"1.0.0","words":"bind-integer bind a value between a min and a max =jongleberry integer bind math min max","author":"=jongleberry","date":"2014-07-25 "},{"name":"bind-key","description":"Library To Bind Keyboard Events","url":null,"keywords":"dom keyboard event","version":"0.0.0","words":"bind-key library to bind keyboard events =azer dom keyboard event","author":"=azer","date":"2013-09-14 "},{"name":"bind-operator","description":"Transpiler for http://wiki.ecmascript.org/doku.php?id=strawman:bind_operator","url":null,"keywords":"","version":"1.0.0","words":"bind-operator transpiler for http://wiki.ecmascript.org/doku.php?id=strawman:bind_operator =forbeslindesay","author":"=forbeslindesay","date":"2014-09-07 "},{"name":"bind-right","description":"Bind function arguments from the right","url":null,"keywords":"bind function right bind right bind arguments arguments","version":"0.6.0","words":"bind-right bind function arguments from the right =tjmehta bind function right bind right bind arguments arguments","author":"=tjmehta","date":"2014-05-03 "},{"name":"bind-this","description":"Function scope binding with partial application.","url":null,"keywords":"","version":"0.0.3","words":"bind-this function scope binding with partial application. =st3redstripe","author":"=st3redstripe","date":"2013-07-02 "},{"name":"bind-transforms","description":"Bind models properties to properly prefixed CSS transforms in backbone/humanjs views.","url":null,"keywords":"humanjs backbone views binding transforms","version":"1.2.1","words":"bind-transforms bind models properties to properly prefixed css transforms in backbone/humanjs views. =henrikjoreteg humanjs backbone views binding transforms","author":"=henrikjoreteg","date":"2014-08-17 "},{"name":"bind-unit","description":"脳汁出る","url":null,"keywords":"","version":"0.1.0","words":"bind-unit 脳汁出る =koba789","author":"=koba789","date":"2013-01-09 "},{"name":"bind.js","description":"Simple data binding for callbacks & HTML (also node.js compatible).","url":null,"keywords":"","version":"0.0.2","words":"bind.js simple data binding for callbacks & html (also node.js compatible). =remy","author":"=remy","date":"2013-09-05 "},{"name":"bindable","description":"bindable.js ===========","url":null,"keywords":"","version":"0.5.47","words":"bindable bindable.js =========== =architectd","author":"=architectd","date":"2014-08-27 "},{"name":"bindable-call","description":"Makes it easy to bind asynchronous function calls.","url":null,"keywords":"mojo-plugin utility","version":"0.1.6","words":"bindable-call makes it easy to bind asynchronous function calls. =architectd mojo-plugin utility","author":"=architectd","date":"2014-06-27 "},{"name":"bindable-decor","description":"```coffeescript decor = require(\"bindable-decor\") bindable = require(\"bindable\") factory = decor.factory()","url":null,"keywords":"","version":"0.1.6","words":"bindable-decor ```coffeescript decor = require(\"bindable-decor\") bindable = require(\"bindable\") factory = decor.factory() =architectd","author":"=architectd","date":"2014-01-29 "},{"name":"bindable-decor-bindings","description":"bindable-decor-bindings =======================","url":null,"keywords":"","version":"0.1.8","words":"bindable-decor-bindings bindable-decor-bindings ======================= =architectd","author":"=architectd","date":"2014-08-05 "},{"name":"bindable-model","description":"Models:","url":null,"keywords":"","version":"0.1.24","words":"bindable-model models: =architectd","author":"=architectd","date":"2014-06-27 "},{"name":"bindable-schema","description":"```javascript","url":null,"keywords":"","version":"0.1.2","words":"bindable-schema ```javascript =architectd","author":"=architectd","date":"2014-07-24 "},{"name":"bindable-wrap","description":"bindable-wrap =============","url":null,"keywords":"","version":"0.0.0","words":"bindable-wrap bindable-wrap ============= =architectd","author":"=architectd","date":"2014-02-28 "},{"name":"bindAll","description":"bind all the functions to an object","url":null,"keywords":"","version":"1.0.0","words":"bindall bind all the functions to an object =raynos","author":"=raynos","date":"2012-05-23 "},{"name":"bindall-standalone","description":"Standalone version of underscore's `_.bindAll()` function for IE9+ browsers.","url":null,"keywords":"bind bindAll context call apply","version":"1.0.4","words":"bindall-standalone standalone version of underscore's `_.bindall()` function for ie9+ browsers. =ayamflow bind bindall context call apply","author":"=ayamflow","date":"2014-05-13 "},{"name":"bindata","description":"A structured and understandable way to read/write binary data in Javascript. Inspired by Ruby BinData.","url":null,"keywords":"bindata binary file read write parse","version":"0.0.2","words":"bindata a structured and understandable way to read/write binary data in javascript. inspired by ruby bindata. =meltingice bindata binary file read write parse","author":"=meltingice","date":"2012-04-05 "},{"name":"bindbook","description":"Compile Chapter/Article Filestructure all into one.","url":null,"keywords":"book bind markdown chapter article compile docs","version":"0.1.1","words":"bindbook compile chapter/article filestructure all into one. =bencevans book bind markdown chapter article compile docs","author":"=bencevans","date":"2012-11-04 "},{"name":"binded.js","keywords":"","version":[],"words":"binded.js","author":"","date":"2014-04-09 "},{"name":"binder","description":"Creates objects and binds abilities together with verbs","url":null,"keywords":"","version":"0.3.1","words":"binder creates objects and binds abilities together with verbs =rodnaph","author":"=rodnaph","date":"2011-10-15 "},{"name":"binder-js","description":"Library for rule based recursive parsing","url":null,"keywords":"","version":"0.5.1","words":"binder-js library for rule based recursive parsing =rur","author":"=rur","date":"2014-09-14 "},{"name":"binders","description":"binders creates binders full of bound methods","url":null,"keywords":"binders bind bound method","version":"0.1.5","words":"binders binders creates binders full of bound methods =dfellis binders bind bound method","author":"=dfellis","date":"2013-07-19 "},{"name":"bindify","description":"Parameter binding for your functions","url":null,"keywords":"","version":"0.0.3","words":"bindify parameter binding for your functions =yorick","author":"=yorick","date":"2011-12-27 "},{"name":"binding","description":"Create your own DOM bindings","url":null,"keywords":"binding dom reactive","version":"0.0.0","words":"binding create your own dom bindings =azer binding dom reactive","author":"=azer","date":"2014-02-03 "},{"name":"bindingjs","description":"This project is used to demonstrate how you should write a module in SPEAK","url":null,"keywords":"","version":"0.0.6","words":"bindingjs this project is used to demonstrate how you should write a module in speak =dervalp","author":"=dervalp","date":"2013-12-03 "},{"name":"bindings","description":"Helper module for loading your native module's .node file","url":null,"keywords":"native addon bindings gyp waf c c++","version":"1.2.1","words":"bindings helper module for loading your native module's .node file =tootallnate =tootallnate native addon bindings gyp waf c c++","author":"=TooTallNate =tootallnate","date":"2014-06-28 "},{"name":"bindings-shyp","description":"Helper module for loading your native module's .node file","url":null,"keywords":"native addon bindings gyp waf c c++ shyp","version":"0.2.3","words":"bindings-shyp helper module for loading your native module's .node file =tcr native addon bindings gyp waf c c++ shyp","author":"=tcr","date":"2014-02-24 "},{"name":"bindjs","description":"Function.prototype.bind() extension","url":null,"keywords":"Function Functional","version":"1.0.0","words":"bindjs function.prototype.bind() extension =suckgamoni function functional","author":"=suckgamoni","date":"2013-06-18 "},{"name":"bindle","description":"A lightweight EventEmitter-like API for JavaScript classes, best suited for games.","url":null,"keywords":"component game instance class prototype mixin event trigger game","version":"0.0.0","words":"bindle a lightweight eventemitter-like api for javascript classes, best suited for games. =hughsk component game instance class prototype mixin event trigger game","author":"=hughsk","date":"2013-08-03 "},{"name":"bindlestiff","description":"A light entity/component system for building JavaScript games","url":null,"keywords":"game entity base engine manager mixin component","version":"0.1.0","words":"bindlestiff a light entity/component system for building javascript games =hughsk game entity base engine manager mixin component","author":"=hughsk","date":"2013-08-24 "},{"name":"bindpolyfill","description":"Install it","url":null,"keywords":"","version":"0.0.0","words":"bindpolyfill install it =kahnjw","author":"=kahnjw","date":"2014-06-10 "},{"name":"bindr","description":"A small JavaScript dependency injection framework.","url":null,"keywords":"JavaScript dependency injection dependency injection","version":"0.0.1","words":"bindr a small javascript dependency injection framework. =jcreamer javascript dependency injection dependency injection","author":"=jcreamer","date":"2013-07-27 "},{"name":"bindshim","description":"Simple shim to fill in missing Function.prototype.bind","url":null,"keywords":"bind browser shim","version":"0.0.1","words":"bindshim simple shim to fill in missing function.prototype.bind =nimoy bind browser shim","author":"=nimoy","date":"2014-01-07 "},{"name":"binery","description":"Deliver all assets as a single javascript binary","url":null,"keywords":"","version":"0.0.1","words":"binery deliver all assets as a single javascript binary =mattmueller","author":"=mattmueller","date":"2013-11-22 "},{"name":"binfix","description":"Format big numbers","url":null,"keywords":"","version":"0.0.1","words":"binfix format big numbers =mcandre","author":"=mcandre","date":"2012-01-22 "},{"name":"binford-config","description":"Read only config module that pulls together optimist with json and yaml file parsing","url":null,"keywords":"binford config optimist yaml","version":"0.0.1","words":"binford-config read only config module that pulls together optimist with json and yaml file parsing =ivanplenty binford config optimist yaml","author":"=ivanplenty","date":"2013-12-08 "},{"name":"binford-err","description":"Not so strongly typed error","url":null,"keywords":"binford error err","version":"0.0.1","words":"binford-err not so strongly typed error =ivanplenty binford error err","author":"=ivanplenty","date":"2013-12-08 "},{"name":"binford-logger","description":"A bare-bones log4j-like logger","url":null,"keywords":"binford log logger logging log4j slf4j","version":"0.0.3","words":"binford-logger a bare-bones log4j-like logger =ivanplenty binford log logger logging log4j slf4j","author":"=ivanplenty","date":"2013-12-13 "},{"name":"binford-slf4j","description":"SLF4J-like adapter for JavaScript","url":null,"keywords":"binford log logger logging log4j slf4j","version":"0.0.1","words":"binford-slf4j slf4j-like adapter for javascript =ivanplenty binford log logger logging log4j slf4j","author":"=ivanplenty","date":"2013-12-08 "},{"name":"binford-slf4j-adapter","description":"Wraps many excellent loggers so they are suitable for binford-slf4j","url":null,"keywords":"binford log4js log4j slf4j","version":"0.0.1","words":"binford-slf4j-adapter wraps many excellent loggers so they are suitable for binford-slf4j =ivanplenty binford log4js log4j slf4j","author":"=ivanplenty","date":"2013-12-08 "},{"name":"bing","description":"A library for making requests to Bing web services.","url":null,"keywords":"","version":"0.1.0","words":"bing a library for making requests to bing web services. =jwalgran","author":"=jwalgran","date":"2014-04-22 "},{"name":"bing-api","description":"A library for the Bing Search APIs","url":null,"keywords":"","version":"0.0.1","words":"bing-api a library for the bing search apis =sujal","author":"=sujal","date":"2011-11-04 "},{"name":"bing-geocoder","description":"Really simple module that encapsulates calls to the Bing geocoder, and handles errors","url":null,"keywords":"bing geocoding api","version":"0.3.0","words":"bing-geocoder really simple module that encapsulates calls to the bing geocoder, and handles errors =demands bing geocoding api","author":"=demands","date":"2013-12-16 "},{"name":"bing-image","description":"get bing.com's daily picture's url","url":null,"keywords":"bing picture wallpaper","version":"0.1.0","words":"bing-image get bing.com's daily picture's url =lisposter bing picture wallpaper","author":"=lisposter","date":"2014-08-25 "},{"name":"bing-search","description":"Search content with Bing","url":null,"keywords":"","version":"0.0.1","words":"bing-search search content with bing =bitliner","author":"=bitliner","date":"2013-10-12 "},{"name":"bing-translate","description":"Bing Translator module for node.js","url":null,"keywords":"microsoft bing translator translate","version":"0.0.1","words":"bing-translate bing translator module for node.js =alexu84 microsoft bing translator translate","author":"=alexu84","date":"2014-01-16 "},{"name":"bing-user","keywords":"","version":[],"words":"bing-user","author":"","date":"2014-05-05 "},{"name":"bing_abstract","description":"extract results from bing","url":null,"keywords":"","version":"0.0.4","words":"bing_abstract extract results from bing =taky","author":"=taky","date":"2013-10-23 "},{"name":"bingecaching","description":"bingecaching","url":null,"keywords":"","version":"1.2.4","words":"bingecaching bingecaching =26medias","author":"=26medias","date":"2014-03-22 "},{"name":"binger","description":"A library for the Bing Search APIs","url":null,"keywords":"","version":"0.1.1","words":"binger a library for the bing search apis =thinkphp","author":"=thinkphp","date":"2013-04-25 "},{"name":"bingo","description":"Test function calls.","url":null,"keywords":"","version":"0.2.0","words":"bingo test function calls. =rumpl","author":"=rumpl","date":"2012-06-14 "},{"name":"bingoevent","description":"eventProxy","url":null,"keywords":"eventproxy","version":"1.0.0","words":"bingoevent eventproxy =bingowarden eventproxy","author":"=bingowarden","date":"2012-12-07 "},{"name":"bingtranslator","description":"Node.js API for the Bing Translator","url":null,"keywords":"Bing Translator Translation","version":"0.0.7","words":"bingtranslator node.js api for the bing translator =mattpodwysocki bing translator translation","author":"=mattpodwysocki","date":"2014-08-17 "},{"name":"BinHeap","description":"Sample BinHeap","url":null,"keywords":"","version":"0.0.1-3","words":"binheap sample binheap =siyegen","author":"=siyegen","date":"2012-01-04 "},{"name":"binify","description":"Compile and distribute your node apps as a single binary","url":null,"keywords":"binary compile","version":"0.0.1","words":"binify compile and distribute your node apps as a single binary =mattinsler binary compile","author":"=mattinsler","date":"2013-10-02 "},{"name":"binions","description":"A Javascript Poker game engine","url":null,"keywords":"poker tournament pokerbot poker poker engine texas hold'em","version":"0.6.5","words":"binions a javascript poker game engine =mdp poker tournament pokerbot poker poker engine texas hold'em","author":"=mdp","date":"2013-06-21 "},{"name":"binnng","description":"An introduction of myself.","url":null,"keywords":"binnng","version":"1.0.0","words":"binnng an introduction of myself. =binnng binnng","author":"=binnng","date":"2014-08-18 "},{"name":"binny","description":"Packs arrays to blobs","url":null,"keywords":"binary array packing","version":"1.1.0","words":"binny packs arrays to blobs =x25 binary array packing","author":"=x25","date":"2014-07-21 "},{"name":"binomial","description":"A simple binomial coefficient generator with memoization.","url":null,"keywords":"binomial math coefficient choose","version":"0.2.0","words":"binomial a simple binomial coefficient generator with memoization. =pb binomial math coefficient choose","author":"=pb","date":"2013-12-09 "},{"name":"binomial-hash-list","description":"hash timestamped objects into increasingly larger groups","url":null,"keywords":"","version":"4.1.4","words":"binomial-hash-list hash timestamped objects into increasingly larger groups =dominictarr","author":"=dominictarr","date":"2014-04-29 "},{"name":"binomial-sampling","description":"Sampling algorithm from binomial distribution","url":null,"keywords":"","version":"0.0.3","words":"binomial-sampling sampling algorithm from binomial distribution =lewuathe","author":"=lewuathe","date":"2014-01-30 "},{"name":"binpack","description":"Minimalist numeric binary packing utilities for node.js","url":null,"keywords":"binary pack unpack","version":"0.1.0","words":"binpack minimalist numeric binary packing utilities for node.js =ghostfact binary pack unpack","author":"=ghostfact","date":"2014-02-19 "},{"name":"binpack.js","description":"The Javascript implementation of binpack","url":null,"keywords":"binpack.js binpack","version":"0.0.0","words":"binpack.js the javascript implementation of binpack =fengmk2 binpack.js binpack","author":"=fengmk2","date":"2014-04-03 "},{"name":"binpacking","description":"binary tree based bin packing algorithm","url":null,"keywords":"bin packing 2d geometry css-sprites","version":"0.0.1","words":"binpacking binary tree based bin packing algorithm =jsmarkus bin packing 2d geometry css-sprites","author":"=jsmarkus","date":"2012-02-27 "},{"name":"binpath","description":"Returns the executable path of a local npm module.","url":null,"keywords":"local npm module bin executable command line","version":"0.2.2","words":"binpath returns the executable path of a local npm module. =raine local npm module bin executable command line","author":"=raine","date":"2014-05-19 "},{"name":"binrpc","description":"HomeMatic binary RPC protocol - xmlrpc_bin://","url":null,"keywords":"Smarthome Home Automation HomeMatic binrpc xmlrpc_bin CUxD Homegear Busware cul coc culfw FS20 MAX! EnOcean FHT","version":"0.0.1","words":"binrpc homematic binary rpc protocol - xmlrpc_bin:// =hobbyquaker smarthome home automation homematic binrpc xmlrpc_bin cuxd homegear busware cul coc culfw fs20 max! enocean fht","author":"=hobbyquaker","date":"2014-09-20 "},{"name":"binsearch","description":"Perform a bin search over a 1d edge vector","url":null,"keywords":"binning histogram search binary search","version":"0.0.0","words":"binsearch perform a bin search over a 1d edge vector =kgryte binning histogram search binary search","author":"=kgryte","date":"2014-06-23 "},{"name":"binser","description":"A binary serializer and deserializer with tools to read and write objects to buffers.","url":null,"keywords":"binary serializer deserializer bits scary","version":"0.9.8","words":"binser a binary serializer and deserializer with tools to read and write objects to buffers. =nercury binary serializer deserializer bits scary","author":"=nercury","date":"2014-06-16 "},{"name":"binsock","description":"binsock =======","url":null,"keywords":"","version":"0.1.0","words":"binsock binsock ======= =aantthony","author":"=aantthony","date":"2014-01-19 "},{"name":"binson","description":"Binary JavaScript Object Notation","url":null,"keywords":"","version":"0.0.2","words":"binson binary javascript object notation =tellnes","author":"=tellnes","date":"2012-07-12 "},{"name":"binstring","description":"Convert binary data to and from various string representations","url":null,"keywords":"string strings convert hex bytes","version":"0.2.1","words":"binstring convert binary data to and from various string representations =midnightlightning =jp =sidazhang =nadav string strings convert hex bytes","author":"=midnightlightning =jp =sidazhang =nadav","date":"2014-04-28 "},{"name":"binstruct","description":"Read/write binary data structures to/from buffers.","url":null,"keywords":"binary bin buffers struct unpack pack serialization","version":"0.2.0","words":"binstruct read/write binary data structures to/from buffers. =dobesv binary bin buffers struct unpack pack serialization","author":"=dobesv","date":"2011-12-20 "},{"name":"bintail","description":"Like tail -f, but binary-safe!","url":null,"keywords":"tail file follow stream infinite retry","version":"0.0.1","words":"bintail like tail -f, but binary-safe! =deoxxa tail file follow stream infinite retry","author":"=deoxxa","date":"2013-07-24 "},{"name":"bintray","description":"CLI and Node.js client for Bintray","url":null,"keywords":"bintray rest client package management repository jfrog rpm maven packages","version":"0.1.0","words":"bintray cli and node.js client for bintray =h2non bintray rest client package management repository jfrog rpm maven packages","author":"=h2non","date":"2013-09-15 "},{"name":"bintrees","description":"Binary Search Trees","url":null,"keywords":"binary tree red black tree red-black tree redblack tree","version":"1.0.0","words":"bintrees binary search trees =vadimg binary tree red black tree red-black tree redblack tree","author":"=vadimg","date":"2013-04-27 "},{"name":"binutils","description":"A .NET-like BinaryReader and BinaryWriter with endianness support.","url":null,"keywords":"","version":"0.1.0","words":"binutils a .net-like binaryreader and binarywriter with endianness support. =orfeasz","author":"=orfeasz","date":"2013-03-23 "},{"name":"binutils-hiperf","description":"A high performance version of node-binutils.","url":null,"keywords":"","version":"0.1.0","words":"binutils-hiperf a high performance version of node-binutils. =orfeasz","author":"=orfeasz","date":"2013-05-12 "},{"name":"bio","description":"JavaScript library for bioinformatics","url":null,"keywords":"","version":"0.0.0","words":"bio javascript library for bioinformatics =onirame =enricomarino","author":"=onirame =enricomarino","date":"2013-07-24 "},{"name":"biodome","description":"Home automation you can live with","url":null,"keywords":"gpio owfs 1wire automation","version":"0.0.2","words":"biodome home automation you can live with =andrewk gpio owfs 1wire automation","author":"=andrewk","date":"2014-01-11 "},{"name":"biography","keywords":"","version":[],"words":"biography","author":"","date":"2014-04-05 "},{"name":"biohacker","description":"A nodeschool workshop for learning how to use bionode for bioinformatics","url":null,"keywords":"bio biology bioinformatics bionode streams cli science tutorial","version":"1.0.0","words":"biohacker a nodeschool workshop for learning how to use bionode for bioinformatics =bmpvieira bio biology bioinformatics bionode streams cli science tutorial","author":"=bmpvieira","date":"2014-09-15 "},{"name":"biojs-alg-seqregion","description":"Object and function to deals with a sequence region (reg:start-end)","url":null,"keywords":"biojs sequence algorithim region samtools","version":"0.1.0","words":"biojs-alg-seqregion object and function to deals with a sequence region (reg:start-end) =homonecloco biojs sequence algorithim region samtools","author":"=homonecloco","date":"2014-09-18 "},{"name":"biojs-events","description":"BioJS event system","url":null,"keywords":"biojs event","version":"0.0.4","words":"biojs-events biojs event system =greenify biojs event","author":"=greenify","date":"2014-08-13 "},{"name":"biojs-io-annots","description":"Parser for annotation files","url":null,"keywords":"biojs parser annotations","version":"0.0.2","words":"biojs-io-annots parser for annotation files =greenify biojs parser annotations","author":"=greenify","date":"2014-09-16 "},{"name":"biojs-io-clustal","description":"Parses clustal files","url":null,"keywords":"bio clustal","version":"0.0.7","words":"biojs-io-clustal parses clustal files =greenify bio clustal","author":"=greenify","date":"2014-08-15 "},{"name":"biojs-io-fasta","description":"Parses FASTA files","url":null,"keywords":"bio fasta sequence","version":"0.0.9","words":"biojs-io-fasta parses fasta files =greenify bio fasta sequence","author":"=greenify","date":"2014-08-15 "},{"name":"biojs-io-gff","description":"A GFF (general feature format) parser","url":null,"keywords":"biojs io gff parser feature","version":"0.0.1","words":"biojs-io-gff a gff (general feature format) parser =greenify biojs io gff parser feature","author":"=greenify","date":"2014-09-16 "},{"name":"biojs-io-graduates","description":"Graduate parser for BioJS","url":null,"keywords":"biojs, tutorial","version":"0.0.3","words":"biojs-io-graduates graduate parser for biojs =greenify =ddao biojs, tutorial","author":"=greenify =ddao","date":"2014-08-29 "},{"name":"biojs-io-jsdas","keywords":"","version":[],"words":"biojs-io-jsdas","author":"","date":"2014-08-13 "},{"name":"biojs-io-mitab","description":"MITab Parser","url":null,"keywords":"biojs mitab psicquic","version":"0.0.1","words":"biojs-io-mitab mitab parser =secevalliv biojs mitab psicquic","author":"=secevalliv","date":"2014-09-10 "},{"name":"biojs-io-newick","description":"Parses newick strings(nwk) and extended newick strings(nhx) into JSON ","url":null,"keywords":"biojs, parser, newick, extended newick","version":"0.0.4","words":"biojs-io-newick parses newick strings(nwk) and extended newick strings(nhx) into json =ddao biojs, parser, newick, extended newick","author":"=ddao","date":"2014-08-15 "},{"name":"biojs-io-sam","description":"SAM format parser, with the hability to retrive regions from a ws","url":null,"keywords":"biojs io sam bioinformatics","version":"0.1.0","words":"biojs-io-sam sam format parser, with the hability to retrive regions from a ws =homonecloco biojs io sam bioinformatics","author":"=homonecloco","date":"2014-09-18 "},{"name":"biojs-io-snipspector","description":"A simple snippet parser","url":null,"keywords":"biojs, snippets","version":"0.0.4","words":"biojs-io-snipspector a simple snippet parser =greenify =ddao biojs, snippets","author":"=greenify =ddao","date":"2014-09-01 "},{"name":"biojs-io-tagcomponent","description":"This component is looking for information in a datasource, based on given tags on a webpage. The aim is, to parse extra information on webpages, based on the datasource and the given tags","url":null,"keywords":"","version":"0.1.2","words":"biojs-io-tagcomponent this component is looking for information in a datasource, based on given tags on a webpage. the aim is, to parse extra information on webpages, based on the datasource and the given tags =tschaka1904","author":"=tschaka1904","date":"2014-09-17 "},{"name":"biojs-io-wig","description":"parse wig","url":null,"keywords":"wig","version":"0.1.0","words":"biojs-io-wig parse wig =anilthanki wig","author":"=anilthanki","date":"2014-09-18 "},{"name":"biojs-legacy","description":"This is a legacy for old BioJS 0.1 components. DO NOT USE!","url":null,"keywords":"bio models legacy","version":"0.0.2","words":"biojs-legacy this is a legacy for old biojs 0.1 components. do not use! =greenify bio models legacy","author":"=greenify","date":"2014-08-06 "},{"name":"biojs-meta-parser","description":"Meta packages for bio parser","url":null,"keywords":"biojs, meta","version":"0.0.1","words":"biojs-meta-parser meta packages for bio parser =greenify biojs, meta","author":"=greenify","date":"2014-08-29 "},{"name":"biojs-meta-vis","description":"Meta packages for biojs visulizations ","url":null,"keywords":"biojs, meta","version":"0.0.1","words":"biojs-meta-vis meta packages for biojs visulizations =greenify biojs, meta","author":"=greenify","date":"2014-08-29 "},{"name":"biojs-model","description":"Biological data models","url":null,"keywords":"bio models","version":"0.0.4","words":"biojs-model biological data models =greenify bio models","author":"=greenify","date":"2014-08-11 "},{"name":"biojs-rest-ensembl","description":"rest api for ensembl","url":null,"keywords":"biojs, rest, ensembl","version":"0.0.1","words":"biojs-rest-ensembl rest api for ensembl =ddao biojs, rest, ensembl","author":"=ddao","date":"2014-08-08 "},{"name":"biojs-rest-jsdas","description":"Component to query DAS sources","url":null,"keywords":"bio, das, annotations","version":"0.0.4","words":"biojs-rest-jsdas component to query das sources =4ndr01d3 bio, das, annotations","author":"=4ndr01d3","date":"2014-08-13 "},{"name":"biojs-rest-psicquic","description":"JS PSICQUIC client","url":null,"keywords":"biojs molecular interactions PSICQUIC rest","version":"0.0.1","words":"biojs-rest-psicquic js psicquic client =secevalliv biojs molecular interactions psicquic rest","author":"=secevalliv","date":"2014-08-06 "},{"name":"biojs-sniper","description":"Renders snippets on demand","url":null,"keywords":"biojs sniper templates","version":"0.0.2","words":"biojs-sniper renders snippets on demand =greenify biojs sniper templates","author":"=greenify","date":"2014-09-14 "},{"name":"biojs-template","description":"A template for developing biojs2 components","url":null,"keywords":"biojs, tutorial","version":"0.0.1","words":"biojs-template a template for developing biojs2 components =greenify =ddao biojs, tutorial","author":"=greenify =ddao","date":"2014-08-28 "},{"name":"biojs-util-area_selector","description":"Component to select an area over a component","url":null,"keywords":"div area","version":"0.0.3","words":"biojs-util-area_selector component to select an area over a component =4ndr01d3 div area","author":"=4ndr01d3","date":"2014-08-14 "},{"name":"biojs-vis-chromosome","description":"Component to represent a chromosome with its bands","url":null,"keywords":"div chromosome bands","version":"0.0.1","words":"biojs-vis-chromosome component to represent a chromosome with its bands =4ndr01d3 div chromosome bands","author":"=4ndr01d3","date":"2014-08-13 "},{"name":"biojs-vis-circularnet","description":"A circular network component","url":null,"keywords":"BioJS vis network","version":"0.0.3","words":"biojs-vis-circularnet a circular network component =greenify biojs vis network","author":"=greenify","date":"2014-09-17 "},{"name":"biojs-vis-colorschemes","description":"Color schemes for residues","url":null,"keywords":"biojs color schemes","version":"1.0.2","words":"biojs-vis-colorschemes color schemes for residues =greenify biojs color schemes","author":"=greenify","date":"2014-09-16 "},{"name":"biojs-vis-easy_features","description":"Easy way to display features","url":null,"keywords":"bio features","version":"0.0.3","words":"biojs-vis-easy_features easy way to display features =greenify bio features","author":"=greenify","date":"2014-08-14 "},{"name":"biojs-vis-feature","description":"A Feature viewer","url":null,"keywords":"biojs visualization features","version":"0.0.3","words":"biojs-vis-feature a feature viewer =greenify =ljgarcia biojs visualization features","author":"=greenify =ljgarcia","date":"2014-09-17 "},{"name":"biojs-vis-msa","description":"Display multiple sequences","url":null,"keywords":"bio","version":"0.2.0","words":"biojs-vis-msa display multiple sequences =greenify bio","author":"=greenify","date":"2014-09-16 "},{"name":"biojs-vis-sequence","description":"Display sequence","url":null,"keywords":"bio sequence","version":"0.0.2","words":"biojs-vis-sequence display sequence =greenify =ljgarcia bio sequence","author":"=greenify =ljgarcia","date":"2014-08-15 "},{"name":"biojs-vis-tooltip","description":"A tooltip pop-up plugin for biojs","url":null,"keywords":"biojs, tooltips","version":"0.0.1","words":"biojs-vis-tooltip a tooltip pop-up plugin for biojs =ddao biojs, tooltips","author":"=ddao","date":"2014-08-17 "},{"name":"biology","keywords":"","version":[],"words":"biology","author":"","date":"2013-10-22 "},{"name":"biomass","description":"Generate bio data from sunlight and alphabets","url":null,"keywords":"bioinformatics genomics genetics dna util","version":"0.1.0","words":"biomass generate bio data from sunlight and alphabets =alanrice bioinformatics genomics genetics dna util","author":"=alanrice","date":"2014-08-08 "},{"name":"biomodels","description":"A lightweight wrapper around the Java API for the BioModels and Miriam Registry web services.","url":null,"keywords":"","version":"0.0.3","words":"biomodels a lightweight wrapper around the java api for the biomodels and miriam registry web services. =stanleygu","author":"=stanleygu","date":"2013-03-05 "},{"name":"bionic","keywords":"","version":[],"words":"bionic","author":"","date":"2014-03-30 "},{"name":"bionode","description":"A Node.js JavaScript library for client and server side bioinformatics","url":null,"keywords":"bio biology bioinformatics bionode genomics genetics dna streams util server client browser","version":"0.5.1","words":"bionode a node.js javascript library for client and server side bioinformatics =bmpvieira bio biology bioinformatics bionode genomics genetics dna streams util server client browser","author":"=bmpvieira","date":"2014-09-19 "},{"name":"bionode-bwa","description":"A Node.js wrapper for the Burrow-Wheeler Aligner (BWA).","url":null,"keywords":"bioinformatics aligner wrapper installer streams cli","version":"0.0.2","words":"bionode-bwa a node.js wrapper for the burrow-wheeler aligner (bwa). =bmpvieira bioinformatics aligner wrapper installer streams cli","author":"=bmpvieira","date":"2014-07-31 "},{"name":"bionode-fasta","description":"Streamable FASTA parser","url":null,"keywords":"bio biology bioinformatics bionode fasta parser streams cli science","version":"0.4.1","words":"bionode-fasta streamable fasta parser =bmpvieira bio biology bioinformatics bionode fasta parser streams cli science","author":"=bmpvieira","date":"2014-09-06 "},{"name":"bionode-ncbi","description":"Node.js module for working with the NCBI API (aka e-utils) using Streams.","url":null,"keywords":"bio bionode bioinformatics biology ncbi api streams client server cli","version":"0.7.0","words":"bionode-ncbi node.js module for working with the ncbi api (aka e-utils) using streams. =bmpvieira bio bionode bioinformatics biology ncbi api streams client server cli","author":"=bmpvieira","date":"2014-09-14 "},{"name":"bionode-seq","description":"Module for DNA, RNA and protein sequences manipulation","url":null,"keywords":"bioinformatics genomics genetics dna util server client browser","version":"0.1.1","words":"bionode-seq module for dna, rna and protein sequences manipulation =bmpvieira bioinformatics genomics genetics dna util server client browser","author":"=bmpvieira","date":"2014-09-02 "},{"name":"bionode-sra","description":"A Node.js wrapper for SRA Toolkit.","url":null,"keywords":"download ftp wrapper installer streams cli","version":"0.2.1","words":"bionode-sra a node.js wrapper for sra toolkit. =bmpvieira download ftp wrapper installer streams cli","author":"=bmpvieira","date":"2014-09-01 "},{"name":"bionode-template","description":"Template module to use as base for quickly creating bionode modules.","url":null,"keywords":"bio biology bioinformatics bionode template api streams client server cli","version":"0.0.4","words":"bionode-template template module to use as base for quickly creating bionode modules. =bmpvieira bio biology bioinformatics bionode template api streams client server cli","author":"=bmpvieira","date":"2014-08-15 "},{"name":"bios","description":"A basic input output system for nodejs","url":null,"keywords":"bios cli prompt io command-line node stdio","version":"0.0.0","words":"bios a basic input output system for nodejs =jayobeezy bios cli prompt io command-line node stdio","author":"=jayobeezy","date":"2013-09-05 "},{"name":"bioship","url":null,"keywords":"","version":"0.0.5","words":"bioship =blueneptune","author":"=blueneptune","date":"2014-07-07 "},{"name":"bioship.3d","url":null,"keywords":"","version":"1.0.1","words":"bioship.3d =blueneptune","author":"=blueneptune","date":"2014-09-09 "},{"name":"bioship.archive","description":"====== bioship ======","url":null,"keywords":"","version":"0.0.0","words":"bioship.archive ====== bioship ====== =blueneptune","author":"=blueneptune","date":"2014-07-06 "},{"name":"bioship.box","description":"SUCCESS: No README data found!","url":null,"keywords":"","version":"0.0.6","words":"bioship.box success: no readme data found! =blueneptune","author":"=blueneptune","date":"2014-07-07 "},{"name":"bioship.client","keywords":"","version":[],"words":"bioship.client","author":"","date":"2014-07-01 "},{"name":"bioship.core","url":null,"keywords":"","version":"1.0.0","words":"bioship.core =blueneptune","author":"=blueneptune","date":"2014-07-09 "},{"name":"bioship.engine","url":null,"keywords":"","version":"1.0.4","words":"bioship.engine =blueneptune","author":"=blueneptune","date":"2014-09-09 "},{"name":"bioship.node","description":"====== bioship ======","url":null,"keywords":"","version":"0.0.0","words":"bioship.node ====== bioship ====== =blueneptune","author":"=blueneptune","date":"2014-07-06 "},{"name":"bioship.plugins","url":null,"keywords":"","version":"1.0.2","words":"bioship.plugins =blueneptune","author":"=blueneptune","date":"2014-07-10 "},{"name":"bioship.satellite","description":"====== bioship ======","url":null,"keywords":"","version":"0.0.2","words":"bioship.satellite ====== bioship ====== =blueneptune","author":"=blueneptune","date":"2014-07-07 "},{"name":"bioship.sdk","url":null,"keywords":"","version":"0.0.1","words":"bioship.sdk =blueneptune","author":"=blueneptune","date":"2014-07-07 "},{"name":"bioship.tv","url":null,"keywords":"","version":"0.0.8","words":"bioship.tv =blueneptune","author":"=blueneptune","date":"2014-07-07 "},{"name":"bioship.www","url":null,"keywords":"","version":"1.0.4","words":"bioship.www =blueneptune","author":"=blueneptune","date":"2014-09-09 "},{"name":"biosys","description":"Returns information about your system.","url":null,"keywords":"information system biosys","version":"0.1.2","words":"biosys returns information about your system. =vitorbritto information system biosys","author":"=vitorbritto","date":"2014-05-03 "},{"name":"biotix","description":"A JavaScript class system","keywords":"","version":[],"words":"biotix a javascript class system =fac3","author":"=fac3","date":"2011-12-07 "},{"name":"bip","keywords":"","version":[],"words":"bip","author":"","date":"2013-09-02 "},{"name":"bip-pod","description":"Bipio's Pod bridge and testing spindle","url":null,"keywords":"bip bipio pod","version":"0.2.30","words":"bip-pod bipio's pod bridge and testing spindle =mjpearson =tuddman =alfonsogoberjr bip bipio pod","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-12 "},{"name":"bip-pod-alchemy","description":"AlchemyAPI Pod for Bipio","url":null,"keywords":"bip bipio pod alchemy","version":"0.0.7","words":"bip-pod-alchemy alchemyapi pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod alchemy","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-04 "},{"name":"bip-pod-bitly","description":"Bitly Pod for Bipio","url":null,"keywords":"bip bipio pod bitly","version":"0.0.8","words":"bip-pod-bitly bitly pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod bitly","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-09 "},{"name":"bip-pod-boilerplate","description":"Boilerplate Pod for Bipio","url":null,"keywords":"bip bipio pod boilerplate","version":"0.0.1","words":"bip-pod-boilerplate boilerplate pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod boilerplate","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-08-27 "},{"name":"bip-pod-crypto","description":"Crypto Pod for Bipio","url":null,"keywords":"bip bipio pod crypto","version":"0.0.3","words":"bip-pod-crypto crypto pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod crypto","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-09 "},{"name":"bip-pod-dns","description":"DNS Pod for Bipio","url":null,"keywords":"bip bipio pod dns","version":"0.0.6","words":"bip-pod-dns dns pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod dns","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-09 "},{"name":"bip-pod-dropbox","description":"Dropbox Pod for Bipio","url":null,"keywords":"bip bipio pod dropbox","version":"0.0.4","words":"bip-pod-dropbox dropbox pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod dropbox","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-email","description":"Email Pod for Bipio","url":null,"keywords":"bip bipio pod email","version":"0.1.5","words":"bip-pod-email email pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod email","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-12 "},{"name":"bip-pod-embedly","description":"Embedly Pod for Bipio","url":null,"keywords":"bip bipio pod embedly","version":"0.0.6","words":"bip-pod-embedly embedly pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod embedly","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-facebook","description":"Facebook Pod for Bipio","url":null,"keywords":"bip bipio pod facebook","version":"0.0.14","words":"bip-pod-facebook facebook pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod facebook","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-flickr","description":"Flickr Pod for Bipio","url":null,"keywords":"bip bipio pod flickr","version":"0.0.5","words":"bip-pod-flickr flickr pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod flickr","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-flow","description":"Pipeline Flow Pod for Bipio","url":null,"keywords":"bip bipio pod flow","version":"0.1.13","words":"bip-pod-flow pipeline flow pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod flow","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-github","description":"Github Pod for Bipio","url":null,"keywords":"bip bipio pod github","version":"0.0.9","words":"bip-pod-github github pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod github","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-google","description":"Google Pod for Bipio","url":null,"keywords":"bip bipio pod google","version":"0.0.14","words":"bip-pod-google google pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod google","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-hipchat","description":"HipChat Pod for Bipio","url":null,"keywords":"bip bipio pod hipchat","version":"0.0.5","words":"bip-pod-hipchat hipchat pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod hipchat","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-html","description":"HTML Pod for Bipio","url":null,"keywords":"bip bipio pod html","version":"0.0.5","words":"bip-pod-html html pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod html","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-http","description":"HTTP Pod for Bipio","url":null,"keywords":"bip bipio pod http","version":"0.0.13","words":"bip-pod-http http pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod http","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-imgur","description":"Imgur Pod for Bipio","url":null,"keywords":"bip bipio pod imgur","version":"0.0.8","words":"bip-pod-imgur imgur pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod imgur","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-instagram","description":"Instagram Pod for Bipio","url":null,"keywords":"bip bipio pod instagram","version":"0.0.4","words":"bip-pod-instagram instagram pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod instagram","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-kato","description":"Kato Pod for Bipio","url":null,"keywords":"bip bipio pod kato","version":"0.0.3","words":"bip-pod-kato kato pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod kato","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-keenio","description":"KeenIO Pod for Bipio","url":null,"keywords":"bip bipio pod keenio","version":"0.0.4","words":"bip-pod-keenio keenio pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod keenio","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-mailchimp","description":"MailChimp Pod for Bipio","url":null,"keywords":"bip bipio pod boilerplate","version":"0.0.6","words":"bip-pod-mailchimp mailchimp pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod boilerplate","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-10 "},{"name":"bip-pod-math","description":"Math Pod for Bipio","url":null,"keywords":"bip bipio pod math","version":"0.0.4","words":"bip-pod-math math pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod math","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-mixcloud","description":"MixCloud Pod for Bipio","url":null,"keywords":"bip bipio pod mixcloud","version":"0.0.5","words":"bip-pod-mixcloud mixcloud pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod mixcloud","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-numerous","description":"Numerous Pod for Bipio","url":null,"keywords":"bip bipio pod numerous","version":"0.0.5","words":"bip-pod-numerous numerous pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod numerous","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-phantomjs","description":"PhantomJS Pod for Bipio","url":null,"keywords":"bip bipio pod phantomjs","version":"0.0.3","words":"bip-pod-phantomjs phantomjs pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod phantomjs","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-pushbullet","description":"PushBullet Pod for Bipio","url":null,"keywords":"bip bipio pod pushbullet","version":"0.0.6","words":"bip-pod-pushbullet pushbullet pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod pushbullet","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-pusher","description":"Pusher Pod for Bipio","url":null,"keywords":"bip bipio pod pusher","version":"0.0.3","words":"bip-pod-pusher pusher pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod pusher","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-slack","description":"Slack Pod for Bipio","url":null,"keywords":"bip bipio pod slack","version":"0.0.3","words":"bip-pod-slack slack pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod slack","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-soundcloud","description":"SoundCloud Pod for Bipio","url":null,"keywords":"bip bipio pod soundcloud","version":"0.0.10","words":"bip-pod-soundcloud soundcloud pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod soundcloud","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-stacklead","description":"StackLead Pod for Bipio","url":null,"keywords":"bip bipio pod stacklead","version":"0.0.5","words":"bip-pod-stacklead stacklead pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod stacklead","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-statuscake","description":"StatusCake Pod for Bipio","url":null,"keywords":"bip bipio pod statuscake","version":"0.0.5","words":"bip-pod-statuscake statuscake pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod statuscake","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-syndication","description":"Syndication Pod for Bipio","url":null,"keywords":"bip bipio pod syndication rss","version":"0.2.10","words":"bip-pod-syndication syndication pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod syndication rss","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-18 "},{"name":"bip-pod-templater","description":"Templating Pod for Bipio","url":null,"keywords":"bip bipio pod templater","version":"0.0.6","words":"bip-pod-templater templating pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod templater","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-time","description":"Time Pod for Bipio","url":null,"keywords":"bip bipio pod time","version":"0.0.4","words":"bip-pod-time time pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod time","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-todoist","description":"Todoist Pod for Bipio","url":null,"keywords":"bip bipio pod boilerplate","version":"0.0.3","words":"bip-pod-todoist todoist pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod boilerplate","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-trello","description":"Trello Pod for Bipio","url":null,"keywords":"bip bipio pod trello","version":"0.0.12","words":"bip-pod-trello trello pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod trello","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-tumblr","description":"Tumblr Pod for Bipio","url":null,"keywords":"bip bipio pod tumblr","version":"0.0.11","words":"bip-pod-tumblr tumblr pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod tumblr","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-08-27 "},{"name":"bip-pod-twilio","description":"Twilio Pod for Bipio","url":null,"keywords":"bip bipio pod twilio","version":"0.0.5","words":"bip-pod-twilio twilio pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod twilio","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-twitter","description":"Twitter Pod for Bipio","url":null,"keywords":"bip bipio pod twitter","version":"0.0.13","words":"bip-pod-twitter twitter pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod twitter","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-unbabel","description":"Unbabel Pod for Bipio","url":null,"keywords":"bip bipio pod unbabel","version":"0.0.4","words":"bip-pod-unbabel unbabel pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod unbabel","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-vimeo","description":"Vimeo Pod for Bipio","url":null,"keywords":"bip bipio pod vimeo","version":"0.0.6","words":"bip-pod-vimeo vimeo pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod vimeo","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-witai","description":"WitAI Pod for Bipio","url":null,"keywords":"bip bipio pod witai","version":"0.0.3","words":"bip-pod-witai witai pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod witai","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip-pod-wordpress","description":"Wordpress Pod for Bipio","url":null,"keywords":"bip bipio pod wordpress","version":"0.0.3","words":"bip-pod-wordpress wordpress pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod wordpress","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-08-27 "},{"name":"bip-pod-zoho","description":"Zoho Pod for Bipio","url":null,"keywords":"bip bipio pod zoho","version":"0.0.6","words":"bip-pod-zoho zoho pod for bipio =mjpearson =tuddman =alfonsogoberjr bip bipio pod zoho","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-11 "},{"name":"bip32-utils","description":"bip32-utils","url":null,"keywords":"","version":"0.0.3","words":"bip32-utils bip32-utils =dcousens","author":"=dcousens","date":"2014-09-08 "},{"name":"bip38","description":"BIP38 is a standard process to encrypt Bitcoin and crypto currency private keys that is imprevious to brute force attacks thus protecting the user.","url":null,"keywords":"bitcoin crypto cryptography litecoin","version":"1.1.1","words":"bip38 bip38 is a standard process to encrypt bitcoin and crypto currency private keys that is imprevious to brute force attacks thus protecting the user. =jp =sidazhang =midnightlightning =nadav bitcoin crypto cryptography litecoin","author":"=jp =sidazhang =midnightlightning =nadav","date":"2014-09-19 "},{"name":"bip39","description":"Bitcoin BIP39: Mnemonic code for generating deterministic keys","url":null,"keywords":"","version":"2.0.0","words":"bip39 bitcoin bip39: mnemonic code for generating deterministic keys =weilu","author":"=weilu","date":"2014-08-17 "},{"name":"bipartite-independent-set","description":"Maximum independent set for bipartite graph","url":null,"keywords":"maximum independent set bipartite graph vertex cover edge","version":"1.0.0","words":"bipartite-independent-set maximum independent set for bipartite graph =mikolalysenko maximum independent set bipartite graph vertex cover edge","author":"=mikolalysenko","date":"2014-04-29 "},{"name":"bipartite-matching","description":"Maximum unweighted bipartite matching","url":null,"keywords":"bipartite graph edge matching vertex assignment problem labels","version":"1.0.0","words":"bipartite-matching maximum unweighted bipartite matching =mikolalysenko bipartite graph edge matching vertex assignment problem labels","author":"=mikolalysenko","date":"2014-04-29 "},{"name":"bipartite-vertex-cover","description":"Minimal vertex cover for bipartite graphs","url":null,"keywords":"vertex cover bipartite graph konig theorem edge matching dual","version":"1.0.0","words":"bipartite-vertex-cover minimal vertex cover for bipartite graphs =mikolalysenko vertex cover bipartite graph konig theorem edge matching dual","author":"=mikolalysenko","date":"2014-04-29 "},{"name":"bipio","description":"API and graph resolver for the bipio content pipeline.","url":null,"keywords":"","version":"0.2.53","words":"bipio api and graph resolver for the bipio content pipeline. =mjpearson =tuddman =alfonsogoberjr","author":"=mjpearson =tuddman =alfonsogoberjr","date":"2014-09-19 "},{"name":"Birbal","description":"Quick, simple routing","url":null,"keywords":"routing router framework","version":"0.0.3","words":"birbal quick, simple routing =dhaivatpandya routing router framework","author":"=dhaivatpandya","date":"2011-12-17 "},{"name":"birch","description":"Client library for Birch, an IRC bouncer with a sane API","url":null,"keywords":"","version":"0.0.0","words":"birch client library for birch, an irc bouncer with a sane api =aravindet","author":"=aravindet","date":"2014-07-14 "},{"name":"birch-server","description":"An IRC bouncer with a sane API","url":null,"keywords":"","version":"0.0.1","words":"birch-server an irc bouncer with a sane api =aravindet","author":"=aravindet","date":"2014-07-14 "},{"name":"bird","description":"Simple Twitter API Wrapper","url":null,"keywords":"twitter api","version":"0.6.0","words":"bird simple twitter api wrapper =theron twitter api","author":"=theron","date":"2014-03-16 "},{"name":"birdback","description":"Birdback api client","url":null,"keywords":"birdback payment card","version":"0.3.1","words":"birdback birdback api client =jeanphix birdback payment card","author":"=jeanphix","date":"2014-07-29 "},{"name":"birdbgp","description":"NodeJS interface to the Bird BGP daemon control socket","url":null,"keywords":"","version":"0.1.4","words":"birdbgp nodejs interface to the bird bgp daemon control socket =jeffwalter","author":"=jeffwalter","date":"2014-03-12 "},{"name":"birdeater","description":"A command-line tool for backing up a user's public Tweets in JSON format.","url":null,"keywords":"crawler twitter public-timeline","version":"0.0.3","words":"birdeater a command-line tool for backing up a user's public tweets in json format. =bcoe crawler twitter public-timeline","author":"=bcoe","date":"2012-08-06 "},{"name":"birdie","keywords":"","version":[],"words":"birdie","author":"","date":"2013-05-27 "},{"name":"birdy","description":"Static asset anti-package management.","url":null,"keywords":"static asset management client-side curated","version":"0.6.6","words":"birdy static asset anti-package management. =chbrown static asset management client-side curated","author":"=chbrown","date":"2014-07-27 "},{"name":"birdy-cli","description":"Birdy server command line tool","url":null,"keywords":"birdy cli server command line tool","version":"0.0.8","words":"birdy-cli birdy server command line tool =underc0de birdy cli server command line tool","author":"=underc0de","date":"2014-09-20 "},{"name":"birdy-server","description":"Web server","url":null,"keywords":"","version":"0.1.3","words":"birdy-server web server =underc0de","author":"=underc0de","date":"2014-09-20 "},{"name":"birkman-sdk-node","description":"A Node.js wrapper for the XML-based Birkman API","url":null,"keywords":"birkman","version":"0.1.1","words":"birkman-sdk-node a node.js wrapper for the xml-based birkman api =mjmasn birkman","author":"=mjmasn","date":"2014-07-24 "},{"name":"birth-by-age-at-date","description":"Calculates the birth year and current age based on the age as of a date","url":null,"keywords":"birth","version":"1.0.1","words":"birth-by-age-at-date calculates the birth year and current age based on the age as of a date =kenan birth","author":"=kenan","date":"2014-04-14 "},{"name":"birthday-magic","description":"Magically generates birthday lore info. Possibly useful for clueless (/thoughtful?) birthday gift-givers.","url":null,"keywords":"fun birthday silly","version":"0.1.0","words":"birthday-magic magically generates birthday lore info. possibly useful for clueless (/thoughtful?) birthday gift-givers. =kpowz fun birthday silly","author":"=kpowz","date":"2014-05-09 "},{"name":"biryani","description":"Conversion and validation toolbox","url":null,"keywords":"","version":"0.0.2","words":"biryani conversion and validation toolbox =cbenz","author":"=cbenz","date":"2012-12-11 "},{"name":"biryani-form-demo","url":null,"keywords":"","version":"0.0.1","words":"biryani-form-demo =cbenz","author":"=cbenz","date":"2012-12-07 "},{"name":"bis-parser","description":"BIS file formats parser.","url":null,"keywords":"","version":"0.0.3","words":"bis-parser bis file formats parser. =morhaus","author":"=morhaus","date":"2013-12-18 "},{"name":"biscotto","description":"A CoffeeScript documentation generator.","url":null,"keywords":"coffeescript doc api tomdoc","version":"2.2.4","words":"biscotto a coffeescript documentation generator. =gjtorikian =kevinsawicki =nathansobo =benogle coffeescript doc api tomdoc","author":"=gjtorikian =kevinsawicki =nathansobo =benogle","date":"2014-08-08 "},{"name":"biscuit","description":"Real world library builder","url":null,"keywords":"","version":"0.0.2","words":"biscuit real world library builder =manobi","author":"=manobi","date":"2012-02-21 "},{"name":"bisect","description":"Floating point binary search","url":null,"keywords":"binary search bisect root finding","version":"1.0.0","words":"bisect floating point binary search =mikolalysenko binary search bisect root finding","author":"=mikolalysenko","date":"2014-04-29 "},{"name":"bisection","description":"A JavaScript port of the bisection algorithm that is used in Python","url":null,"keywords":"algorithm bisection python","version":"0.0.3","words":"bisection a javascript port of the bisection algorithm that is used in python =v1 algorithm bisection python","author":"=V1","date":"2013-05-09 "},{"name":"bish","description":"Super-tiny asset concatenation and dependencies with imports","url":null,"keywords":"","version":"0.0.9","words":"bish super-tiny asset concatenation and dependencies with imports =jt","author":"=jt","date":"2014-05-05 "},{"name":"bishop","description":"Bishop ======","url":null,"keywords":"chess","version":"0.0.0","words":"bishop bishop ====== =h2s chess","author":"=h2s","date":"2014-01-04 "},{"name":"bison","description":"Size optimized binary encoding for JavaScript.","url":null,"keywords":"encoder binary","version":"1.1.1","words":"bison size optimized binary encoding for javascript. =ivo wetzel encoder binary","author":"=Ivo Wetzel","date":"2011-03-02 "},{"name":"bison-types","description":"Convert between json and binary","url":null,"keywords":"json binary convert parse","version":"2.0.5","words":"bison-types convert between json and binary =tabdigital json binary convert parse","author":"=tabdigital","date":"2014-07-18 "},{"name":"bisonjs","description":"Bandwidth optimized binary encoding for JavaScript.","url":null,"keywords":"encoder binary","version":"2.0.1","words":"bisonjs bandwidth optimized binary encoding for javascript. =bonsaiden encoder binary","author":"=bonsaiden","date":"2013-11-06 "},{"name":"bisss","description":"a simple utility to initialize new NodeJS projects","url":null,"keywords":"","version":"0.1.2","words":"bisss a simple utility to initialize new nodejs projects =ahmetkizilay","author":"=ahmetkizilay","date":"2013-09-22 "},{"name":"bistre","description":"A command-line tool and module for printing colourful bole logs.","url":null,"keywords":"bole log pretty print ansi cli tool colors","version":"1.0.0","words":"bistre a command-line tool and module for printing colourful bole logs. =hughsk bole log pretty print ansi cli tool colors","author":"=hughsk","date":"2014-07-15 "},{"name":"bit","description":"A multi-repository git tool","url":null,"keywords":"git multi-repository tool","version":"0.0.1","words":"bit a multi-repository git tool =sevifives git multi-repository tool","author":"=sevifives","date":"2012-08-11 "},{"name":"bit-array","description":"JavaScript implementation of bit arrays","url":null,"keywords":"bit array bit-array bit vector bitset bitmap bitstring","version":"0.2.2","words":"bit-array javascript implementation of bit arrays =bramstein bit array bit-array bit vector bitset bitmap bitstring","author":"=bramstein","date":"2012-08-16 "},{"name":"bit-buffer","description":"Bit-level reads and writes for ArrayBuffers","url":null,"keywords":"dataview arraybuffer bit bits","version":"0.0.3","words":"bit-buffer bit-level reads and writes for arraybuffers =inolen dataview arraybuffer bit bits","author":"=inolen","date":"2013-08-12 "},{"name":"bit-coder","description":"bitwise binary coding","url":null,"keywords":"binary universal code bit","version":"0.1.0","words":"bit-coder bitwise binary coding =jhs67 binary universal code bit","author":"=jhs67","date":"2013-09-11 "},{"name":"bit-extract","description":"A big-endian extractor for groups of bits.","url":null,"keywords":"bit bits","version":"0.0.1","words":"bit-extract a big-endian extractor for groups of bits. =richardeoin bit bits","author":"=richardeoin","date":"2013-01-26 "},{"name":"bit-flow","description":"bit-flow library for Node.js","url":null,"keywords":"","version":"0.0.51","words":"bit-flow bit-flow library for node.js =fbauer","author":"=fbauer","date":"2014-02-21 "},{"name":"bit-interleave","description":"Interleaves bits","url":null,"keywords":"bit interleave z-order octree quadtree range mingle","version":"1.0.0","words":"bit-interleave interleaves bits =mikolalysenko bit interleave z-order octree quadtree range mingle","author":"=mikolalysenko","date":"2014-05-06 "},{"name":"bit-mask","description":"A utility for manipulating bit masks","url":null,"keywords":"bitmask file mask permissions","version":"0.0.2-alpha","words":"bit-mask a utility for manipulating bit masks =khrome bitmask file mask permissions","author":"=khrome","date":"2013-02-05 "},{"name":"bit-prefix-len","description":"return length of a prefix in a buffer","url":null,"keywords":"buffer prefix crypto puzzle cryptopuzzle cryptocurrency","version":"0.2.0","words":"bit-prefix-len return length of a prefix in a buffer =jbenet buffer prefix crypto puzzle cryptopuzzle cryptocurrency","author":"=jbenet","date":"2014-06-04 "},{"name":"bit-set","description":"Module: bit-set Main Class: BitSet Description: BitSet is a class allowing user to create structure like java.util.BitSet Highlight: The major difference of this BitSet is an efficient implementation of #nextSetBit and #prevSetBit;","url":null,"keywords":"","version":"1.0.1","words":"bit-set module: bit-set main class: bitset description: bitset is a class allowing user to create structure like java.util.bitset highlight: the major difference of this bitset is an efficient implementation of #nextsetbit and #prevsetbit; =inexplicable","author":"=inexplicable","date":"2013-07-08 "},{"name":"bit-sync","description":"Synchronize arbitrary data using the rsync algorithm","url":null,"keywords":"rsync synchronize data sync","version":"0.0.0","words":"bit-sync synchronize arbitrary data using the rsync algorithm =claytongulick rsync synchronize data sync","author":"=claytongulick","date":"2014-05-17 "},{"name":"bit-twiddle","description":"Bit twiddling hacks for JavaScript","url":null,"keywords":"bit twiddle hacks graphics logarithm exponent base 2 binary arithmetic octree quadtree math nextPow2 log shift combination permutation trailing zero one interleave revere parity population count exponent power sign min max","version":"1.0.2","words":"bit-twiddle bit twiddling hacks for javascript =mikolalysenko bit twiddle hacks graphics logarithm exponent base 2 binary arithmetic octree quadtree math nextpow2 log shift combination permutation trailing zero one interleave revere parity population count exponent power sign min max","author":"=mikolalysenko","date":"2014-05-28 "},{"name":"bit-vector.jsx","description":"BitVector implementation for JSX/JS/AMD/CommonJS","url":null,"keywords":"jsx altjs lib js amd commonjs nodejs browser","version":"0.4.0","words":"bit-vector.jsx bitvector implementation for jsx/js/amd/commonjs =shibu jsx altjs lib js amd commonjs nodejs browser","author":"=shibu","date":"2013-11-09 "},{"name":"bit2c","description":"A node.js module for accessing bit2c's (the Israeli bitcoin exchange) API.","url":null,"keywords":"bitcoin bitcoin-exchange israel israeli-bitcoin-exchange","version":"0.0.6","words":"bit2c a node.js module for accessing bit2c's (the israeli bitcoin exchange) api. =ofere bitcoin bitcoin-exchange israel israeli-bitcoin-exchange","author":"=ofere","date":"2014-04-02 "},{"name":"bitarray","description":"Pure JavaScript bit array/bitfield implementation","url":null,"keywords":"","version":"1.0.0","words":"bitarray pure javascript bit array/bitfield implementation =forbeslindesay","author":"=forbeslindesay","date":"2012-11-24 "},{"name":"bitarray-js","description":"An implementation of a bit array for javascript.","url":null,"keywords":"array bitarray bit-array bit array","version":"0.0.0","words":"bitarray-js an implementation of a bit array for javascript. =christopher.bui array bitarray bit-array bit array","author":"=christopher.bui","date":"2014-08-20 "},{"name":"bitauth","description":"Passwordless authentication using Bitcoin cryptography","url":null,"keywords":"bitcoin SIN System Identification Number token","version":"0.1.1","words":"bitauth passwordless authentication using bitcoin cryptography =jasondreyzehner =patrickbitpay =martindale bitcoin sin system identification number token","author":"=jasondreyzehner =patrickbitpay =martindale","date":"2014-06-26 "},{"name":"bitballoon","description":"BitBalloon API client","url":null,"keywords":"","version":"0.1.6","words":"bitballoon bitballoon api client =biilmann","author":"=biilmann","date":"2014-09-16 "},{"name":"bitbucket","description":"Wrapper for the BitBucket API","url":null,"keywords":"","version":"0.0.1","words":"bitbucket wrapper for the bitbucket api =fjakobs","author":"=fjakobs","date":"2012-03-07 "},{"name":"bitbucket-api","description":"A package to access the BitBucket Api.","url":null,"keywords":"","version":"0.0.6","words":"bitbucket-api a package to access the bitbucket api. =hgarcia","author":"=hgarcia","date":"2012-12-04 "},{"name":"bitbucket-api2","description":"A package to access the BitBucket Api.","url":null,"keywords":"","version":"0.0.7","words":"bitbucket-api2 a package to access the bitbucket api. =paulem","author":"=paulem","date":"2014-09-02 "},{"name":"bitbucket-githook","description":"very simple bitbucket git push hook","url":null,"keywords":"","version":"0.1.0","words":"bitbucket-githook very simple bitbucket git push hook =capaj","author":"=capaj","date":"2014-05-02 "},{"name":"bitbucket-init","description":"Init a repo and push it to Bitbucket","url":null,"keywords":"","version":"0.29.0","words":"bitbucket-init init a repo and push it to bitbucket =harlley","author":"=harlley","date":"2013-12-14 "},{"name":"bitbucket-ips","description":"The Bitbucket IP addresses I should use to configure my corporate firewall","url":null,"keywords":"bitbucket ip ips whitelist","version":"0.0.1","words":"bitbucket-ips the bitbucket ip addresses i should use to configure my corporate firewall =diorahman bitbucket ip ips whitelist","author":"=diorahman","date":"2014-05-27 "},{"name":"bitbucket-rest","description":"A package to access the BitBucket REST API.","url":null,"keywords":"","version":"0.0.1","words":"bitbucket-rest a package to access the bitbucket rest api. =dhineshs","author":"=dhineshs","date":"2013-12-18 "},{"name":"bitbucket-url-to-object","description":"Extract user, repo, and other interesting properties from Bitbucket URLs","url":null,"keywords":"bitbucket url repo","version":"0.2.0","words":"bitbucket-url-to-object extract user, repo, and other interesting properties from bitbucket urls =zeke bitbucket url repo","author":"=zeke","date":"2014-07-10 "},{"name":"bitbucket-webhook-listener","description":"A node service broker that gets triggered by a post-recieve hook from Bitbucket repos.","url":null,"keywords":"broker webhook bitbucket","version":"0.2.0","words":"bitbucket-webhook-listener a node service broker that gets triggered by a post-recieve hook from bitbucket repos. =capir broker webhook bitbucket","author":"=capir","date":"2014-05-19 "},{"name":"bitbucket.node","description":"Bitbucket 2.0 API client for node.js","url":null,"keywords":"","version":"0.0.1","words":"bitbucket.node bitbucket 2.0 api client for node.js =mattinsler","author":"=mattinsler","date":"2013-12-05 "},{"name":"bitbucket2","description":"Wrapper for the BitBucket API","url":null,"keywords":"bitbucket api","version":"0.0.2","words":"bitbucket2 wrapper for the bitbucket api =qkdreyer bitbucket api","author":"=qkdreyer","date":"2013-12-19 "},{"name":"bitbuffer","description":"bit array, backed by node.js Buffer","url":null,"keywords":"","version":"0.1.2","words":"bitbuffer bit array, backed by node.js buffer =wiedi","author":"=wiedi","date":"2014-05-11 "},{"name":"bitbundler","description":"JavaScript and PHP template generator for a personal project","url":null,"keywords":"command shell","version":"0.0.2","words":"bitbundler javascript and php template generator for a personal project =pablovallejo command shell","author":"=pablovallejo","date":"2013-02-02 "},{"name":"bitc-configurator","description":"BITC computer configuration utility","url":null,"keywords":"","version":"0.2.0","words":"bitc-configurator bitc computer configuration utility =joshthegeek","author":"=joshthegeek","date":"2014-02-20 "},{"name":"bitch","description":"stopwords","url":null,"keywords":"","version":"9999.9999.9999","words":"bitch stopwords =isaacs","author":"=isaacs","date":"2014-07-09 "},{"name":"bitcoder","url":null,"keywords":"","version":"0.0.1","words":"bitcoder =agnoster","author":"=agnoster","date":"2011-04-15 "},{"name":"bitcoin","description":"Communicate with bitcoind via JSON-RPC","url":null,"keywords":"bitcoin rpc","version":"2.2.0","words":"bitcoin communicate with bitcoind via json-rpc =jb55 =freewil bitcoin rpc","author":"=jb55 =freewil","date":"2014-09-05 "},{"name":"bitcoin-address","description":"bitcoin address verification and other related functions","url":null,"keywords":"","version":"0.2.0","words":"bitcoin-address bitcoin address verification and other related functions =shtylman","author":"=shtylman","date":"2014-01-20 "},{"name":"bitcoin-block-extractor","description":"blockextractor ==============","url":null,"keywords":"bitcoin blocks parsing blocks bitcoind","version":"0.0.1","words":"bitcoin-block-extractor blockextractor ============== =ematiu bitcoin blocks parsing blocks bitcoind","author":"=ematiu","date":"2014-03-21 "},{"name":"bitcoin-buffer","description":"Buffer functions for bitcoin apps","url":null,"keywords":"bitcoin buffer varint writeUInt64LE readUInt64LE","version":"0.3.0","words":"bitcoin-buffer buffer functions for bitcoin apps =czzarr bitcoin buffer varint writeuint64le readuint64le","author":"=czzarr","date":"2014-09-16 "},{"name":"bitcoin-bufferlist","description":"A storage object for Node Buffers with handy methods for making bitcoin apps","url":null,"keywords":"bitcoin buffer bufferlist","version":"0.1.0","words":"bitcoin-bufferlist a storage object for node buffers with handy methods for making bitcoin apps =czzarr bitcoin buffer bufferlist","author":"=czzarr","date":"2014-09-18 "},{"name":"bitcoin-constants","description":"Bitcoin constants (network and opcodes mostly) to use in bitcoin apps","url":null,"keywords":"bitcoin constants opcodes magic","version":"0.3.0","words":"bitcoin-constants bitcoin constants (network and opcodes mostly) to use in bitcoin apps =czzarr bitcoin constants opcodes magic","author":"=czzarr","date":"2014-09-17 "},{"name":"bitcoin-exchange-rates","description":"Convert any Bitcoin amount to your preferred currency.","url":null,"keywords":"bitcoin conversion convert currency exchange money rate utilities","version":"0.0.12","words":"bitcoin-exchange-rates convert any bitcoin amount to your preferred currency. =matthewhudson bitcoin conversion convert currency exchange money rate utilities","author":"=matthewhudson","date":"2013-11-24 "},{"name":"bitcoin-exit","description":"Node.js server enabling public access to Bitcoin network information","url":null,"keywords":"","version":"0.2.0","words":"bitcoin-exit node.js server enabling public access to bitcoin network information =davex","author":"=davex","date":"2013-08-18 "},{"name":"bitcoin-explorer","description":"A block explorer clone built using BitcoinJS","url":null,"keywords":"bitcoin realtime block transaction explorer monitoring viewer","version":"0.2.1","words":"bitcoin-explorer a block explorer clone built using bitcoinjs =bitcoinjs bitcoin realtime block transaction explorer monitoring viewer","author":"=bitcoinjs","date":"2011-12-30 "},{"name":"bitcoin-hash","description":"Hash functions for bitcoin","url":null,"keywords":"","version":"0.2.0","words":"bitcoin-hash hash functions for bitcoin =czzarr","author":"=czzarr","date":"2014-09-16 "},{"name":"bitcoin-impl","description":"A library of JavaScript/C++ Bitcoin components. (And eventually, a full client made from them.)","url":null,"keywords":"","version":"0.0.1","words":"bitcoin-impl a library of javascript/c++ bitcoin components. (and eventually, a full client made from them.) =andrewschaaf","author":"=andrewschaaf","date":"2011-04-15 "},{"name":"bitcoin-math","description":"Helper methods for dealing with bitcoin and Satoshi values","url":null,"keywords":"bitcoin satoshi","version":"0.2.0","words":"bitcoin-math helper methods for dealing with bitcoin and satoshi values =dangersalad bitcoin satoshi","author":"=dangersalad","date":"2014-06-26 "},{"name":"bitcoin-nanopayment","description":"Send probabilistic Bitcoin nanopayments","url":null,"keywords":"bitcoin btc micropayment nanopayment","version":"0.3.1","words":"bitcoin-nanopayment send probabilistic bitcoin nanopayments =lo-entropy bitcoin btc micropayment nanopayment","author":"=lo-entropy","date":"2013-11-30 "},{"name":"bitcoin-node-api","description":"Bitcoin-Node-Api is an Express middleware plugin that exposes URLs for quick development and interfacing with a bitcoind Bitcoin wallet.","url":null,"keywords":"bitcoin node api","version":"0.1.0","words":"bitcoin-node-api bitcoin-node-api is an express middleware plugin that exposes urls for quick development and interfacing with a bitcoind bitcoin wallet. =nieldlr bitcoin node api","author":"=NielDLR","date":"2013-07-09 "},{"name":"bitcoin-p2p","description":"Implementation of Bitcoin's peer-to-peer layer for Node.js","url":null,"keywords":"peer-to-peer bitcoin client","version":"0.1.3","words":"bitcoin-p2p implementation of bitcoin's peer-to-peer layer for node.js =justmoon =bitcoinjs peer-to-peer bitcoin client","author":"=justmoon =bitcoinjs","date":"2011-10-29 "},{"name":"bitcoin-pool","description":"An extensible Bitcoin pool server implementation","url":null,"keywords":"bitcoin pool mining","version":"0.0.1","words":"bitcoin-pool an extensible bitcoin pool server implementation =dvicory bitcoin pool mining","author":"=dvicory","date":"2013-04-18 "},{"name":"bitcoin-script-interpreter","description":"A node module to provide a functioning Script interpreter for the Bitcoin protocol","url":null,"keywords":"","version":"0.0.15","words":"bitcoin-script-interpreter a node module to provide a functioning script interpreter for the bitcoin protocol =eclipseoto","author":"=eclipseoto","date":"2014-03-21 "},{"name":"bitcoin-tools","description":"Bitcoin Tools =============","url":null,"keywords":"","version":"0.0.0","words":"bitcoin-tools bitcoin tools ============= =abrkn","author":"=abrkn","date":"2014-01-04 "},{"name":"bitcoin-tx-graph","description":"bitcoin-transaction-graph =========================","url":null,"keywords":"","version":"4.0.0","words":"bitcoin-tx-graph bitcoin-transaction-graph ========================= =weilu","author":"=weilu","date":"2014-09-16 "},{"name":"bitcoin-tx-graph-visualizer","description":"Visualize a graph of bitcoin transactions using d3.js","url":null,"keywords":"","version":"0.1.0","words":"bitcoin-tx-graph-visualizer visualize a graph of bitcoin transactions using d3.js =weilu","author":"=weilu","date":"2014-08-31 "},{"name":"bitcoinaddress","description":"bitcoinaddress.js is a a JavaScript UI component for making easy bitcoin payments, sending bitcoins and presenting bitcoin addresses on HTML pages.","url":null,"keywords":"bitcoin qr code","version":"0.1.1","words":"bitcoinaddress bitcoinaddress.js is a a javascript ui component for making easy bitcoin payments, sending bitcoins and presenting bitcoin addresses on html pages. =miohtama bitcoin qr code","author":"=miohtama","date":"2014-07-11 "},{"name":"bitcoincharts","description":"bitcoincharts.com API client for node.js","url":null,"keywords":"btc bitcoin bitcoincharts","version":"0.0.8","words":"bitcoincharts bitcoincharts.com api client for node.js =pskupinski btc bitcoin bitcoincharts","author":"=pskupinski","date":"2014-04-13 "},{"name":"bitcoind-latency-benchmark","description":"Benchmark for tracking bitcoind latency","url":null,"keywords":"","version":"0.1.1","words":"bitcoind-latency-benchmark benchmark for tracking bitcoind latency =ilyich","author":"=ilyich","date":"2013-09-12 "},{"name":"bitcoinity","description":"Basic node.js interface to and parser for data from data.bitcoinity.org","url":null,"keywords":"bitcoinity bitcoin","version":"0.1.0","words":"bitcoinity basic node.js interface to and parser for data from data.bitcoinity.org =gseshadri bitcoinity bitcoin","author":"=gseshadri","date":"2014-02-28 "},{"name":"bitcoinjs","description":"Implementation of Bitcoin's peer-to-peer layer for Node.js","url":null,"keywords":"peer-to-peer bitcoin client","version":"0.2.8","words":"bitcoinjs implementation of bitcoin's peer-to-peer layer for node.js =bitcoinjs =justmoon peer-to-peer bitcoin client","author":"=bitcoinjs =justmoon","date":"2013-04-21 "},{"name":"bitcoinjs-lib","description":"Client-side Bitcoin JavaScript library","url":null,"keywords":"bitcoin browser client library","version":"1.1.0","words":"bitcoinjs-lib client-side bitcoin javascript library =bitcoinjs =justmoon =kyledrake =dcousens bitcoin browser client library","author":"=bitcoinjs =justmoon =kyledrake =dcousens","date":"2014-09-20 "},{"name":"bitcoinjs-mongoose","description":"Mongoose MongoDB ORM (temporary BitcoinJS fork)","url":null,"keywords":"mongodb mongoose orm data datastore nosql","version":"1.8.0","words":"bitcoinjs-mongoose mongoose mongodb orm (temporary bitcoinjs fork) =bitcoinjs mongodb mongoose orm data datastore nosql","author":"=bitcoinjs","date":"2011-08-06 "},{"name":"bitcoinpricechecker","description":"Check the Bitcoin Price","url":null,"keywords":"bitcoin price check","version":"0.1.1","words":"bitcoinpricechecker check the bitcoin price =jgeller bitcoin price check","author":"=jgeller","date":"2014-06-06 "},{"name":"bitcoinprices","description":"bitcoinprices.js is a JavaScript library for presenting Bitcoin prices with currency conversion","url":null,"keywords":"bitcoin exchange rate market data currency bitcoinaverage","version":"0.2.2","words":"bitcoinprices bitcoinprices.js is a javascript library for presenting bitcoin prices with currency conversion =miohtama bitcoin exchange rate market data currency bitcoinaverage","author":"=miohtama","date":"2014-07-11 "},{"name":"bitconcat","description":"Binary streams","url":null,"keywords":"binary bitfield partial bytes","version":"0.3.1","words":"bitconcat binary streams =sgrondin binary bitfield partial bytes","author":"=sgrondin","date":"2014-08-15 "},{"name":"bitcore","description":"Bitcoin Library","url":null,"keywords":"bitcoin btc satoshi money currency virtual","version":"0.1.36","words":"bitcore bitcoin library =gasteve =ryanxcharles bitcoin btc satoshi money currency virtual","author":"=gasteve =ryanxcharles","date":"2014-09-08 "},{"name":"bitcore-multicoin","description":"Bitcoin Library","url":null,"keywords":"bitcoin btc satoshi money currency virtual","version":"0.1.3","words":"bitcore-multicoin bitcoin library =zengke bitcoin btc satoshi money currency virtual","author":"=zengke","date":"2014-09-16 "},{"name":"bitcount","description":"Counts bits in a Integer or in a Buffer","url":null,"keywords":"","version":"0.0.1","words":"bitcount counts bits in a integer or in a buffer =matteo.collina","author":"=matteo.collina","date":"2014-04-09 "},{"name":"bitcoyne","description":"Keybase Bitcoin Library (2nd Edition)","url":null,"keywords":"crypto pgp keybase","version":"0.0.6","words":"bitcoyne keybase bitcoin library (2nd edition) =maxtaco crypto pgp keybase","author":"=maxtaco","date":"2014-08-22 "},{"name":"bitcrunch","description":"redis backed analytics for node","url":null,"keywords":"redis bitop analytics","version":"0.0.2","words":"bitcrunch redis backed analytics for node =gjohnson redis bitop analytics","author":"=gjohnson","date":"2013-02-27 "},{"name":"bitcrusher","description":"Bitcrush effect for the web audio API","url":null,"keywords":"bit crush bitcrush audio effect webaudio","version":"0.3.0","words":"bitcrusher bitcrush effect for the web audio api =jaz303 bit crush bitcrush audio effect webaudio","author":"=jaz303","date":"2014-08-12 "},{"name":"bite","description":"Lightweight library for bytestring to/from number decoding/encoding, in pure javascript.","url":null,"keywords":"binary bytestring encoding decoding signed unsigned endian endianness","version":"0.1.0-4","words":"bite lightweight library for bytestring to/from number decoding/encoding, in pure javascript. =martinvl binary bytestring encoding decoding signed unsigned endian endianness","author":"=martinvl","date":"2013-02-10 "},{"name":"bitesize","description":"A simple blog library based on YAML Front-Matter Markdown documents.","url":null,"keywords":"blog markdown github","version":"0.0.8","words":"bitesize a simple blog library based on yaml front-matter markdown documents. =briangershon blog markdown github","author":"=briangershon","date":"2014-03-12 "},{"name":"bitfactory","description":"Lightweight JavaScript make.","url":null,"keywords":"","version":"0.0.2","words":"bitfactory lightweight javascript make. =daxxog","author":"=daxxog","date":"2013-01-25 "},{"name":"bitfield","description":"a very simple bitfield implementation using buffers","url":null,"keywords":"bitfield buffer","version":"1.0.2","words":"bitfield a very simple bitfield implementation using buffers =feedic bitfield buffer","author":"=feedic","date":"2014-05-07 "},{"name":"bitfinex","description":"node.js wrapper for bitfinex cryptocurrency exchange","url":null,"keywords":"bitfinex litecoin bitcoin cryptocurrency exchange","version":"0.2.8","words":"bitfinex node.js wrapper for bitfinex cryptocurrency exchange =loourr bitfinex litecoin bitcoin cryptocurrency exchange","author":"=loourr","date":"2014-07-20 "},{"name":"bitfinex-promise","description":"node.js wrapper for bitfinex cryptocurrency exchange using promises","url":null,"keywords":"bitfinex litecoin bitcoin cryptocurrency exchange","version":"1.0.3","words":"bitfinex-promise node.js wrapper for bitfinex cryptocurrency exchange using promises =lookfirst bitfinex litecoin bitcoin cryptocurrency exchange","author":"=lookfirst","date":"2014-05-02 "},{"name":"bitflag-utils","description":"A small javascript utility API for working w. bitflags.","url":null,"keywords":"bitflags bitmath bitwise utility javascript js","version":"0.1.1","words":"bitflag-utils a small javascript utility api for working w. bitflags. =jusopi bitflags bitmath bitwise utility javascript js","author":"=jusopi","date":"2014-08-11 "},{"name":"bitfloor","description":"node.js access to the bitfloor api","url":null,"keywords":"bitfloor bitcoin","version":"0.0.1","words":"bitfloor node.js access to the bitfloor api =abrkn bitfloor bitcoin","author":"=abrkn","date":"2012-11-12 "},{"name":"bitflow","description":"Generative art of live Bitcoin transactions. It connects to Bitcoin peers to receive incoming transactions to generate interactive visual and audio artwork based on the values of BTC outputs.","url":null,"keywords":"bitcoin btc server money currency satoshi visualization generative art canvas","version":"0.1.10","words":"bitflow generative art of live bitcoin transactions. it connects to bitcoin peers to receive incoming transactions to generate interactive visual and audio artwork based on the values of btc outputs. =bgfuller bitcoin btc server money currency satoshi visualization generative art canvas","author":"=bgfuller","date":"2014-08-24 "},{"name":"bitgame","description":"A simple library for multiplayer betting games using bitcoin and blockchain.info.","url":null,"keywords":"bitcoin gambling game btc blockchain","version":"0.0.1","words":"bitgame a simple library for multiplayer betting games using bitcoin and blockchain.info. =nothingisdead bitcoin gambling game btc blockchain","author":"=nothingisdead","date":"2014-08-27 "},{"name":"biticker","description":"This is a script you could use to display realtime bitcoin exchange rate in your tmux status line","url":null,"keywords":"","version":"0.1.6","words":"biticker this is a script you could use to display realtime bitcoin exchange rate in your tmux status line =chunghe","author":"=chunghe","date":"2014-03-07 "},{"name":"bitid","description":"JavaScript implementation of the BitID authentication protocol: https://github.com/bitid/bitid","url":null,"keywords":"bitcoin id identity identification authentication cryptocurrency auth","version":"0.0.3","words":"bitid javascript implementation of the bitid authentication protocol: https://github.com/bitid/bitid =porkchop bitcoin id identity identification authentication cryptocurrency auth","author":"=porkchop","date":"2014-05-08 "},{"name":"bitkey-blockchain","keywords":"","version":[],"words":"bitkey-blockchain","author":"","date":"2013-11-24 "},{"name":"bitlash","description":"web serial terminal for arduino","url":null,"keywords":"","version":"0.1.1","words":"bitlash web serial terminal for arduino =adammagaluk","author":"=adammagaluk","date":"2014-07-24 "},{"name":"bitlash-commander","description":"Web control panel builder for Arduino","url":null,"keywords":"arduino bitlash control panel web control","version":"0.0.14","words":"bitlash-commander web control panel builder for arduino =billroy arduino bitlash control panel web control","author":"=billroy","date":"2013-03-23 "},{"name":"bitly","description":"A Bit.ly API library for Node.JS","url":null,"keywords":"","version":"1.2.5","words":"bitly a bit.ly api library for node.js =tanepiper","author":"=tanepiper","date":"2014-02-01 "},{"name":"bitly-api","description":"Node npm for bitly API","url":null,"keywords":"","version":"0.0.1","words":"bitly-api node npm for bitly api =tobiaswright","author":"=tobiaswright","date":"2014-06-12 "},{"name":"bitly-cli","description":"A simple CLI that allows for instant creation of a bit.ly link","url":null,"keywords":"","version":"0.0.1","words":"bitly-cli a simple cli that allows for instant creation of a bit.ly link =krrishd","author":"=krrishd","date":"2014-06-06 "},{"name":"bitly-oauth","description":"A node wrapper for bit.ly API with the OAuth-required methods","url":null,"keywords":"url bitly click tracking bit.ly","version":"0.0.5","words":"bitly-oauth a node wrapper for bit.ly api with the oauth-required methods =kylehill url bitly click tracking bit.ly","author":"=kylehill","date":"2014-04-22 "},{"name":"bitly.node","description":"Bitly API Client","url":null,"keywords":"","version":"0.1.0","words":"bitly.node bitly api client =mattinsler","author":"=mattinsler","date":"2011-09-07 "},{"name":"bitly2","description":"OAuth Nodejs Module for bitly. As well as my cover letter for the API Hacker Job","url":null,"keywords":"bitly oauth links shorten short","version":"0.0.3","words":"bitly2 oauth nodejs module for bitly. as well as my cover letter for the api hacker job =elbuo8 bitly oauth links shorten short","author":"=elbuo8","date":"2013-04-21 "},{"name":"bitmap","description":"A collection of bitmap / bitset structures and algorithms","url":null,"keywords":"","version":"0.1.1","words":"bitmap a collection of bitmap / bitset structures and algorithms =cohara87","author":"=cohara87","date":"2012-01-23 "},{"name":"bitmap-integers","description":"Convert integer and boolean arrays to bitmap integers","url":null,"keywords":"","version":"1.0.1","words":"bitmap-integers convert integer and boolean arrays to bitmap integers =tabdigital","author":"=tabdigital","date":"2014-07-18 "},{"name":"bitmap-to-boxes","description":"Partitions a 2D binary image into rectangles","url":null,"keywords":"bitmap box rectangle decomposition partition minimal","version":"1.0.0","words":"bitmap-to-boxes partitions a 2d binary image into rectangles =mikolalysenko bitmap box rectangle decomposition partition minimal","author":"=mikolalysenko","date":"2014-07-02 "},{"name":"bitmap-triangulate","description":"Triangulates a bitmap image","url":null,"keywords":"bitmap image triangulate voxel mesh","version":"0.0.0","words":"bitmap-triangulate triangulates a bitmap image =mikolalysenko bitmap image triangulate voxel mesh","author":"=mikolalysenko","date":"2014-03-04 "},{"name":"bitmask","description":"bitmask utility","url":null,"keywords":"","version":"0.6.1","words":"bitmask bitmask utility =johnnyleung","author":"=johnnyleung","date":"2014-05-02 "},{"name":"bitme","description":"Communicate with BitMe REST API","url":null,"keywords":"bitme bitcoin","version":"0.0.10","words":"bitme communicate with bitme rest api =freewil bitme bitcoin","author":"=freewil","date":"2013-10-16 "},{"name":"bitmessage-node","description":"Node wrapper for bitmessage client api","url":null,"keywords":"bitmessage crypto anonymous api wrapper","version":"0.1.5","words":"bitmessage-node node wrapper for bitmessage client api =rexm bitmessage crypto anonymous api wrapper","author":"=rexm","date":"2013-09-16 "},{"name":"bitminter","description":"API wrapper for BitMinter.com","url":null,"keywords":"bitminter bitcoin api","version":"1.0.0","words":"bitminter api wrapper for bitminter.com =franklin bitminter bitcoin api","author":"=franklin","date":"2013-01-03 "},{"name":"bitmv","description":"Bit matrices and vectors","url":null,"keywords":"matrix bit vector transitive closure","version":"1.0.2","words":"bitmv bit matrices and vectors =aredridel matrix bit vector transitive closure","author":"=aredridel","date":"2014-05-27 "},{"name":"bitnz","description":"bitNZ API wrapper","url":null,"keywords":"bitnz btc bitcoin","version":"0.1.1","words":"bitnz bitnz api wrapper =djpnewton bitnz btc bitcoin","author":"=djpnewton","date":"2014-07-28 "},{"name":"bitparser","description":"Optimized parsing of bits from a Buffer","url":null,"keywords":"parser parsing binary bits buffer","version":"0.1.1","words":"bitparser optimized parsing of bits from a buffer =kanongil parser parsing binary bits buffer","author":"=kanongil","date":"2013-06-06 "},{"name":"bitpay","description":"BitPay Node.js API Client ==========================","url":null,"keywords":"bitpay rest api","version":"0.3.0","words":"bitpay bitpay node.js api client ========================== =gasteve =martindale bitpay rest api","author":"=gasteve =martindale","date":"2014-08-20 "},{"name":"bitpay-api","description":"bitpay-api api wrapper for JavaScript/NodeJS","url":null,"keywords":"bitcoin cryptocurrency payment","version":"0.0.2","words":"bitpay-api bitpay-api api wrapper for javascript/nodejs =digitaltangible bitcoin cryptocurrency payment","author":"=digitaltangible","date":"2014-07-31 "},{"name":"bitpay-gatewayd-plugin","description":"Inbound bridge for Bitcoins to Gatewayd on Ripple","url":null,"keywords":"bitcoin ripple bitpay gatewayd","version":"1.1.0","words":"bitpay-gatewayd-plugin inbound bridge for bitcoins to gatewayd on ripple =stevenzeiler bitcoin ripple bitpay gatewayd","author":"=stevenzeiler","date":"2014-08-20 "},{"name":"bitpay-node","description":"A Node.js library for the Bitpay Bitcoin API","url":null,"keywords":"bitpay bitcoin api","version":"0.0.4","words":"bitpay-node a node.js library for the bitpay bitcoin api =stevenzeiler bitpay bitcoin api","author":"=stevenzeiler","date":"2014-01-20 "},{"name":"bitquote","description":"current SELL price of bitcoin using Coinbase API","url":null,"keywords":"bitcoin price","version":"0.2.0","words":"bitquote current sell price of bitcoin using coinbase api =litzenberger bitcoin price","author":"=litzenberger","date":"2014-03-06 "},{"name":"bitrated","description":"Source code for Bitrated.com - bitcoin arbitration marketplace","url":null,"keywords":"","version":"0.2.1","words":"bitrated source code for bitrated.com - bitcoin arbitration marketplace =helgamantra","author":"=helgamantra","date":"2014-07-29 "},{"name":"bitreader","description":"Generic, space efficient parser with sugar for digesting strings, ints, etc.","url":null,"keywords":"","version":"0.0.1","words":"bitreader generic, space efficient parser with sugar for digesting strings, ints, etc. =brianloveswords","author":"=brianloveswords","date":"2012-07-16 "},{"name":"bitropy","description":"better passwords with controllable entropy","url":null,"keywords":"","version":"0.0.1","words":"bitropy better passwords with controllable entropy =malgorithms","author":"=malgorithms","date":"2013-11-01 "},{"name":"bits","description":"Easy bit manipulation","url":null,"keywords":"","version":"0.1.1","words":"bits easy bit manipulation =flosse","author":"=flosse","date":"2013-12-12 "},{"name":"bitscript","description":"An experimental language that compiles to JavaScript and C++","url":null,"keywords":"","version":"0.1.0","words":"bitscript an experimental language that compiles to javascript and c++ =evanw","author":"=evanw","date":"2014-03-04 "},{"name":"bitset","description":"BitSet implementation for JavaScript","url":null,"keywords":"bit bitset metrics","version":"0.3.0","words":"bitset bitset implementation for javascript =tdegrunt bit bitset metrics","author":"=tdegrunt","date":"2011-12-04 "},{"name":"bitset.js","description":"A bit vector implementation","url":null,"keywords":"math bit twiddle","version":"1.0.2","words":"bitset.js a bit vector implementation =infusion math bit twiddle","author":"=infusion","date":"2014-06-15 "},{"name":"bitshadowitems","description":"Components for Bit-Shadow Machine simulations.","url":null,"keywords":"","version":"0.1.1","words":"bitshadowitems components for bit-shadow machine simulations. =vinceallenvince","author":"=vinceallenvince","date":"2014-09-15 "},{"name":"bitshadowmachine","description":"Bit-Shadow-Machine renders particles in a web browser using CSS box shadows.","url":null,"keywords":"","version":"3.0.3","words":"bitshadowmachine bit-shadow-machine renders particles in a web browser using css box shadows. =vinceallenvince","author":"=vinceallenvince","date":"2014-09-17 "},{"name":"bitshifter","description":"A utility for bitshifting strings","url":null,"keywords":"bitsquatting bitshift url","version":"0.0.2-alpha","words":"bitshifter a utility for bitshifting strings =khrome bitsquatting bitshift url","author":"=khrome","date":"2014-02-14 "},{"name":"bitstamp","description":"Bitstamp REST API wrapper","url":null,"keywords":"bitstamp btc bitcoin","version":"0.1.8","words":"bitstamp bitstamp rest api wrapper =mvr bitstamp btc bitcoin","author":"=mvr","date":"2014-08-28 "},{"name":"bitstamp-api","description":"Bitstamp API Client for Node.JS","url":null,"keywords":"bitstamp api","version":"0.1.8","words":"bitstamp-api bitstamp api client for node.js =5an1ty bitstamp api","author":"=5an1ty","date":"2014-09-14 "},{"name":"bitstamp-request","description":"Send requests to Bitstamp API the same way you use Mikeal's 'request' module","url":null,"keywords":"trading bitstamp bitcoin","version":"0.1.2","words":"bitstamp-request send requests to bitstamp api the same way you use mikeal's 'request' module =jonahss trading bitstamp bitcoin","author":"=jonahss","date":"2013-10-31 "},{"name":"bitstamp-vwap","description":"Calculates and draws VWAP from Bitstamp.net","url":null,"keywords":"btc bitstamp vwap weighted price","version":"0.2.0","words":"bitstamp-vwap calculates and draws vwap from bitstamp.net =jhsto btc bitstamp vwap weighted price","author":"=jhsto","date":"2014-03-26 "},{"name":"bitstamp-ws","description":"Bitstamp WebSocket API wrapper","url":null,"keywords":"bitstamp btc bitcoin API WebSocket","version":"0.0.2","words":"bitstamp-ws bitstamp websocket api wrapper =mvr bitstamp btc bitcoin api websocket","author":"=mvr","date":"2014-05-20 "},{"name":"bitstream","description":"Stream bits without aligning them to byte boundaries","url":null,"keywords":"","version":"0.0.1","words":"bitstream stream bits without aligning them to byte boundaries =kkaefer","author":"=kkaefer","date":"2012-06-01 "},{"name":"bitstring","description":"Read/write packed binary strings bit-by-bit","url":null,"keywords":"bitstring binary buffer util server client browser","version":"1.0.0","words":"bitstring read/write packed binary strings bit-by-bit =dsc bitstring binary buffer util server client browser","author":"=dsc","date":"2012-07-17 "},{"name":"bitstupid","description":"The ultimate in minimal social networking","url":null,"keywords":"stupid social networking information theory","version":"0.1.2","words":"bitstupid the ultimate in minimal social networking =danielearwicker stupid social networking information theory","author":"=danielearwicker","date":"2014-07-03 "},{"name":"bitsy","description":"Fast and efficient bitset backed by a byte buffer","url":null,"keywords":"bitset bitmap bit vector bit array bits bit buffer","version":"0.0.5","words":"bitsy fast and efficient bitset backed by a byte buffer =ozanturgut bitset bitmap bit vector bit array bits bit buffer","author":"=ozanturgut","date":"2014-04-21 "},{"name":"bitsyntax","description":"Pattern-matching on byte buffers","url":null,"keywords":"","version":"0.0.4","words":"bitsyntax pattern-matching on byte buffers =squaremo","author":"=squaremo","date":"2014-05-16 "},{"name":"bitter","description":"Minimal blog engine for Git and Markdown enthusiasts","url":null,"keywords":"blog engine server git markdown","version":"0.3.2","words":"bitter minimal blog engine for git and markdown enthusiasts =iizukanao blog engine server git markdown","author":"=iizukanao","date":"2013-06-14 "},{"name":"bitterset","description":"a fast & simple bitset implementation","url":null,"keywords":"bitset set","version":"0.0.3","words":"bitterset a fast & simple bitset implementation =atonparker bitset set","author":"=atonparker","date":"2013-10-15 "},{"name":"bittorrent","description":"BitTorrent peer implementation","url":null,"keywords":"","version":"0.0.1","words":"bittorrent bittorrent peer implementation =deoxxa","author":"=deoxxa","date":"2012-08-10 "},{"name":"bittorrent-client","description":"Simple, robust, streaming bittorrent client.","url":null,"keywords":"torrent bittorrent bittorrent client streaming download webtorrent mad science","version":"0.12.4","words":"bittorrent-client simple, robust, streaming bittorrent client. =feross torrent bittorrent bittorrent client streaming download webtorrent mad science","author":"=feross","date":"2014-09-18 "},{"name":"bittorrent-created-by","description":"Parse bittorrent \"created by\" strings into objects or die trying!","url":null,"keywords":"bittorrent torrent parse","version":"0.0.1","words":"bittorrent-created-by parse bittorrent \"created by\" strings into objects or die trying! =deoxxa bittorrent torrent parse","author":"=deoxxa","date":"2013-09-13 "},{"name":"bittorrent-dht","description":"Simple, robust, BitTorrent DHT implementation","url":null,"keywords":"torrent bittorrent dht distributed hash table protocol peer p2p peer-to-peer","version":"2.3.1","words":"bittorrent-dht simple, robust, bittorrent dht implementation =feross torrent bittorrent dht distributed hash table protocol peer p2p peer-to-peer","author":"=feross","date":"2014-09-17 "},{"name":"bittorrent-dht-byo","description":"A middle-level library for interacting with the BitTorrent DHT network. Bring your own transport layer and peer logic.","url":null,"keywords":"bittorrent dht","version":"0.0.2","words":"bittorrent-dht-byo a middle-level library for interacting with the bittorrent dht network. bring your own transport layer and peer logic. =deoxxa bittorrent dht","author":"=deoxxa","date":"2014-01-04 "},{"name":"bittorrent-discovery","keywords":"","version":[],"words":"bittorrent-discovery","author":"","date":"2014-08-18 "},{"name":"bittorrent-peerid","description":"Maps a Bittorrent Peer ID to its corresponding client type and version.","url":null,"keywords":"torrent .torrent peer-to-peer bittorrent webtorrent peer","version":"1.0.0","words":"bittorrent-peerid maps a bittorrent peer id to its corresponding client type and version. =fisch0920 torrent .torrent peer-to-peer bittorrent webtorrent peer","author":"=fisch0920","date":"2014-05-28 "},{"name":"bittorrent-protocol","description":"Simple, robust, BitTorrent peer wire protocol implementation","url":null,"keywords":"torrent bittorrent protocol stream peer wire p2p peer-to-peer","version":"1.4.2","words":"bittorrent-protocol simple, robust, bittorrent peer wire protocol implementation =feross torrent bittorrent protocol stream peer wire p2p peer-to-peer","author":"=feross","date":"2014-09-17 "},{"name":"bittorrent-swarm","description":"Simple, robust, BitTorrent swarm implementation","url":null,"keywords":"torrent bittorrent protocol swarm stream peer wire p2p peer-to-peer","version":"0.16.2","words":"bittorrent-swarm simple, robust, bittorrent swarm implementation =feross torrent bittorrent protocol swarm stream peer wire p2p peer-to-peer","author":"=feross","date":"2014-09-18 "},{"name":"bittorrent-sync","description":"A simple wrapper for the BitTorrent Sync API","url":null,"keywords":"bittorrent btsync api p2p peer2peer","version":"0.0.3","words":"bittorrent-sync a simple wrapper for the bittorrent sync api =yannickcr bittorrent btsync api p2p peer2peer","author":"=yannickcr","date":"2013-11-16 "},{"name":"bittorrent-tracker","description":"Simple, robust, BitTorrent tracker (client & server) implementation","url":null,"keywords":"torrent bittorrent tracker stream peer wire p2p peer-to-peer","version":"2.6.1","words":"bittorrent-tracker simple, robust, bittorrent tracker (client & server) implementation =feross torrent bittorrent tracker stream peer wire p2p peer-to-peer","author":"=feross","date":"2014-09-17 "},{"name":"bittorrent-tracker-client","description":"Talk to your BitTorrent tracker","url":null,"keywords":"torrent bittorrent tracker udp http","version":"0.0.2","words":"bittorrent-tracker-client talk to your bittorrent tracker =astro torrent bittorrent tracker udp http","author":"=astro","date":"2014-03-28 "},{"name":"bittorrent-verifier","url":null,"keywords":"","version":"0.0.0","words":"bittorrent-verifier =feross","author":"=feross","date":"2014-08-10 "},{"name":"bittrex","description":"bittrex.com client for node.js","url":null,"keywords":"bittrex API Bitcoin Litecoin Dogecoin BTC LTC DOGE market","version":"0.0.2","words":"bittrex bittrex.com client for node.js =zalazdi bittrex api bitcoin litecoin dogecoin btc ltc doge market","author":"=zalazdi","date":"2014-03-13 "},{"name":"bitwise-or","description":"Bitwise OR as a function","url":null,"keywords":"bitwise","version":"1.0.0","words":"bitwise-or bitwise or as a function =kenan bitwise","author":"=kenan","date":"2014-09-04 "},{"name":"bitwise-xor","description":"Bitwise XOR between two Buffers or Strings, returns a Buffer","url":null,"keywords":"bitwise xor buffer string","version":"0.0.0","words":"bitwise-xor bitwise xor between two buffers or strings, returns a buffer =czzarr bitwise xor buffer string","author":"=czzarr","date":"2014-01-21 "},{"name":"bitwriter","description":"A better interface for writing bytes to Buffers","url":null,"keywords":"","version":"0.1.0","words":"bitwriter a better interface for writing bytes to buffers =brianloveswords","author":"=brianloveswords","date":"2014-09-18 "},{"name":"bitx","description":"A simple wrapper for the BitX API.","url":null,"keywords":"bitcoin bitx api","version":"1.3.0","words":"bitx a simple wrapper for the bitx api. =bausmeier bitcoin bitx api","author":"=bausmeier","date":"2014-06-15 "},{"name":"bitx-cli","description":"Call the BitX API from the command line.","url":null,"keywords":"bitcoin bitx api","version":"1.0.0","words":"bitx-cli call the bitx api from the command line. =bausmeier bitcoin bitx api","author":"=bausmeier","date":"2014-01-28 "},{"name":"bity","description":"A site like MilkandCookies in Node.js","url":null,"keywords":"","version":"0.0.0","words":"bity a site like milkandcookies in node.js =jaxon brooks","author":"=Jaxon Brooks","date":"2012-06-03 "},{"name":"bitzeus","description":"","url":null,"keywords":"","version":"0.0.1","words":"bitzeus =alanreid","author":"=alanreid","date":"2013-07-20 "},{"name":"biu","url":null,"keywords":"","version":"0.0.0","words":"biu =vilic","author":"=vilic","date":"2014-08-10 "},{"name":"bivouac","description":"BVH parser for JavaScript","url":null,"keywords":"bvh biovision skeleton motion capture euler joint","version":"0.0.1","words":"bivouac bvh parser for javascript =christopher giffard =cgiffard bvh biovision skeleton motion capture euler joint","author":"=Christopher Giffard =cgiffard","date":"2013-01-15 "},{"name":"biwascheme","description":"A practical Scheme interpreter written in JavaScript","url":null,"keywords":"scheme lisp interpreter repl biwa","version":"0.6.2","words":"biwascheme a practical scheme interpreter written in javascript =yhara scheme lisp interpreter repl biwa","author":"=yhara","date":"2014-02-16 "},{"name":"bixby","description":"Lightweight microservices framework for Node.js.","url":null,"keywords":"microservices","version":"0.0.1","words":"bixby lightweight microservices framework for node.js. =jaredhanson microservices","author":"=jaredhanson","date":"2014-09-06 "},{"name":"bixby-common","description":"Common components of the Bixby framework.","url":null,"keywords":"components common core foundation framework","version":"0.0.1","words":"bixby-common common components of the bixby framework. =jaredhanson components common core foundation framework","author":"=jaredhanson","date":"2014-09-06 "},{"name":"biz-fe","keywords":"","version":[],"words":"biz-fe","author":"","date":"2014-08-20 "},{"name":"biz-switch","description":"运行时开关","url":null,"keywords":"switch","version":"0.0.2","words":"biz-switch 运行时开关 =guangwong switch","author":"=guangwong","date":"2014-08-02 "},{"name":"bizrules","keywords":"","version":[],"words":"bizrules","author":"","date":"2014-05-10 "},{"name":"bizzfuzz","description":"Extendable FizzBuzz Library in Javascript (LOL)","url":null,"keywords":"fizz buzz FizzBuzz","version":"1.0.4","words":"bizzfuzz extendable fizzbuzz library in javascript (lol) =smizell fizz buzz fizzbuzz","author":"=smizell","date":"2014-04-21 "},{"name":"bjest","description":"Behavioral Conformance Testing for Javascript","url":null,"keywords":"Testing Javascript node","version":"0.0.1","words":"bjest behavioral conformance testing for javascript =mahdee testing javascript node","author":"=mahdee","date":"2014-08-15 "},{"name":"bjhvjkhkvjgljbvhl","description":"replicate localstorage through scuttlebutt.","url":null,"keywords":"","version":"0.0.1","words":"bjhvjkhkvjgljbvhl replicate localstorage through scuttlebutt. =timoxley","author":"=timoxley","date":"2014-01-08 "},{"name":"bjorling","description":"Projection builder","url":null,"keywords":"","version":"0.6.2","words":"bjorling projection builder =bmavity","author":"=bmavity","date":"2014-08-16 "},{"name":"bjorling-level-storage","description":"leveldb storage for Bjorling","url":null,"keywords":"","version":"0.6.0","words":"bjorling-level-storage leveldb storage for bjorling =bmavity","author":"=bmavity","date":"2013-11-04 "},{"name":"bjorling-memory-storage","description":"In memory storage for Bjorling","url":null,"keywords":"","version":"0.6.0","words":"bjorling-memory-storage in memory storage for bjorling =bmavity","author":"=bmavity","date":"2013-11-04 "},{"name":"bjorling-nedb-storage","description":"nedb storage for Bjorling","url":null,"keywords":"","version":"0.6.1","words":"bjorling-nedb-storage nedb storage for bjorling =bmavity","author":"=bmavity","date":"2014-08-16 "},{"name":"bjorling-static-storage","description":"Static file storage for bjorling","url":null,"keywords":"","version":"0.5.0","words":"bjorling-static-storage static file storage for bjorling =bmavity","author":"=bmavity","date":"2013-10-15 "},{"name":"bjorling-storage","description":"Projection builder","url":null,"keywords":"","version":"0.0.1","words":"bjorling-storage projection builder =bmavity","author":"=bmavity","date":"2013-05-02 "},{"name":"bjs","description":"Next BangaloreJS event on CLI.","url":null,"keywords":"","version":"0.0.3","words":"bjs next bangalorejs event on cli. =hemanth","author":"=hemanth","date":"2013-12-10 "},{"name":"bk-readability","description":"bokan's readability.what is the tools only i used.","url":null,"keywords":"bokan readability","version":"0.0.4","words":"bk-readability bokan's readability.what is the tools only i used. =chenxin6321 bokan readability","author":"=chenxin6321","date":"2013-08-27 "},{"name":"bk-utils","keywords":"","version":[],"words":"bk-utils","author":"","date":"2014-07-25 "},{"name":"bkbktest","description":"test package","url":null,"keywords":"","version":"0.0.1","words":"bkbktest test package =bian17888","author":"=bian17888","date":"2014-08-11 "},{"name":"bketsile_math_example_package","description":"bketsile Math Example","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"1.0.0","words":"bketsile_math_example_package bketsile math example =bketsile math example addition subtraction multiplication division fibonacci","author":"=bketsile","date":"2014-08-22 "},{"name":"bkn","description":"bkn cheerio command line app","url":null,"keywords":"bkn pns pegawai negeri sipil","version":"0.0.1","words":"bkn bkn cheerio command line app =diorahman bkn pns pegawai negeri sipil","author":"=diorahman","date":"2014-05-05 "},{"name":"bkn-cheerio","description":"bkn scrapper using cheerio","url":null,"keywords":"bkn scrapper nip indonesia pegawai negeri sipil","version":"0.0.1","words":"bkn-cheerio bkn scrapper using cheerio =diorahman bkn scrapper nip indonesia pegawai negeri sipil","author":"=diorahman","date":"2014-05-03 "},{"name":"bkn-scrapper","description":"Indonesian goverment civilian employee data scrapper","url":null,"keywords":"bkn indonesia nip pns","version":"0.0.2","words":"bkn-scrapper indonesian goverment civilian employee data scrapper =mdamt bkn indonesia nip pns","author":"=mdamt","date":"2014-07-10 "},{"name":"bkn-web","description":"bkn cheerio http interface","url":null,"keywords":"bkn pegawai negeri sipil indonesia","version":"0.0.2","words":"bkn-web bkn cheerio http interface =diorahman bkn pegawai negeri sipil indonesia","author":"=diorahman","date":"2014-05-05 "},{"name":"bktree","description":"A JavaScript implementation of a Burkhard-Keller Tree (BK-Tree)","url":null,"keywords":"","version":"0.1.4","words":"bktree a javascript implementation of a burkhard-keller tree (bk-tree) =jonah.harris","author":"=jonah.harris","date":"2013-11-02 "},{"name":"bkts","description":"launch the Brackets editor from the command line","url":null,"keywords":"","version":"0.0.2","words":"bkts launch the brackets editor from the command line =maxogden","author":"=maxogden","date":"2014-02-08 "},{"name":"bl","description":"Buffer List: collect buffers and access with a standard readable Buffer interface, streamable too!","url":null,"keywords":"buffer buffers stream awesomesauce","version":"0.9.3","words":"bl buffer list: collect buffers and access with a standard readable buffer interface, streamable too! =rvagg buffer buffers stream awesomesauce","author":"=rvagg","date":"2014-09-10 "},{"name":"bla","description":"Easy way to create your own API methods for server and client sides","url":null,"keywords":"","version":"0.0.12","words":"bla easy way to create your own api methods for server and client sides =tarmolov","author":"=tarmolov","date":"2014-09-15 "},{"name":"blab","description":"realtime chat for tt.fm","url":null,"keywords":"ttapi ttfm turntable","version":"0.0.1","words":"blab realtime chat for tt.fm =reduxd ttapi ttfm turntable","author":"=reduxd","date":"2013-09-29 "},{"name":"black","description":"Provides functionality missing from JS core in pure and functional style.","url":null,"keywords":"","version":"0.3.0","words":"black provides functionality missing from js core in pure and functional style. =killdream","author":"=killdream","date":"2011-08-14 "},{"name":"black-hole","description":"Measure function performance times on objects","url":null,"keywords":"benchmark speed node proxy measure performance","version":"0.1.0","words":"black-hole measure function performance times on objects =zolmeister benchmark speed node proxy measure performance","author":"=zolmeister","date":"2014-06-14 "},{"name":"black-hole-stream","description":"A writeable stream which silently drops all incoming data similar to /dev/null","url":null,"keywords":"stream writeable black-hole dev-null","version":"0.0.1","words":"black-hole-stream a writeable stream which silently drops all incoming data similar to /dev/null =peerigon stream writeable black-hole dev-null","author":"=peerigon","date":"2013-11-24 "},{"name":"black-ip-list","description":"black ip list","url":null,"keywords":"rubbish ip list","version":"0.1.0","words":"black-ip-list black ip list =light rubbish ip list","author":"=light","date":"2014-09-04 "},{"name":"black-pearl","description":"Metrics collector that push metrics to Elastic Search + Kibana.","url":null,"keywords":"metrics collector statsd kibana elasticsearch","version":"0.1.0","words":"black-pearl metrics collector that push metrics to elastic search + kibana. =neoziro metrics collector statsd kibana elasticsearch","author":"=neoziro","date":"2013-12-24 "},{"name":"black-pearl-client","description":"Ultra simple client to push metrics in a Elastic Search + Kibana.","url":null,"keywords":"metrics sender statsd kibana elasticsearch","version":"0.1.0","words":"black-pearl-client ultra simple client to push metrics in a elastic search + kibana. =neoziro metrics sender statsd kibana elasticsearch","author":"=neoziro","date":"2013-12-24 "},{"name":"black-sugar","description":"(work in progress)","url":null,"keywords":"","version":"0.0.0","words":"black-sugar (work in progress) =ariaminaei","author":"=ariaminaei","date":"2014-01-27 "},{"name":"black_coffee","keywords":"","version":[],"words":"black_coffee","author":"","date":"2011-08-29 "},{"name":"blackbean-node","description":"ORM tool for Node","url":null,"keywords":"ORM SQLite3 MySQL PostgreSQL BlackBean","version":"0.0.1","words":"blackbean-node orm tool for node =fsvm orm sqlite3 mysql postgresql blackbean","author":"=fsvm","date":"2013-09-01 "},{"name":"blackberry-build","description":"Grunt plugin to package web apps using the BlackBerry Web Works SDK","url":null,"keywords":"gruntplugin","version":"0.1.0","words":"blackberry-build grunt plugin to package web apps using the blackberry web works sdk =kazmiekr gruntplugin","author":"=kazmiekr","date":"2013-07-24 "},{"name":"blackberry-push","description":"Blackberry push API for node.js","url":null,"keywords":"blackberry push rim","version":"0.1.0","words":"blackberry-push blackberry push api for node.js =frederico.silva blackberry push rim","author":"=frederico.silva","date":"2013-01-09 "},{"name":"blackbird","description":"Confortable interfacing of event based transports","url":null,"keywords":"event api proxy websockets","version":"0.0.3","words":"blackbird confortable interfacing of event based transports =arokor event api proxy websockets","author":"=arokor","date":"2014-05-11 "},{"name":"blackboard","description":"Hands on lesson plan utility","url":null,"keywords":"","version":"0.0.1","words":"blackboard hands on lesson plan utility =fractal","author":"=fractal","date":"2013-10-30 "},{"name":"blackboardjs","description":"JavaScript Blackboard Workflow Controller","url":null,"keywords":"blackboard","version":"0.0.1","words":"blackboardjs javascript blackboard workflow controller =tag blackboard","author":"=tag","date":"2014-04-24 "},{"name":"blackbox","description":"Put data in; take data out; same data across child processes or networks with dnode.","url":null,"keywords":"rpc dnode persistent","version":"0.1.0","words":"blackbox put data in; take data out; same data across child processes or networks with dnode. =shama rpc dnode persistent","author":"=shama","date":"2012-12-16 "},{"name":"blackcatmq","description":"simple STOMP messages broker (aka STOMP server) in node.js","url":null,"keywords":"STOMP messages broker server demon","version":"0.0.7","words":"blackcatmq simple stomp messages broker (aka stomp server) in node.js =yaroslavgaponov stomp messages broker server demon","author":"=yaroslavgaponov","date":"2013-10-09 "},{"name":"blackcoffee","description":"CoffeeScript + hygienic macros","url":null,"keywords":"javascript language coffeescript macro compiler","version":"0.1.5","words":"blackcoffee coffeescript + hygienic macros =vanviegen javascript language coffeescript macro compiler","author":"=vanviegen","date":"2014-03-12 "},{"name":"blackhighlighter","description":"Client and server for widget implementing secure and committed web redaction","url":null,"keywords":"server cryptography redaction transparency accountability","version":"0.9.9-2","words":"blackhighlighter client and server for widget implementing secure and committed web redaction =hostilefork server cryptography redaction transparency accountability","author":"=hostilefork","date":"2014-07-21 "},{"name":"blackhole","description":"An empty function to discard results.","url":null,"keywords":"","version":"1.0.2","words":"blackhole an empty function to discard results. =romainfrancez","author":"=romainfrancez","date":"2014-03-13 "},{"name":"blackjack","description":"A simple blackjack server with client.","url":null,"keywords":"blackjack game server client card casino betting bet","version":"0.0.1","words":"blackjack a simple blackjack server with client. =stdarg blackjack game server client card casino betting bet","author":"=stdarg","date":"2014-02-20 "},{"name":"blackjack-cli","description":"The highest stakes blackjack","url":null,"keywords":"games","version":"0.1.0","words":"blackjack-cli the highest stakes blackjack =harrisonm games","author":"=harrisonm","date":"2014-04-08 "},{"name":"blacklisted-gulp","description":"Search blacklisted gulp plugins in your project.","url":null,"keywords":"gulp blacklist plugins","version":"0.0.3","words":"blacklisted-gulp search blacklisted gulp plugins in your project. =ernestoalejo gulp blacklist plugins","author":"=ernestoalejo","date":"2014-07-31 "},{"name":"blackmonkey","description":"A simple chat framework built on socket.io","url":null,"keywords":"chat socket.io framework express simple easy","version":"0.0.6","words":"blackmonkey a simple chat framework built on socket.io =shrimpboyho chat socket.io framework express simple easy","author":"=shrimpboyho","date":"2013-07-13 "},{"name":"blackout","description":"blackout express middleware","url":null,"keywords":"","version":"0.1.0","words":"blackout blackout express middleware =stagas","author":"=stagas","date":"2012-01-17 "},{"name":"blacksheepwall","keywords":"","version":[],"words":"blacksheepwall","author":"","date":"2013-11-06 "},{"name":"blacksmith","description":"A static site generator built with Node.js, JSDOM, and Weld.","url":null,"keywords":"","version":"1.1.3","words":"blacksmith a static site generator built with node.js, jsdom, and weld. =mmalecki =indexzero","author":"=mmalecki =indexzero","date":"2013-10-15 "},{"name":"blacksmith-apprentice","description":"blacksmith migration tool for blogs","url":null,"keywords":"","version":"0.0.1","words":"blacksmith-apprentice blacksmith migration tool for blogs =luk","author":"=luk","date":"2012-02-02 "},{"name":"blacksmith-sites","description":"A collection of starter blacksmith sites","url":null,"keywords":"","version":"0.0.3","words":"blacksmith-sites a collection of starter blacksmith sites =mmalecki =indexzero =jesusabdullah","author":"=mmalecki =indexzero =jesusabdullah","date":"2012-11-02 "},{"name":"blackstone","description":"[github](https://github.com/isglazunov/blackstone) isglazunov / Ivan Sergeevich Glazunov / isglazunov@gmail.com","url":null,"keywords":"","version":"0.1.0","words":"blackstone [github](https://github.com/isglazunov/blackstone) isglazunov / ivan sergeevich glazunov / isglazunov@gmail.com =isglazunov","author":"=isglazunov","date":"2013-11-29 "},{"name":"blacktea","description":"just a test","url":null,"keywords":"","version":"0.1.0","words":"blacktea just a test =blacktea1988","author":"=blacktea1988","date":"2013-04-05 "},{"name":"blad","description":"A forms based node.js CMS ala SilverStripe, but smaller","url":null,"keywords":"cms","version":"3.0.8","words":"blad a forms based node.js cms ala silverstripe, but smaller =radekstepan cms","author":"=radekstepan","date":"2014-01-15 "},{"name":"blade","description":"Blade - HTML Template Compiler, inspired by Jade & Haml","url":null,"keywords":"html compile compiler render view template engine jade haml live binding meteor","version":"3.3.0","words":"blade blade - html template compiler, inspired by jade & haml =bminer html compile compiler render view template engine jade haml live binding meteor","author":"=bminer","date":"2014-01-03 "},{"name":"blades","description":"A stack of states","url":null,"keywords":"angular state stack blade accordion","version":"0.0.0","words":"blades a stack of states =zzmp angular state stack blade accordion","author":"=zzmp","date":"2014-08-04 "},{"name":"bladestorm","description":"A lightweight web framework for node","url":null,"keywords":"","version":"0.0.0","words":"bladestorm a lightweight web framework for node =cfddream","author":"=cfddream","date":"2012-06-02 "},{"name":"blag","description":"A simple, robust Markdown-flavored blog with zero dependencies.","url":null,"keywords":"markdown blog static site","version":"0.0.1","words":"blag a simple, robust markdown-flavored blog with zero dependencies. =bburwell markdown blog static site","author":"=bburwell","date":"2013-11-26 "},{"name":"blage","description":"http module middleware","url":null,"keywords":"http middleware","version":"0.0.7","words":"blage http module middleware =ramitos http middleware","author":"=ramitos","date":"2012-11-15 "},{"name":"Blaggie-System","description":"Blog in pieces","url":null,"keywords":"","version":"0.1.0","words":"blaggie-system blog in pieces =10102009","author":"=10102009","date":"2011-08-23 "},{"name":"blagjs","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"1.0.0","words":"blagjs error: no readme.md file found! =granjef3","author":"=granjef3","date":"2012-10-13 "},{"name":"blah","description":"Blah version. Blah gitignore. Blah README. Boring. You need blah.","url":null,"keywords":"blah node gitignore readme","version":"0.0.6","words":"blah blah version. blah gitignore. blah readme. boring. you need blah. =ionicabizau blah node gitignore readme","author":"=ionicabizau","date":"2014-05-25 "},{"name":"blah_test_package","keywords":"","version":[],"words":"blah_test_package","author":"","date":"2014-05-14 "},{"name":"blake","description":"Simple, blog aware infrastructure to generate static sites","url":null,"keywords":"blog static site generator infrastructure","version":"0.9.2","words":"blake simple, blog aware infrastructure to generate static sites =michaelnisi blog static site generator infrastructure","author":"=michaelnisi","date":"2014-04-25 "},{"name":"blake2s","description":"port of Dmitry Chestnykh's blake2s-js to node style","url":null,"keywords":"hash blake2 blake2s","version":"1.0.1","words":"blake2s port of dmitry chestnykh's blake2s-js to node style =dominictarr hash blake2 blake2s","author":"=dominictarr","date":"2014-07-24 "},{"name":"blake2s-js","description":"Pure JavaScript implementation of BLAKE2s cryptographic hash function.","url":null,"keywords":"blake2 blake2s blake hash crypto cryptographic","version":"1.0.3","words":"blake2s-js pure javascript implementation of blake2s cryptographic hash function. =dchest blake2 blake2s blake hash crypto cryptographic","author":"=dchest","date":"2014-09-11 "},{"name":"blam","description":"Simple, inline, functional html templating.","url":null,"keywords":"","version":"0.5.4","words":"blam simple, inline, functional html templating. =elucidata","author":"=elucidata","date":"2012-06-25 "},{"name":"blamejs","description":"Parse git blame -p output","url":null,"keywords":"git","version":"1.0.0","words":"blamejs parse git blame -p output =mnmtanish git","author":"=mnmtanish","date":"2014-09-19 "},{"name":"blammo","description":"Blammo! Logger for NodeJS - built after LogBack for Java","url":null,"keywords":"logger logging log blammo","version":"0.4.5","words":"blammo blammo! logger for nodejs - built after logback for java =steven.looman logger logging log blammo","author":"=steven.looman","date":"2013-08-26 "},{"name":"blammo-mongodb-appender","description":"MongoDB appender for Blammo","url":null,"keywords":"logger logging log blammo mongodb","version":"0.1.0","words":"blammo-mongodb-appender mongodb appender for blammo =steven.looman logger logging log blammo mongodb","author":"=steven.looman","date":"2012-09-20 "},{"name":"bland","description":"Console logger for node, saving you customising just to use console.debug","url":null,"keywords":"logger console basic","version":"0.0.1","words":"bland console logger for node, saving you customising just to use console.debug =domudall logger console basic","author":"=domudall","date":"2014-03-10 "},{"name":"bland-chart","description":"ERROR: No README.md file found!","url":null,"keywords":"charting backbone svg","version":"0.0.4","words":"bland-chart error: no readme.md file found! =andyperlitch charting backbone svg","author":"=andyperlitch","date":"2013-04-27 "},{"name":"blank","description":"Common js functions library","url":null,"keywords":"library framework common","version":"0.1.22","words":"blank common js functions library =rumkin library framework common","author":"=rumkin","date":"2013-10-05 "},{"name":"blank-container","description":"nscale standard blank container","url":null,"keywords":"nearForm nscale deployer container","version":"0.1.0","words":"blank-container nscale standard blank container =matteo.collina =pelger nearform nscale deployer container","author":"=matteo.collina =pelger","date":"2014-08-29 "},{"name":"blank-css","description":"Minimal, Device agnostic & responsive barebone framework.","url":null,"keywords":"scss sass css bem oocss blank blank-css","version":"1.2.4","words":"blank-css minimal, device agnostic & responsive barebone framework. =ahmedelgabri scss sass css bem oocss blank blank-css","author":"=ahmedelgabri","date":"2014-09-07 "},{"name":"blank-js","description":"Common js functions library","url":null,"keywords":"library framework common","version":"0.1.22","words":"blank-js common js functions library =rumkin library framework common","author":"=rumkin","date":"2013-10-03 "},{"name":"blanket","description":"seamless js code coverage","url":null,"keywords":"coverage","version":"1.1.6","words":"blanket seamless js code coverage =alexseville coverage","author":"=alexseville","date":"2013-12-20 "},{"name":"blanket-brunch","description":"Add blanket.js support to brunch","url":null,"keywords":"blanket brunch","version":"1.5.1","words":"blanket-brunch add blanket.js support to brunch =jerfowler blanket brunch","author":"=jerfowler","date":"2013-03-21 "},{"name":"blankie","description":"a content security policy plugin for hapi","url":null,"keywords":"hapi csp plugin","version":"0.1.2","words":"blankie a content security policy plugin for hapi =nlf hapi csp plugin","author":"=nlf","date":"2014-07-24 "},{"name":"blanky","description":"empty data checker for node","url":null,"keywords":"","version":"1.0.2","words":"blanky empty data checker for node =openhiun","author":"=openhiun","date":"2014-06-29 "},{"name":"blarg","description":"A markdown-based blog toolkit","url":null,"keywords":"markdown blog","version":"0.1.4","words":"blarg a markdown-based blog toolkit =henry markdown blog","author":"=henry","date":"2012-03-21 "},{"name":"blarney","description":"Create repeatable random information","url":null,"keywords":"","version":"0.1.5","words":"blarney create repeatable random information =jocafa","author":"=jocafa","date":"2014-06-03 "},{"name":"blasphemy","description":"Multi-Faith Blasphemy Generator","url":null,"keywords":"blasphemy insult","version":"0.0.2","words":"blasphemy multi-faith blasphemy generator =trj blasphemy insult","author":"=trj","date":"2013-03-26 "},{"name":"blasshauss","description":"Blass Haus Design Web App","url":null,"keywords":"","version":"0.0.1","words":"blasshauss blass haus design web app =jherbin","author":"=jherbin","date":"2013-03-22 "},{"name":"blast","description":"A tiny, blazing fast two-way databinding JavaScript library","url":null,"keywords":"databinding templating two-way databinding observable observe","version":"0.1.0","words":"blast a tiny, blazing fast two-way databinding javascript library =attodorov databinding templating two-way databinding observable observe","author":"=attodorov","date":"2014-01-13 "},{"name":"blast-text","description":"Blast text apart to make it manipulable.","url":null,"keywords":"text parse typography search animation jquery zepto character word sentence","version":"1.1.1","words":"blast-text blast text apart to make it manipulable. =julianshapiro text parse typography search animation jquery zepto character word sentence","author":"=julianshapiro","date":"2014-08-08 "},{"name":"blast-wrapper","description":"wrapper for pairwise BLAST","url":null,"keywords":"bioinformatics blast","version":"0.0.4","words":"blast-wrapper wrapper for pairwise blast =leipzig bioinformatics blast","author":"=leipzig","date":"2013-08-16 "},{"name":"blaster-command","description":"Command-line parser for node","url":null,"keywords":"command line command-line parser","version":"0.5.1","words":"blaster-command command-line parser for node =amcclung command line command-line parser","author":"=amcclung","date":"2014-05-15 "},{"name":"blat","description":"JSON.stringify","url":null,"keywords":"stringify","version":"0.1.0","words":"blat json.stringify =jden stringify","author":"=jden","date":"2013-05-11 "},{"name":"blaze","description":"PHP's built-in web server as a zero-configuration development server.","url":null,"keywords":"php web server development built-in","version":"0.0.3","words":"blaze php's built-in web server as a zero-configuration development server. =ianwalter php web server development built-in","author":"=ianwalter","date":"2014-05-21 "},{"name":"blaze_compiler","description":"Transpiles extendable, schema orientated definitions into Firebase security rules","url":null,"keywords":"","version":"0.0.14","words":"blaze_compiler transpiles extendable, schema orientated definitions into firebase security rules =tomlarkworthy","author":"=tomlarkworthy","date":"2014-08-28 "},{"name":"blcdn","description":"Bloglovin CDN client","url":null,"keywords":"bloglovin cdn","version":"1.0.0","words":"blcdn bloglovin cdn client =hugowetterberg bloglovin cdn","author":"=hugowetterberg","date":"2014-03-28 "},{"name":"bld","description":"manifest-based builds","url":null,"keywords":"build concat manifest","version":"1.1.0","words":"bld manifest-based builds =itsjoesullivan build concat manifest","author":"=itsjoesullivan","date":"2013-01-23 "},{"name":"bldr","description":"bldr browser/define/require, a node/browser module builder","url":null,"keywords":"require browserify amd requirejs","version":"0.3.2","words":"bldr bldr browser/define/require, a node/browser module builder =wvl require browserify amd requirejs","author":"=wvl","date":"2014-07-04 "},{"name":"ble-ad-parser","description":"Parse Bluetooth Low Energy peripheral advertising packets","url":null,"keywords":"bluetooth low energy packet advertise parse","version":"0.0.41","words":"ble-ad-parser parse bluetooth low energy peripheral advertising packets =johnnyman727 =technicalmachine bluetooth low energy packet advertise parse","author":"=johnnyman727 =technicalmachine","date":"2014-06-10 "},{"name":"ble-bean","description":"Lightblue Bean BLE Services","url":null,"keywords":"ble bean punchthrough service noble","version":"1.0.0","words":"ble-bean lightblue bean ble services =jjrosent ble bean punchthrough service noble","author":"=jjrosent","date":"2014-09-19 "},{"name":"ble-ble112a","description":"Wait for it...","url":null,"keywords":"","version":"0.0.1","words":"ble-ble112a wait for it... =tcr","author":"=tcr","date":"2013-09-03 "},{"name":"ble-ble113","description":"Library to run the Bluetooth BLE113 Tessel Module.","url":null,"keywords":"tessel bluetooth ble ble113","version":"0.0.14","words":"ble-ble113 library to run the bluetooth ble113 tessel module. =tcr =johnnyman727 tessel bluetooth ble ble113","author":"=tcr =johnnyman727","date":"2014-02-03 "},{"name":"ble-ble113a","description":"Library to run the Bluetooth BLE113 Tessel Module.","url":null,"keywords":"tessel bluetooth ble ble113","version":"0.1.11","words":"ble-ble113a library to run the bluetooth ble113 tessel module. =johnnyman727 =technicalmachine =tcr tessel bluetooth ble ble113","author":"=johnnyman727 =technicalmachine =tcr","date":"2014-08-07 "},{"name":"ble-firmata","description":"BlendMicro & Arduino BLE-Shield Firmata implementation for Node.js","url":null,"keywords":"arduino blendmicro BLE firmata","version":"0.1.2","words":"ble-firmata blendmicro & arduino ble-shield firmata implementation for node.js =shokai arduino blendmicro ble firmata","author":"=shokai","date":"2014-06-14 "},{"name":"ble-http","description":"ble-http","url":null,"keywords":"BLE HTTP","version":"0.0.1","words":"ble-http ble-http =xwu ble http","author":"=xwu","date":"2014-08-28 "},{"name":"ble-packet-parser","description":"Bluetooth 4.0 LE packet parser.","url":null,"keywords":"ble bluetooth smart packet parser","version":"0.1.0","words":"ble-packet-parser bluetooth 4.0 le packet parser. =mfgcode ble bluetooth smart packet parser","author":"=mfgcode","date":"2013-10-20 "},{"name":"ble-scanner","description":"Bluetooth 4.0 LE scanner to receive advertisment packets utilizing bluez tools.","url":null,"keywords":"ble bluetooth smart scanner","version":"0.2.2","words":"ble-scanner bluetooth 4.0 le scanner to receive advertisment packets utilizing bluez tools. =mfgcode ble bluetooth smart scanner","author":"=mfgcode","date":"2013-10-20 "},{"name":"bleach","description":"A minimalistic HTML sanitizer","url":null,"keywords":"","version":"0.3.0","words":"bleach a minimalistic html sanitizer =ecto","author":"=ecto","date":"2014-06-11 "},{"name":"bleach.js","description":"A tree-walking HTML sanitizer, modeled after the python `bleach` library.","url":null,"keywords":"sanitizer","version":"0.0.1","words":"bleach.js a tree-walking html sanitizer, modeled after the python `bleach` library. =brianloveswords sanitizer","author":"=brianloveswords","date":"2012-08-10 "},{"name":"bleacon","description":"A node.js library for creating, discovering, and configuring iBeacons","url":null,"keywords":"ibeacon","version":"0.2.0","words":"bleacon a node.js library for creating, discovering, and configuring ibeacons =sandeepmistry ibeacon","author":"=sandeepmistry","date":"2014-01-02 "},{"name":"bleadvertise","description":"Parse and generate Bluetooth Low Energy peripheral advertising packets","url":null,"keywords":"bluetooth low energy packet advertise parse generate","version":"0.1.1","words":"bleadvertise parse and generate bluetooth low energy peripheral advertising packets =technicalmachine bluetooth low energy packet advertise parse generate","author":"=technicalmachine","date":"2014-07-29 "},{"name":"bleed","description":"Bleeds memory in a configurable and predictable way.","url":null,"keywords":"memory","version":"0.0.2","words":"bleed bleeds memory in a configurable and predictable way. =inconceivableduck memory","author":"=inconceivableduck","date":"2014-08-25 "},{"name":"bleeding-monk","description":"The bleeding monk.","url":null,"keywords":"","version":"0.0.5","words":"bleeding-monk the bleeding monk. =diorahman","author":"=diorahman","date":"2014-04-20 "},{"name":"bleep","description":"A module to make the terminal bleep.","url":null,"keywords":"","version":"0.1.0","words":"bleep a module to make the terminal bleep. =danielchatfield","author":"=danielchatfield","date":"2014-07-14 "},{"name":"blekko-search","keywords":"","version":[],"words":"blekko-search","author":"","date":"2014-04-27 "},{"name":"blend","description":"High speed image blending and quantization","url":null,"keywords":"","version":"0.10.1","words":"blend high speed image blending and quantization =kkaefer =yhahn =tmcw =willwhite =springmeyer","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer","date":"2014-04-11 "},{"name":"blender","description":"SVG 2 PNG asset conversion and file structure reorganization.","url":null,"keywords":"svg png","version":"0.0.8","words":"blender svg 2 png asset conversion and file structure reorganization. =srohde svg png","author":"=srohde","date":"2014-09-18 "},{"name":"blender-compiler","description":"Compiles per-pixel blend","url":null,"keywords":"","version":"0.1.1","words":"blender-compiler compiles per-pixel blend =mattesch","author":"=mattesch","date":"2014-02-05 "},{"name":"blending-modes","description":"Canvas Blending Modes","url":null,"keywords":"canvas web browser browserify dom html5","version":"0.0.0","words":"blending-modes canvas blending modes =azer canvas web browser browserify dom html5","author":"=azer","date":"2014-06-26 "},{"name":"blendmicro","description":"BlendMicro Node Lib","url":null,"keywords":"Arduino Firmata Bluetooth BLE BlendMicro","version":"0.1.1","words":"blendmicro blendmicro node lib =shokai arduino firmata bluetooth ble blendmicro","author":"=shokai","date":"2014-06-15 "},{"name":"blendui","description":"A Hybrid Javascript Framework For Mobile WebApp","url":null,"keywords":"","version":"0.0.3","words":"blendui a hybrid javascript framework for mobile webapp =cloudateam","author":"=cloudateam","date":"2014-09-16 "},{"name":"bleno","description":"A node.js module for implementing BLE (Bluetooth low energy) peripherals","url":null,"keywords":"BLE Bluetooth Bluetooth Low Energy Bluetooth Smart peripheral","version":"0.1.7","words":"bleno a node.js module for implementing ble (bluetooth low energy) peripherals =sandeepmistry ble bluetooth bluetooth low energy bluetooth smart peripheral","author":"=sandeepmistry","date":"2014-09-01 "},{"name":"blerg","description":"A Blerg (blerg.cc) api client","url":null,"keywords":"blerg microblogging twitter client","version":"0.0.2","words":"blerg a blerg (blerg.cc) api client =euank blerg microblogging twitter client","author":"=euank","date":"2014-06-20 "},{"name":"bless","description":"CSS Post-Processor","url":null,"keywords":"css parser bless less sass stylus","version":"3.0.3","words":"bless css post-processor =paulyoung css parser bless less sass stylus","author":"=paulyoung","date":"2013-10-07 "},{"name":"bless-brunch","description":"Adds bless css support to brunch.","url":null,"keywords":"bless-brunch bless","version":"1.6.1","words":"bless-brunch adds bless css support to brunch. =thomas.conner bless-brunch bless","author":"=thomas.conner","date":"2013-05-25 "},{"name":"bless4","description":"CSS Post-Processor","url":null,"keywords":"css parser bless less sass stylus","version":"4.10.1","words":"bless4 css post-processor =anru css parser bless less sass stylus","author":"=anru","date":"2014-06-24 "},{"name":"blessed","description":"A curses-like library for node.js.","url":null,"keywords":"curses tui tput terminfo termcap","version":"0.0.37","words":"blessed a curses-like library for node.js. =chjj curses tui tput terminfo termcap","author":"=chjj","date":"2014-06-27 "},{"name":"blessed-life","description":"A simple game of life simulation using the blessed node module.","url":null,"keywords":"game life conway simulation blessed","version":"1.1.2","words":"blessed-life a simple game of life simulation using the blessed node module. =coalman game life conway simulation blessed","author":"=coalman","date":"2013-10-25 "},{"name":"blessings","description":"A port of python blessings.","url":null,"keywords":"blessings curses cli tty ncurses style color console","version":"0.0.1","words":"blessings a port of python blessings. =jussi-kalliokoski blessings curses cli tty ncurses style color console","author":"=jussi-kalliokoski","date":"2013-07-22 "},{"name":"blessme","description":"CSS Post-Processor","url":null,"keywords":"css parser bless less sass stylus","version":"0.0.1","words":"blessme css post-processor =vineeth css parser bless less sass stylus","author":"=vineeth","date":"2014-05-14 "},{"name":"bletcd","description":"A minimalistic etcd client","url":null,"keywords":"etcd rest client","version":"1.0.2","words":"bletcd a minimalistic etcd client =hugowetterberg etcd rest client","author":"=hugowetterberg","date":"2014-08-11 "},{"name":"blew","description":"A terminal tool to http://blew.io :3","url":null,"keywords":"blew code cli blew.io","version":"0.0.1","words":"blew a terminal tool to http://blew.io :3 =marceloboeira blew code cli blew.io","author":"=marceloboeira","date":"2014-08-01 "},{"name":"blimp","description":"Node Library for the Blimp API.","url":null,"keywords":"blimp api project management awesome","version":"0.0.1","words":"blimp node library for the blimp api. =elving blimp api project management awesome","author":"=elving","date":"2013-03-01 "},{"name":"blimp-zeppelin","description":"A Backbone Framework used to build Blimp Boards (https://github.com/GetBlimp/boards).","url":null,"keywords":"backbone framework","version":"0.0.1","words":"blimp-zeppelin a backbone framework used to build blimp boards (https://github.com/getblimp/boards). =elving backbone framework","author":"=elving","date":"2014-06-12 "},{"name":"blindipsum","description":"generic lorem ipsum generator","url":null,"keywords":"lorem ipsum loremipsum","version":"0.0.2","words":"blindipsum generic lorem ipsum generator =intabulas lorem ipsum loremipsum","author":"=intabulas","date":"2013-07-12 "},{"name":"blindparser","description":"blindparser is an all purpose RSS/ATOM feed parser that parses feeds into a common format so that you do not have to care if they are RSS or ATOM feeds.","url":null,"keywords":"rss atom feed parser","version":"0.1.4","words":"blindparser blindparser is an all purpose rss/atom feed parser that parses feeds into a common format so that you do not have to care if they are rss or atom feeds. =dropdownmenu rss atom feed parser","author":"=dropdownmenu","date":"2014-04-30 "},{"name":"bling","description":"The kitchen sink library.","url":null,"keywords":"","version":"0.6.0","words":"bling the kitchen sink library. =jldailey","author":"=jldailey","date":"2014-09-17 "},{"name":"bling-css","description":"Bloglovin CSS \"framework\"","url":null,"keywords":"","version":"0.1.0","words":"bling-css bloglovin css \"framework\" =simme","author":"=simme","date":"2013-12-16 "},{"name":"bling_bling","description":"My alternative to HTML.","url":null,"keywords":"da99","version":"0.0.2","words":"bling_bling my alternative to html. =da99 da99","author":"=da99","date":"2013-06-15 "},{"name":"blingstorm_jira","description":"Jira API for Blingstorm","url":null,"keywords":"","version":"0.0.4","words":"blingstorm_jira jira api for blingstorm =fanchangyong","author":"=fanchangyong","date":"2014-09-17 "},{"name":"blink","description":"Blink converts Node.js modules into CSS and provides a CSS Authoring Framework, with BEM support.","url":null,"keywords":"blink css bem oocss framework gulpfriendly","version":"3.0.0","words":"blink blink converts node.js modules into css and provides a css authoring framework, with bem support. =jedmao blink css bem oocss framework gulpfriendly","author":"=jedmao","date":"2014-09-16 "},{"name":"blink-cli","description":"The blink command line interface.","url":null,"keywords":"blink cli css bem oocss framework","version":"1.0.0","words":"blink-cli the blink command line interface. =jedmao blink cli css bem oocss framework","author":"=jedmao","date":"2014-09-16 "},{"name":"blink-darksky","description":"use a blink(1) device with darksky to give ambient weather predictions","url":null,"keywords":"","version":"0.0.0","words":"blink-darksky use a blink(1) device with darksky to give ambient weather predictions =tmcw","author":"=tmcw","date":"2012-12-13 "},{"name":"blink-middleware","description":"Blink middleware for Express.","url":null,"keywords":"blink middleware express connect","version":"0.0.3","words":"blink-middleware blink middleware for express. =jedmao blink middleware express connect","author":"=jedmao","date":"2014-09-16 "},{"name":"blink-reporter","description":"a mocha reporter that changes a blink(1)","url":null,"keywords":"","version":"0.0.1","words":"blink-reporter a mocha reporter that changes a blink(1) =tmcw","author":"=tmcw","date":"2012-12-13 "},{"name":"blinkm","description":"control your BlinkM LED with node.js","url":null,"keywords":"","version":"0.0.1","words":"blinkm control your blinkm led with node.js =kelly","author":"=kelly","date":"2013-05-15 "},{"name":"blinkstick","description":"Blickstick API for Node.js","url":null,"keywords":"blinkstick led","version":"0.1.1","words":"blinkstick blickstick api for node.js =paulcuth blinkstick led","author":"=paulcuth","date":"2013-05-28 "},{"name":"blinkts-handlebars","description":"Handlebars provides the power necessary to let you build semantic templates effectively with no frustration. This version is modified to support promises for values.","url":null,"keywords":"blinkts handlebars mustache template html promises","version":"2.0.0-alpha.9","words":"blinkts-handlebars handlebars provides the power necessary to let you build semantic templates effectively with no frustration. this version is modified to support promises for values. =bmustiata blinkts handlebars mustache template html promises","author":"=bmustiata","date":"2014-07-18 "},{"name":"blinkts-lang","description":"The true TypeScript way. Only the core language pack, in order to allow migrating other libs to blink.","url":null,"keywords":"blinkts-lang blinkts.net blinkts typescript","version":"0.1.5","words":"blinkts-lang the true typescript way. only the core language pack, in order to allow migrating other libs to blink. =bmustiata blinkts-lang blinkts.net blinkts typescript","author":"=bmustiata","date":"2014-08-19 "},{"name":"blinky","description":"An elegant way to control your blink (mk2)","url":null,"keywords":"blink1 mk2","version":"0.0.1","words":"blinky an elegant way to control your blink (mk2) =edi9999 blink1 mk2","author":"=edi9999","date":"2014-07-10 "},{"name":"blip","description":"Become just another blip on the radar","url":null,"keywords":"","version":"0.2.2","words":"blip become just another blip on the radar =katanac","author":"=katanac","date":"2013-01-27 "},{"name":"bliss","description":"Embedded JavaScript templates based on .NET Razor and Play! Framework templates.","url":null,"keywords":"","version":"1.0.1","words":"bliss embedded javascript templates based on .net razor and play! framework templates. =cstivers78","author":"=cstivers78","date":"2012-06-07 "},{"name":"blissify","description":"a browserify v2 plugin for bliss","url":null,"keywords":"blissy browserify","version":"1.0.1","words":"blissify a browserify v2 plugin for bliss =kurttheviking blissy browserify","author":"=kurttheviking","date":"2014-07-06 "},{"name":"blitline","description":"Thin wrapper around the Blitline service. No rocket science here, just a helper wrapper with some primitive validation","url":null,"keywords":"","version":"1.1.6","words":"blitline thin wrapper around the blitline service. no rocket science here, just a helper wrapper with some primitive validation =blitline_developer","author":"=blitline_developer","date":"2012-05-08 "},{"name":"blitz","description":"Blitz node.js client API","url":null,"keywords":"","version":"0.4.1","words":"blitz blitz node.js client api =ghermeto","author":"=ghermeto","date":"2012-12-06 "},{"name":"blitzkrieg","description":"Middleware to provide an authorized domain for blitz.io","url":null,"keywords":"blitz express middleware load test production","version":"1.0.0","words":"blitzkrieg middleware to provide an authorized domain for blitz.io =hunterloftis blitz express middleware load test production","author":"=hunterloftis","date":"2014-09-01 "},{"name":"blitzLib","description":"A JavaScript utility to make even faster application","url":null,"keywords":"","version":"0.1.0","words":"blitzlib a javascript utility to make even faster application =zjhiphop","author":"=zjhiphop","date":"2011-10-10 "},{"name":"blizzard","description":"ooxx","url":null,"keywords":"framework server tianma","version":"0.0.1","words":"blizzard ooxx =xunuo framework server tianma","author":"=xunuo","date":"2014-05-14 "},{"name":"blk-server","description":"BLK game server.","url":null,"keywords":"javascript game server blk","version":"2012.12.31-2","words":"blk-server blk game server. =benvanik javascript game server blk","author":"=benvanik","date":"2012-12-31 "},{"name":"blkswan","description":"MySQL migration generator","url":null,"keywords":"MySQL generator migrate migration","version":"1.0.7","words":"blkswan mysql migration generator =bannerbschafer mysql generator migrate migration","author":"=bannerbschafer","date":"2014-03-09 "},{"name":"blo","description":"HTML blog system","url":null,"keywords":"","version":"0.2.1","words":"blo html blog system =bpierre","author":"=bpierre","date":"2011-10-12 "},{"name":"bloader","description":"file loader and serial terminal for arduino","url":null,"keywords":"","version":"0.1.4","words":"bloader file loader and serial terminal for arduino =billroy","author":"=billroy","date":"2013-03-25 "},{"name":"blob","description":"Abstracts out Blob and uses BlobBulder in cases where it is supported with any vendor prefix.","url":null,"keywords":"","version":"0.0.4","words":"blob abstracts out blob and uses blobbulder in cases where it is supported with any vendor prefix. =rase-","author":"=rase-","date":"2014-04-13 "},{"name":"Blob","description":"HTML5 FileAPI `Blob` for Node.JS.","url":null,"keywords":"html5 jsdom file-api Blob","version":"0.10.0","words":"blob html5 fileapi `blob` for node.js. =coolaj86 html5 jsdom file-api blob","author":"=coolaj86","date":"2011-07-15 "},{"name":"blob-object-store","keywords":"","version":[],"words":"blob-object-store","author":"","date":"2014-08-12 "},{"name":"blob-stream","description":"A Node-style writable stream for HTML5 Blobs","url":null,"keywords":"","version":"0.1.2","words":"blob-stream a node-style writable stream for html5 blobs =devongovett","author":"=devongovett","date":"2014-04-13 "},{"name":"blob-to-regexp","description":"Convert blobs to regular expressions","url":null,"keywords":"regexp blob","version":"0.0.0","words":"blob-to-regexp convert blobs to regular expressions =nickfitzgerald regexp blob","author":"=nickfitzgerald","date":"2013-07-16 "},{"name":"blob64","description":"convert byte arrays into efficient base64 encoded strings","url":null,"keywords":"","version":"0.1.1","words":"blob64 convert byte arrays into efficient base64 encoded strings =bwiklund","author":"=bwiklund","date":"2013-12-30 "},{"name":"blobber","description":"blobber =======","url":null,"keywords":"","version":"0.0.2","words":"blobber blobber ======= =jsmarkus","author":"=jsmarkus","date":"2013-06-13 "},{"name":"BlobBuilder","description":"HTML5 FileAPI `BlobBuilder` for Node.JS.","url":null,"keywords":"html5 jsdom file-api BlobBuilder","version":"0.10.0","words":"blobbuilder html5 fileapi `blobbuilder` for node.js. =coolaj86 html5 jsdom file-api blobbuilder","author":"=coolaj86","date":"2011-07-15 "},{"name":"BlobBuilder-browser","description":"returns either BlobBuilder, MozBlobBuilder, or WebKitBlobBuilder","url":null,"keywords":"","version":"1.0.0","words":"blobbuilder-browser returns either blobbuilder, mozblobbuilder, or webkitblobbuilder =coolaj86","author":"=coolaj86","date":"2012-03-03 "},{"name":"blobinfo","description":"Lightweight library designed for inspecting blobs, mostly for getting image properties.","url":null,"keywords":"blob bmp buffer file gif image info information inspect jpeg jpg png mime string type","version":"0.1.2","words":"blobinfo lightweight library designed for inspecting blobs, mostly for getting image properties. =kobalicek blob bmp buffer file gif image info information inspect jpeg jpg png mime string type","author":"=kobalicek","date":"2014-08-09 "},{"name":"block","description":".replace('{{block}}', string)","url":null,"keywords":"","version":"0.2.1","words":"block .replace('{{block}}', string) =jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =queckezz =anthonyshort =dominicbarnes =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =queckezz =anthonyshort =dominicbarnes =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"block-elements","description":"Array of \"block level elements\" defined by the HTML specification","url":null,"keywords":"browser data block level elements html html4 html5 array","version":"1.0.0","words":"block-elements array of \"block level elements\" defined by the html specification =tootallnate browser data block level elements html html4 html5 array","author":"=tootallnate","date":"2014-08-27 "},{"name":"block-file","description":"A library to read/write blocks from a file","url":null,"keywords":"block buffer storage","version":"1.2.0","words":"block-file a library to read/write blocks from a file =lleo block buffer storage","author":"=lleo","date":"2013-09-18 "},{"name":"block-models","description":"custom non-cube block models for voxel.js","url":null,"keywords":"voxel model block vertices uv mesh","version":"0.1.0","words":"block-models custom non-cube block models for voxel.js =deathcap voxel model block vertices uv mesh","author":"=deathcap","date":"2014-06-14 "},{"name":"block-reader","description":"read specific chunks of files by offset","url":null,"keywords":"file iterate chunks","version":"0.0.0","words":"block-reader read specific chunks of files by offset =soldair file iterate chunks","author":"=soldair","date":"2013-09-19 "},{"name":"block-scope","description":"A simple helper tool to create block scopes, that are easier to read than self-invoked anonymous functions.","url":null,"keywords":"scope block","version":"0.1.0","words":"block-scope a simple helper tool to create block scopes, that are easier to read than self-invoked anonymous functions. =morphar scope block","author":"=morphar","date":"2013-08-13 "},{"name":"block-stream","description":"a stream of blocks","url":null,"keywords":"","version":"0.0.7","words":"block-stream a stream of blocks =isaacs","author":"=isaacs","date":"2013-07-24 "},{"name":"block-timer","description":"Timer utility for timing blocks of code that are run one or more times","url":null,"keywords":"timer benchmark debug","version":"0.1.1","words":"block-timer timer utility for timing blocks of code that are run one or more times =jedwatson timer benchmark debug","author":"=jedwatson","date":"2014-06-13 "},{"name":"block_io","description":"Block.io API wrapper for node.js","url":null,"keywords":"block.io block_io bitcoin litecoin dogecoin wallet","version":"0.2.0","words":"block_io block.io api wrapper for node.js =kindoge block.io block_io bitcoin litecoin dogecoin wallet","author":"=kindoge","date":"2014-08-14 "},{"name":"blockchain","description":"node.js module to access the blockchain websocket api","url":null,"keywords":"blockchain bitcoin api","version":"1.0.6","words":"blockchain node.js module to access the blockchain websocket api =abrkn blockchain bitcoin api","author":"=abrkn","date":"2014-04-27 "},{"name":"blockchain-account-monitor","description":"Listen for transactions made to your bitcoin, dogecoin, etc daemons","url":null,"keywords":"blockchain bitcoin dogecoin","version":"0.2.0","words":"blockchain-account-monitor listen for transactions made to your bitcoin, dogecoin, etc daemons =stevenzeiler blockchain bitcoin dogecoin","author":"=stevenzeiler","date":"2014-08-27 "},{"name":"blockchain-info-ematiu","description":"A fork of Or Weinberger's nodejs implementation of the blockchain.info JSON API","url":null,"keywords":"bitcoin blockchain","version":"0.0.1","words":"blockchain-info-ematiu a fork of or weinberger's nodejs implementation of the blockchain.info json api =ematiu bitcoin blockchain","author":"=ematiu","date":"2013-12-20 "},{"name":"blockchain-json-api","description":"A nodejs implementation of the blockchain.info JSON API","url":null,"keywords":"bitcoin blockchain mongodb","version":"0.0.7","words":"blockchain-json-api a nodejs implementation of the blockchain.info json api =orweinberger bitcoin blockchain mongodb","author":"=orweinberger","date":"2013-12-21 "},{"name":"blockchain-link","description":"Link - The Blockchain File Sharing Protocol","url":null,"keywords":"link blockchain bitcoin feathercoin","version":"0.1.1","words":"blockchain-link link - the blockchain file sharing protocol =tsavo link blockchain bitcoin feathercoin","author":"=tsavo","date":"2014-05-15 "},{"name":"blockchain-link-server","description":"A Link web interface","url":null,"keywords":"","version":"0.0.1","words":"blockchain-link-server a link web interface =tsavo","author":"=tsavo","date":"2013-12-24 "},{"name":"blockchain-mongo","description":"Load blockchain info to a MongoDB","url":null,"keywords":"bitcoin blockchain mongodb","version":"0.0.7","words":"blockchain-mongo load blockchain info to a mongodb =orweinberger bitcoin blockchain mongodb","author":"=orweinberger","date":"2013-11-10 "},{"name":"blockchain-monitor","description":"Listen for transactions made to your bitcoin, dogecoin, etc daemons","url":null,"keywords":"blockchain bitcoin dogecoin","version":"0.2.0","words":"blockchain-monitor listen for transactions made to your bitcoin, dogecoin, etc daemons =stevenzeiler blockchain bitcoin dogecoin","author":"=stevenzeiler","date":"2014-08-27 "},{"name":"blockchain-wallet","description":"blockchain.info wallet API client for node.js","url":null,"keywords":"btc bitcoin blockchain wallet","version":"0.0.4","words":"blockchain-wallet blockchain.info wallet api client for node.js =pskupinski btc bitcoin blockchain wallet","author":"=pskupinski","date":"2014-04-13 "},{"name":"blockdown","description":"Markdown content injector for pure HTML templates","url":null,"keywords":"content markdown template","version":"0.4.3","words":"blockdown markdown content injector for pure html templates =damonoehlman content markdown template","author":"=damonoehlman","date":"2014-06-16 "},{"name":"blocked","description":"check if the event loop is blocked","url":null,"keywords":"block event loop performance","version":"1.0.0","words":"blocked check if the event loop is blocked =tjholowaychuk block event loop performance","author":"=tjholowaychuk","date":"2014-06-10 "},{"name":"blocker","description":"Read a stream in sliced chunks associating each chunk with a callback.","url":null,"keywords":"stream block chunk","version":"0.0.3","words":"blocker read a stream in sliced chunks associating each chunk with a callback. =bigeasy stream block chunk","author":"=bigeasy","date":"2014-09-14 "},{"name":"blockflow","description":"Yet another documentation generator. This one, however, uses custom annotations to place emphasis on event-driven/streaming APIs. It also exposes your API data as an API. That's so meta.","url":null,"keywords":"","version":"0.0.10","words":"blockflow yet another documentation generator. this one, however, uses custom annotations to place emphasis on event-driven/streaming apis. it also exposes your api data as an api. that's so meta. =johnnyray","author":"=johnnyray","date":"2014-08-01 "},{"name":"blockify","description":"The block package manager","url":null,"keywords":"","version":"1.4.3","words":"blockify the block package manager =jmswrnr","author":"=jmswrnr","date":"2014-07-31 "},{"name":"blockify-block-manager","keywords":"","version":[],"words":"blockify-block-manager","author":"","date":"2014-07-02 "},{"name":"blockify-config","description":"The Blockify config reader and writer.","url":null,"keywords":"","version":"0.5.3","words":"blockify-config the blockify config reader and writer. =jmswrnr","author":"=jmswrnr","date":"2014-07-02 "},{"name":"blockify-json","description":"Read block.json files with semantics, normalisation, defaults and validation.","url":null,"keywords":"","version":"0.4.0","words":"blockify-json read block.json files with semantics, normalisation, defaults and validation. =jmswrnr","author":"=jmswrnr","date":"2014-07-02 "},{"name":"blocking","description":"Pseudo-Blocking Async Javascript Functions","url":null,"keywords":"","version":"0.0.8","words":"blocking pseudo-blocking async javascript functions =aldobucchi","author":"=aldobucchi","date":"2013-08-09 "},{"name":"blocklog","description":"A simple and adaptable stream-based logging lib for node.js","url":null,"keywords":"logger logging log stream express rotation","version":"0.5.2","words":"blocklog a simple and adaptable stream-based logging lib for node.js =robinthrift logger logging log stream express rotation","author":"=robinthrift","date":"2014-02-13 "},{"name":"blockly","description":"Browser-friendly Scratch-clone, Blockly! now on node","url":null,"keywords":"","version":"0.0.6","words":"blockly browser-friendly scratch-clone, blockly! now on node =kumavis","author":"=kumavis","date":"2013-08-15 "},{"name":"blockly-mooc","description":"Blockly is a web-based, graphical programming editor. Users can drag blocks together to build an application. No typing required. Credit goes to these awesome [developers](https://code.google.com/p/blockly/wiki/Credits#Engineers) and a small army of [translators](https://code.google.com/p/blockly/wiki/Credits#Translators).","url":null,"keywords":"","version":"0.0.97","words":"blockly-mooc blockly is a web-based, graphical programming editor. users can drag blocks together to build an application. no typing required. credit goes to these awesome [developers](https://code.google.com/p/blockly/wiki/credits#engineers) and a small army of [translators](https://code.google.com/p/blockly/wiki/credits#translators). =bbloom =patricko =tobyk100 =nan","author":"=bbloom =patricko =tobyk100 =nan","date":"2013-11-19 "},{"name":"blockmodelcleaner","description":"Program that creates clean outlines of a minesight dxf block model export","url":null,"keywords":"","version":"1.0.0","words":"blockmodelcleaner program that creates clean outlines of a minesight dxf block model export =danielchilds","author":"=danielchilds","date":"2014-09-15 "},{"name":"blocko","description":"block the latest 100 people who RT'd a given tweet","url":null,"keywords":"","version":"0.2.2","words":"blocko block the latest 100 people who rt'd a given tweet =nsno","author":"=nsno","date":"2014-04-27 "},{"name":"blockquote","description":"Add block quotes to your posts","url":null,"keywords":"scotch plugin formatter blockquote","version":"0.0.3","words":"blockquote add block quotes to your posts =benng scotch plugin formatter blockquote","author":"=benng","date":"2013-08-04 "},{"name":"blockquote-command","description":"Command implementation for inserting a BLOCKQUOTE node","url":null,"keywords":"browser command interface blockquote indent outdent","version":"1.2.1","words":"blockquote-command command implementation for inserting a blockquote node =tootallnate browser command interface blockquote indent outdent","author":"=tootallnate","date":"2014-09-09 "},{"name":"blocks","description":"Builds modules like lego blocks.","url":null,"keywords":"blocks block layout","version":"0.0.1","words":"blocks builds modules like lego blocks. =jiggliemon blocks block layout","author":"=jiggliemon","date":"2013-11-12 "},{"name":"blockscore","description":"BlockScore API wrapper","url":null,"keywords":"blockscore block score identity verification company verification watchlist monitoring ofac kyc know your customer verification","version":"3.2.0","words":"blockscore blockscore api wrapper =blockscore =alain blockscore block score identity verification company verification watchlist monitoring ofac kyc know your customer verification","author":"=blockscore =alain","date":"2014-09-11 "},{"name":"blode","description":"A simple static site/blog generator like jekyll.","url":null,"keywords":"blog jekyll static web site markdown","version":"0.1.2","words":"blode a simple static site/blog generator like jekyll. =islon blog jekyll static web site markdown","author":"=islon","date":"2012-02-01 "},{"name":"bloem","description":"Bloom Filter using the FNV hash function","url":null,"keywords":"bloom filter scalable bloom filters","version":"0.2.3","words":"bloem bloom filter using the fnv hash function =wiedi bloom filter scalable bloom filters","author":"=wiedi","date":"2013-06-01 "},{"name":"blofeld","description":"Setup and sync an S3 bucket for website serving","url":null,"keywords":"s3 aws serve sync website","version":"0.2.1","words":"blofeld setup and sync an s3 bucket for website serving =quarterto s3 aws serve sync website","author":"=quarterto","date":"2014-06-06 "},{"name":"blog","description":"My blog","url":null,"keywords":"nserver blog","version":"0.0.3-1","words":"blog my blog =thomblake nserver blog","author":"=thomblake","date":"2011-09-15 "},{"name":"blog-base","description":"An extremely lightweight blogging backend for node.","url":null,"keywords":"","version":"0.2.0","words":"blog-base an extremely lightweight blogging backend for node. =jli","author":"=jli","date":"2013-10-23 "},{"name":"blog-builder","description":"A static blog builder made with NodeJS. Put HTML or Markdown articles in, get a static-HTML blog out; complete with tags, archives, pagination, sitemap, and RSS feed.","url":null,"keywords":"static html markdown blog articles","version":"0.0.2","words":"blog-builder a static blog builder made with nodejs. put html or markdown articles in, get a static-html blog out; complete with tags, archives, pagination, sitemap, and rss feed. =chill1 static html markdown blog articles","author":"=chill1","date":"2014-04-24 "},{"name":"blog-it-dao","description":"dao factory used for Blog it, it create a service for a given mongodb collection. Every method of the API returns a promise","url":null,"keywords":"dao mongodb factory","version":"0.1.0","words":"blog-it-dao dao factory used for blog it, it create a service for a given mongodb collection. every method of the api returns a promise =lorenzofox3 dao mongodb factory","author":"=lorenzofox3","date":"2014-04-17 "},{"name":"blog-it-stub","description":"a stub library to stub promises","url":null,"keywords":"stub promise test blog-it","version":"0.1.0","words":"blog-it-stub a stub library to stub promises =lorenzofox3 stub promise test blog-it","author":"=lorenzofox3","date":"2014-04-22 "},{"name":"blog-maker","description":"Blog generator from .md post files, highly inspired from blog.nodejs.org","url":null,"keywords":"blog node markdown","version":"0.2.1","words":"blog-maker blog generator from .md post files, highly inspired from blog.nodejs.org =daviddias blog node markdown","author":"=daviddias","date":"2013-07-21 "},{"name":"blog-request","description":"A node.js module getting a blog type and proper html from popular blogs using redirection or frameset.","url":null,"keywords":"","version":"0.0.2","words":"blog-request a node.js module getting a blog type and proper html from popular blogs using redirection or frameset. =xissy","author":"=xissy","date":"2013-07-14 "},{"name":"blog-scraper","description":"A general blog scraper","url":null,"keywords":"","version":"0.2.2","words":"blog-scraper a general blog scraper =ile","author":"=ile","date":"2014-09-15 "},{"name":"blog.js","keywords":"","version":[],"words":"blog.js","author":"","date":"2014-03-01 "},{"name":"blog.md","description":"BLOGS + MARKDOWN","url":null,"keywords":"blog markdown","version":"1.8.0","words":"blog.md blogs + markdown =cohara87 blog markdown","author":"=cohara87","date":"2014-04-14 "},{"name":"blogbyvista","description":"ERROR: No README.md file found!","url":null,"keywords":"blog","version":"0.1.1","words":"blogbyvista error: no readme.md file found! =zhrongvista blog","author":"=zhrongvista","date":"2013-05-10 "},{"name":"blogctuary","description":"Prove you were alive from the comfort of a safe place","url":null,"keywords":"nodejs blog framework","version":"0.0.1","words":"blogctuary prove you were alive from the comfort of a safe place =danschumann nodejs blog framework","author":"=danschumann","date":"2013-11-23 "},{"name":"blogdown","description":"Generate HTML with Mustache and Markdown","url":null,"keywords":"html generator mustache markdown","version":"0.7.0","words":"blogdown generate html with mustache and markdown =mantoni html generator mustache markdown","author":"=mantoni","date":"2013-05-05 "},{"name":"blogger2ghost","description":"Blogspot JSON migrator plugin for Ghost","url":null,"keywords":"ghost blog import importer","version":"0.5.1","words":"blogger2ghost blogspot json migrator plugin for ghost =bebraw ghost blog import importer","author":"=bebraw","date":"2014-08-25 "},{"name":"blogger2jekyll","description":"Converts old-school blogger export file to html with yaml frontmatter for static bloggers such as ruhoh, jekyll, octopress, nanoc, etc","url":null,"keywords":"","version":"1.2.0","words":"blogger2jekyll converts old-school blogger export file to html with yaml frontmatter for static bloggers such as ruhoh, jekyll, octopress, nanoc, etc =coolaj86","author":"=coolaj86","date":"2013-06-12 "},{"name":"bloggify","description":"A Node.JS based blogging platform that is designed to be fast and easy to use. It will be open sourced soon.","url":null,"keywords":"","version":"0.0.0","words":"bloggify a node.js based blogging platform that is designed to be fast and easy to use. it will be open sourced soon. =ionicabizau","author":"=ionicabizau","date":"2014-06-26 "},{"name":"bloggify-contact-form","description":"The official contact form plugin for Bloggify","url":null,"keywords":"bloggify contact form blog","version":"0.0.0","words":"bloggify-contact-form the official contact form plugin for bloggify =ionicabizau bloggify contact form blog","author":"=ionicabizau","date":"2014-07-03 "},{"name":"bloggify-default-theme","description":"Default theme for Bloggify","url":null,"keywords":"bloggify default theme","version":"0.1.0","words":"bloggify-default-theme default theme for bloggify =ionicabizau bloggify default theme","author":"=ionicabizau","date":"2014-07-16 "},{"name":"bloggify-post-tags","description":"A Bloggify plugin that adds the functionality to add tags to posts.","url":null,"keywords":"bloggify posts tags","version":"0.1.0","words":"bloggify-post-tags a bloggify plugin that adds the functionality to add tags to posts. =ionicabizau bloggify posts tags","author":"=ionicabizau","date":"2014-07-02 "},{"name":"bloggr","description":"Simple blog engine","url":null,"keywords":"","version":"0.0.0-alpha","words":"bloggr simple blog engine =alekmych","author":"=alekmych","date":"2014-04-19 "},{"name":"bloggy","description":"Small and lightweight extensible blog engine.","url":null,"keywords":"blog markdown engine small lightweight extensible","version":"0.0.19","words":"bloggy small and lightweight extensible blog engine. =marcells blog markdown engine small lightweight extensible","author":"=marcells","date":"2014-09-07 "},{"name":"bloggy-cache","description":"A cache for the blog posts in bloggy, a small and lightweight blog engine.","url":null,"keywords":"blog markdown engine small lightweight marked","version":"0.0.2","words":"bloggy-cache a cache for the blog posts in bloggy, a small and lightweight blog engine. =marcells blog markdown engine small lightweight marked","author":"=marcells","date":"2014-06-25 "},{"name":"bloggy-marked","description":"A markdown parser for blog posts in bloggy, a small and lightweight markdown blog engine.","url":null,"keywords":"blog markdown engine small lightweight marked","version":"0.0.4","words":"bloggy-marked a markdown parser for blog posts in bloggy, a small and lightweight markdown blog engine. =marcells blog markdown engine small lightweight marked","author":"=marcells","date":"2014-05-07 "},{"name":"bloggy-marked-toc","description":"A table of contents (TOC) generator for blog posts in bloggy, a small and lightweight blog engine.","url":null,"keywords":"blog markdown engine small lightweight marked","version":"0.0.2","words":"bloggy-marked-toc a table of contents (toc) generator for blog posts in bloggy, a small and lightweight blog engine. =marcells blog markdown engine small lightweight marked","author":"=marcells","date":"2014-05-11 "},{"name":"bloggy-query","description":"Creates fluent methods to query for blog posts and tags in bloggy, a small and lightweight markdown blog engine.","url":null,"keywords":"blog markdown engine small lightweight linq","version":"0.0.1","words":"bloggy-query creates fluent methods to query for blog posts and tags in bloggy, a small and lightweight markdown blog engine. =marcells blog markdown engine small lightweight linq","author":"=marcells","date":"2014-02-26 "},{"name":"bloggy-reading-speed","description":"A reading speed calculator for blog posts in bloggy, a small and lightweight blog engine.","url":null,"keywords":"blog markdown engine small lightweight marked","version":"0.0.1","words":"bloggy-reading-speed a reading speed calculator for blog posts in bloggy, a small and lightweight blog engine. =marcells blog markdown engine small lightweight marked","author":"=marcells","date":"2014-05-31 "},{"name":"bloggy-rss","description":"RSS plugin for bloggy, a small and lightweight markdown blog engine.","url":null,"keywords":"blog markdown engine small lightweight rss","version":"0.0.1","words":"bloggy-rss rss plugin for bloggy, a small and lightweight markdown blog engine. =marcells blog markdown engine small lightweight rss","author":"=marcells","date":"2014-02-26 "},{"name":"bloggy-summary","description":"A summary generator for blog posts in bloggy, a small and lightweight blog engine.","url":null,"keywords":"blog markdown engine small lightweight marked","version":"0.0.3","words":"bloggy-summary a summary generator for blog posts in bloggy, a small and lightweight blog engine. =marcells blog markdown engine small lightweight marked","author":"=marcells","date":"2014-05-21 "},{"name":"blogify","description":"Blogify a directory of markdown posts","url":null,"keywords":"blog generator static server blogging","version":"0.0.2","words":"blogify blogify a directory of markdown posts =anupbishnoi blog generator static server blogging","author":"=anupbishnoi","date":"2013-05-28 "},{"name":"blogin","description":"A simple static blog framework, powered by Node.js.","url":null,"keywords":"website blog framework static blogin","version":"0.2.2","words":"blogin a simple static blog framework, powered by node.js. =zmmbreeze website blog framework static blogin","author":"=zmmbreeze","date":"2013-06-09 "},{"name":"blogist","description":"blog with gist","url":null,"keywords":"blog gist blogist","version":"1.0.3","words":"blogist blog with gist =oyanglulu blog gist blogist","author":"=oyanglulu","date":"2014-07-11 "},{"name":"blogit","description":"Minimalist Node.js blog engine using Markdown and Git for storage.","url":null,"keywords":"blog blogging git md markdown","version":"0.0.5","words":"blogit minimalist node.js blog engine using markdown and git for storage. =dshaw blog blogging git md markdown","author":"=dshaw","date":"2012-06-07 "},{"name":"blogman","description":"An easy-to-use blog engine for developers.","url":null,"keywords":"","version":"0.1.0","words":"blogman an easy-to-use blog engine for developers. =krlito","author":"=krlito","date":"2012-05-08 "},{"name":"blogmate","description":"Smart blog engine for node.js.","url":null,"keywords":"","version":"0.2.8","words":"blogmate smart blog engine for node.js. =alexkravets","author":"=alexkravets","date":"2011-10-01 "},{"name":"blogmd","description":"1. nodejs phantomjs的学习, 以及nodejs相关框架, wind.js,express, phantom-nodejs, jade, markdown ,mongoskin, zombie\r 2. 数据库中存储着n个shop的url地址,利用此项目,在页面中写js,然后程序会注入到每个页面中去执行\r 3. 该怎么利用这个平台呢,还没想好\r 4. 分支能展示出来吗","url":null,"keywords":"","version":"0.0.2","words":"blogmd 1. nodejs phantomjs的学习, 以及nodejs相关框架, wind.js,express, phantom-nodejs, jade, markdown ,mongoskin, zombie\r 2. 数据库中存储着n个shop的url地址,利用此项目,在页面中写js,然后程序会注入到每个页面中去执行\r 3. 该怎么利用这个平台呢,还没想好\r 4. 分支能展示出来吗 =lorrylockie","author":"=lorrylockie","date":"2012-11-04 "},{"name":"blogr","keywords":"","version":[],"words":"blogr","author":"","date":"2014-01-20 "},{"name":"blogsiple","description":"Simple CMS for NodeXT and Create","url":null,"keywords":"cms","version":"0.0.3","words":"blogsiple simple cms for nodext and create =bergie cms","author":"=bergie","date":"2012-03-30 "},{"name":"blogsync","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"blogsync error: no readme.md file found! =ftft1885","author":"=ftft1885","date":"2013-02-22 "},{"name":"blogtitle","description":"Simple generate blog title with date","url":null,"keywords":"blogtitle blog","version":"0.0.1","words":"blogtitle simple generate blog title with date =nazt blogtitle blog","author":"=nazt","date":"2012-12-09 "},{"name":"bloguito","description":"A very small blog engine.","url":null,"keywords":"blog engine markdown","version":"0.3.1","words":"bloguito a very small blog engine. =luizsoarez blog engine markdown","author":"=luizsoarez","date":"2013-11-16 "},{"name":"blogviojs","description":"Blogvio Javascript SDK","url":null,"keywords":"","version":"0.3.0","words":"blogviojs blogvio javascript sdk =iulian.meghea","author":"=iulian.meghea","date":"2014-06-16 "},{"name":"blogz","description":"Read a directory of files, get a blog data structure.","url":null,"keywords":"","version":"0.3.1","words":"blogz read a directory of files, get a blog data structure. =chilts","author":"=chilts","date":"2013-11-29 "},{"name":"bloknot","description":"Tout ce qu'il faut pour Nodejs !","url":null,"keywords":"http server cache console color utils routes cookies gzip post log async template terminal commande web","version":"0.1.1","words":"bloknot tout ce qu'il faut pour nodejs ! =juloo http server cache console color utils routes cookies gzip post log async template terminal commande web","author":"=juloo","date":"2014-01-01 "},{"name":"blood","description":"object inheritance and iteration utilities","url":null,"keywords":"functional util object inheritance iteration ender","version":"0.8.0","words":"blood object inheritance and iteration utilities =ryanve functional util object inheritance iteration ender","author":"=ryanve","date":"2014-05-06 "},{"name":"bloodhound","description":"Just find the calls to require(). All of them.","url":null,"keywords":"","version":"1.0.0","words":"bloodhound just find the calls to require(). all of them. =thejh","author":"=thejh","date":"2011-12-14 "},{"name":"bloodline","description":"Proper inheritance","url":null,"keywords":"inherit derive inheritance","version":"1.0.0","words":"bloodline proper inheritance =jhermsmeier inherit derive inheritance","author":"=jhermsmeier","date":"2014-09-12 "},{"name":"bloodmoney","description":"A simple cache banking system using redis","url":null,"keywords":"redis cache bank data expire","version":"0.0.1","words":"bloodmoney a simple cache banking system using redis =deremer redis cache bank data expire","author":"=deremer","date":"2011-08-01 "},{"name":"bloody-animate","description":"[![browser support](https://ci.testling.com/bloodyowl/animate.png))](https://ci.testling.com/bloodyowl/animate)","url":null,"keywords":"","version":"0.1.0","words":"bloody-animate [![browser support](https://ci.testling.com/bloodyowl/animate.png))](https://ci.testling.com/bloodyowl/animate) =bloodyowl","author":"=bloodyowl","date":"2014-06-24 "},{"name":"bloody-animationframe","description":"[![browser support](https://ci.testling.com/bloodyowl/animationframe.png) ](https://ci.testling.com/bloodyowl/animationframe)","url":null,"keywords":"","version":"1.0.0","words":"bloody-animationframe [![browser support](https://ci.testling.com/bloodyowl/animationframe.png) ](https://ci.testling.com/bloodyowl/animationframe) =bloodyowl","author":"=bloodyowl","date":"2014-08-20 "},{"name":"bloody-attempt","description":"smart try {} catch(){}","url":null,"keywords":"","version":"0.0.0","words":"bloody-attempt smart try {} catch(){} =bloodyowl","author":"=bloodyowl","date":"2014-07-28 "},{"name":"bloody-chocolatine","description":"[![browser support](https://ci.testling.com/bloodyowl/chocolatine.png)](https://ci.testling.com/bloodyowl/chocolatine)","url":null,"keywords":"","version":"0.1.0","words":"bloody-chocolatine [![browser support](https://ci.testling.com/bloodyowl/chocolatine.png)](https://ci.testling.com/bloodyowl/chocolatine) =bloodyowl","author":"=bloodyowl","date":"2014-01-17 "},{"name":"bloody-class","description":"[![Build Status](https://travis-ci.org/bloodyowl/class.svg)](https://travis-ci.org/bloodyowl/class)","url":null,"keywords":"","version":"1.4.1","words":"bloody-class [![build status](https://travis-ci.org/bloodyowl/class.svg)](https://travis-ci.org/bloodyowl/class) =bloodyowl","author":"=bloodyowl","date":"2014-06-26 "},{"name":"bloody-collections","description":"[![browser support](https://ci.testling.com/bloodyowl/collections.png)](https://ci.testling.com/bloodyowl/collections)","url":null,"keywords":"","version":"1.0.0","words":"bloody-collections [![browser support](https://ci.testling.com/bloodyowl/collections.png)](https://ci.testling.com/bloodyowl/collections) =bloodyowl","author":"=bloodyowl","date":"2014-08-18 "},{"name":"bloody-compile","description":"compile is a method to perform simple replacements in JavaScript.","url":null,"keywords":"","version":"1.0.0","words":"bloody-compile compile is a method to perform simple replacements in javascript. =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-csssupport","description":"css support test","url":null,"keywords":"","version":"0.1.0","words":"bloody-csssupport css support test =bloodyowl","author":"=bloodyowl","date":"2014-01-11 "},{"name":"bloody-csstransformstring","description":"a small helper to ease the construction of the css `transform` property value","url":null,"keywords":"","version":"1.0.0","words":"bloody-csstransformstring a small helper to ease the construction of the css `transform` property value =bloodyowl","author":"=bloodyowl","date":"2014-08-13 "},{"name":"bloody-curry","description":"Simple currying","url":null,"keywords":"","version":"0.1.1","words":"bloody-curry simple currying =bloodyowl","author":"=bloodyowl","date":"2014-03-06 "},{"name":"bloody-debounce-af","description":"debounce at animationframe","url":null,"keywords":"","version":"1.0.0","words":"bloody-debounce-af debounce at animationframe =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-deferload","description":"[![browser support](https://ci.testling.com/bloodyowl/deferload.png) ](https://ci.testling.com/bloodyowl/deferload)","url":null,"keywords":"","version":"0.0.1","words":"bloody-deferload [![browser support](https://ci.testling.com/bloodyowl/deferload.png) ](https://ci.testling.com/bloodyowl/deferload) =bloodyowl","author":"=bloodyowl","date":"2014-03-12 "},{"name":"bloody-domeventstream","description":"## install","url":null,"keywords":"","version":"0.0.0","words":"bloody-domeventstream ## install =bloodyowl","author":"=bloodyowl","date":"2014-07-28 "},{"name":"bloody-domready","description":"[![browser support](https://ci.testling.com/bloodyowl/domready.png)](https://ci.testling.com/bloodyowl/domready)","url":null,"keywords":"","version":"0.1.1","words":"bloody-domready [![browser support](https://ci.testling.com/bloodyowl/domready.png)](https://ci.testling.com/bloodyowl/domready) =bloodyowl","author":"=bloodyowl","date":"2014-03-05 "},{"name":"bloody-escapehtml","description":"escape HTML special chars","url":null,"keywords":"","version":"1.1.0","words":"bloody-escapehtml escape html special chars =bloodyowl","author":"=bloodyowl","date":"2014-08-14 "},{"name":"bloody-events","description":"events in node and the browser","url":null,"keywords":"events","version":"1.3.0","words":"bloody-events events in node and the browser =bloodyowl events","author":"=bloodyowl","date":"2014-06-26 "},{"name":"bloody-every","description":"timer","url":null,"keywords":"","version":"0.0.0","words":"bloody-every timer =bloodyowl","author":"=bloodyowl","date":"2014-05-20 "},{"name":"bloody-functionhook","description":"hooks on function calls","url":null,"keywords":"","version":"0.0.0","words":"bloody-functionhook hooks on function calls =bloodyowl","author":"=bloodyowl","date":"2014-06-27 "},{"name":"bloody-grid","description":"stylus grid","url":null,"keywords":"grid stylus","version":"0.0.1","words":"bloody-grid stylus grid =bloodyowl grid stylus","author":"=bloodyowl","date":"2014-04-03 "},{"name":"bloody-immediate","description":"[![browser support](https://ci.testling.com/bloodyowl/immediate.png)](https://ci.testling.com/bloodyowl/immediate)","url":null,"keywords":"","version":"0.1.0","words":"bloody-immediate [![browser support](https://ci.testling.com/bloodyowl/immediate.png)](https://ci.testling.com/bloodyowl/immediate) =bloodyowl","author":"=bloodyowl","date":"2014-01-05 "},{"name":"bloody-immutable-array","description":"makes array mutators method act like accessors. this way you're able to work on array as immutable structures.","url":null,"keywords":"","version":"0.0.1","words":"bloody-immutable-array makes array mutators method act like accessors. this way you're able to work on array as immutable structures. =bloodyowl","author":"=bloodyowl","date":"2014-06-23 "},{"name":"bloody-inherit","description":"inherit from an object","url":null,"keywords":"","version":"1.1.0","words":"bloody-inherit inherit from an object =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-is","description":"`Object.is`-like function.","url":null,"keywords":"","version":"1.0.0","words":"bloody-is `object.is`-like function. =bloodyowl","author":"=bloodyowl","date":"2014-08-14 "},{"name":"bloody-isnative","description":"detect if a method is a native one","url":null,"keywords":"","version":"1.0.0","words":"bloody-isnative detect if a method is a native one =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-iterator","description":"[![browser support](https://ci.testling.com/bloodyowl/iterator.png) ](https://ci.testling.com/bloodyowl/iterator)","url":null,"keywords":"","version":"0.0.0","words":"bloody-iterator [![browser support](https://ci.testling.com/bloodyowl/iterator.png) ](https://ci.testling.com/bloodyowl/iterator) =bloodyowl","author":"=bloodyowl","date":"2014-04-12 "},{"name":"bloody-jaderuntime-compat","description":"ES3 polyfill for Jade Runtime","url":null,"keywords":"","version":"0.1.0","words":"bloody-jaderuntime-compat es3 polyfill for jade runtime =bloodyowl","author":"=bloodyowl","date":"2014-02-07 "},{"name":"bloody-jsonp","description":"[![browser support](https://ci.testling.com/bloodyowl/jsonp.png)](https://ci.testling.com/bloodyowl/jsonp)","url":null,"keywords":"","version":"1.0.0","words":"bloody-jsonp [![browser support](https://ci.testling.com/bloodyowl/jsonp.png)](https://ci.testling.com/bloodyowl/jsonp) =bloodyowl","author":"=bloodyowl","date":"2014-06-24 "},{"name":"bloody-latin","description":"[![Build Status](https://travis-ci.org/bloodyowl/latin.svg?branch=master)](https://travis-ci.org/bloodyowl/latin)","url":null,"keywords":"","version":"0.0.1","words":"bloody-latin [![build status](https://travis-ci.org/bloodyowl/latin.svg?branch=master)](https://travis-ci.org/bloodyowl/latin) =bloodyowl","author":"=bloodyowl","date":"2014-06-22 "},{"name":"bloody-list","description":"an array watcher","url":null,"keywords":"","version":"1.0.0","words":"bloody-list an array watcher =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-matches","description":"matches selectors for every browser who supports `querySelectorAll`","url":null,"keywords":"","version":"0.0.1","words":"bloody-matches matches selectors for every browser who supports `queryselectorall` =bloodyowl","author":"=bloodyowl","date":"2014-06-23 "},{"name":"bloody-matchpath","description":"![https://travis-ci.org/bloodyowl/match-path](https://travis-ci.org/bloodyowlmatch-path.svg)","url":null,"keywords":"","version":"0.0.0","words":"bloody-matchpath ![https://travis-ci.org/bloodyowl/match-path](https://travis-ci.org/bloodyowlmatch-path.svg) =bloodyowl","author":"=bloodyowl","date":"2014-04-09 "},{"name":"bloody-nodelist","description":"[![browser support](https://ci.testling.com/bloodyowl/nodelist.png)](https://ci.testling.com/bloodyowl/nodelist)","url":null,"keywords":"","version":"0.1.0","words":"bloody-nodelist [![browser support](https://ci.testling.com/bloodyowl/nodelist.png)](https://ci.testling.com/bloodyowl/nodelist) =bloodyowl","author":"=bloodyowl","date":"2014-01-10 "},{"name":"bloody-observable","description":"Observable `Object`","url":null,"keywords":"","version":"1.0.0","words":"bloody-observable observable `object` =bloodyowl","author":"=bloodyowl","date":"2014-06-16 "},{"name":"bloody-offset","description":"gets an element's offset","url":null,"keywords":"","version":"0.0.0","words":"bloody-offset gets an element's offset =bloodyowl","author":"=bloodyowl","date":"2014-06-26 "},{"name":"bloody-promise","description":"[![browser support](https://ci.testling.com/bloodyowl/promise.png)](https://ci.testling.com/bloodyowl/promise)","url":null,"keywords":"","version":"1.0.2","words":"bloody-promise [![browser support](https://ci.testling.com/bloodyowl/promise.png)](https://ci.testling.com/bloodyowl/promise) =bloodyowl","author":"=bloodyowl","date":"2014-07-16 "},{"name":"bloody-range","description":"array-range generator","url":null,"keywords":"","version":"1.0.0","words":"bloody-range array-range generator =bloodyowl","author":"=bloodyowl","date":"2014-08-18 "},{"name":"bloody-request","description":"[![browser support](https://ci.testling.com/bloodyowl/request.png)](https://ci.testling.com/bloodyowl/request)","url":null,"keywords":"","version":"1.0.1","words":"bloody-request [![browser support](https://ci.testling.com/bloodyowl/request.png)](https://ci.testling.com/bloodyowl/request) =bloodyowl","author":"=bloodyowl","date":"2014-06-16 "},{"name":"bloody-router","description":"[![browser support](https://ci.testling.com/bloodyowl/router.png)](https://ci.testling.com/bloodyowl/router)","url":null,"keywords":"","version":"0.2.0","words":"bloody-router [![browser support](https://ci.testling.com/bloodyowl/router.png)](https://ci.testling.com/bloodyowl/router) =bloodyowl","author":"=bloodyowl","date":"2014-01-13 "},{"name":"bloody-scroll","description":"[![browser support](https://ci.testling.com/bloodyowl/scroll.png)](https://ci.testling.com/bloodyowl/scroll)","url":null,"keywords":"","version":"0.2.1","words":"bloody-scroll [![browser support](https://ci.testling.com/bloodyowl/scroll.png)](https://ci.testling.com/bloodyowl/scroll) =bloodyowl","author":"=bloodyowl","date":"2014-04-12 "},{"name":"bloody-scroll-direction","description":"gets scroll direction and notifies on change","url":null,"keywords":"","version":"1.0.0","words":"bloody-scroll-direction gets scroll direction and notifies on change =bloodyowl","author":"=bloodyowl","date":"2014-06-24 "},{"name":"bloody-simple-s3","description":"A bloody simple interface to S3, based on the official AWS sdk.","url":null,"keywords":"s3 filesystem cloud storage promises simple amazon aws","version":"0.1.6","words":"bloody-simple-s3 a bloody simple interface to s3, based on the official aws sdk. =jmike s3 filesystem cloud storage promises simple amazon aws","author":"=jmike","date":"2014-08-14 "},{"name":"bloody-simple-sqs","description":"A bloody simple interface to SQS, based on the official AWS sdk.","url":null,"keywords":"sqs queue promises simple amazon aws worker","version":"0.1.2","words":"bloody-simple-sqs a bloody simple interface to sqs, based on the official aws sdk. =jmike sqs queue promises simple amazon aws worker","author":"=jmike","date":"2014-09-15 "},{"name":"bloody-stream","description":"## install","url":null,"keywords":"","version":"0.1.0","words":"bloody-stream ## install =bloodyowl","author":"=bloodyowl","date":"2014-07-28 "},{"name":"bloody-streamtimer","description":"stream-based timer","url":null,"keywords":"","version":"0.0.0","words":"bloody-streamtimer stream-based timer =bloodyowl","author":"=bloodyowl","date":"2014-07-08 "},{"name":"bloody-testserver","description":"node/express test server, with customisable mocks","url":null,"keywords":"","version":"0.1.3","words":"bloody-testserver node/express test server, with customisable mocks =bloodyowl","author":"=bloodyowl","date":"2014-06-18 "},{"name":"bloody-todo","description":"command line todo list","url":null,"keywords":"","version":"0.1.5","words":"bloody-todo command line todo list =bloodyowl","author":"=bloodyowl","date":"2014-07-16 "},{"name":"bloody-transform","description":"creates partial functions that take one argument","url":null,"keywords":"","version":"1.0.0","words":"bloody-transform creates partial functions that take one argument =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-tube","description":"pub/sub channels","url":null,"keywords":"","version":"0.2.1","words":"bloody-tube pub/sub channels =bloodyowl","author":"=bloodyowl","date":"2014-06-18 "},{"name":"bloody-type","description":"[![browser support](https://ci.testling.com/bloodyowl/type.png)](https://ci.testling.com/bloodyowl/type)","url":null,"keywords":"","version":"1.0.0","words":"bloody-type [![browser support](https://ci.testling.com/bloodyowl/type.png)](https://ci.testling.com/bloodyowl/type) =bloodyowl","author":"=bloodyowl","date":"2014-08-19 "},{"name":"bloody-viewport","description":"viewport based router","url":null,"keywords":"","version":"0.0.1","words":"bloody-viewport viewport based router =bloodyowl","author":"=bloodyowl","date":"2014-06-18 "},{"name":"bloodyroots","description":"Recursive descent parser","url":null,"keywords":"recursive descent parser context free grammar","version":"0.1.0","words":"bloodyroots recursive descent parser =squarooticus recursive descent parser context free grammar","author":"=squarooticus","date":"2013-05-07 "},{"name":"bloom","description":"Bloom Filters for node","url":null,"keywords":"","version":"0.5.3","words":"bloom bloom filters for node =deanmao","author":"=deanmao","date":"2012-08-25 "},{"name":"bloom-lite","description":"A simple bloom filter.","url":null,"keywords":"bloom filter bloom-lite","version":"0.0.3","words":"bloom-lite a simple bloom filter. =vincelee bloom filter bloom-lite","author":"=vincelee","date":"2014-09-05 "},{"name":"bloom-redis","description":"a simple redis-backed bloom-filter","url":null,"keywords":"bloom filter redis bloom-filter","version":"0.0.1","words":"bloom-redis a simple redis-backed bloom-filter =calvinfo bloom filter redis bloom-filter","author":"=calvinfo","date":"2012-02-24 "},{"name":"bloom-sql","description":"Chained functions for building SQL strings for node-postgres.","url":null,"keywords":"sql pg postgres","version":"0.0.2","words":"bloom-sql chained functions for building sql strings for node-postgres. =randometc sql pg postgres","author":"=randometc","date":"2012-07-17 "},{"name":"bloom-text-compare","description":"Node.js module which creates a hash of a word list using a bloom filter, and compares hashes to give you a value for the similarity between the word lists.","url":null,"keywords":"text comparison hash bloom","version":"0.0.0","words":"bloom-text-compare node.js module which creates a hash of a word list using a bloom filter, and compares hashes to give you a value for the similarity between the word lists. =richard.astbury text comparison hash bloom","author":"=richard.astbury","date":"2014-01-13 "},{"name":"bloom.js","description":"Bloom filter implemenation for Node.js applications.","url":null,"keywords":"hash indexing bloom filter","version":"0.1.1","words":"bloom.js bloom filter implemenation for node.js applications. =sbyrnes hash indexing bloom filter","author":"=sbyrnes","date":"2013-09-28 "},{"name":"bloomapi","description":"Datastore and API for for NPIs (US Healthcare National Provider Identifier)","url":null,"keywords":"","version":"0.1.4","words":"bloomapi datastore and api for for npis (us healthcare national provider identifier) =untoldone","author":"=untoldone","date":"2014-04-13 "},{"name":"bloombill","description":"A small API for the Bloomberg Billionaire list","url":null,"keywords":"","version":"0.0.1","words":"bloombill a small api for the bloomberg billionaire list =unixpickle","author":"=unixpickle","date":"2014-06-19 "},{"name":"bloomd","description":"NodeJS Driver for BloomD","url":null,"keywords":"bloomd bloom filter","version":"0.2.2","words":"bloomd nodejs driver for bloomd =majelbstoat =medium bloomd bloom filter","author":"=majelbstoat =medium","date":"2014-04-10 "},{"name":"bloomfilter","description":"Fast bloom filter in JavaScript.","url":null,"keywords":"bloom filter probabilistic data structure","version":"0.0.14","words":"bloomfilter fast bloom filter in javascript. =jasondavies bloom filter probabilistic data structure","author":"=jasondavies","date":"2014-02-28 "},{"name":"bloomfilters","description":"A set of bloom filter implementations for coffee/javascipt.","url":null,"keywords":"hash bloom bitmap","version":"0.0.11","words":"bloomfilters a set of bloom filter implementations for coffee/javascipt. =dsummersl hash bloom bitmap","author":"=dsummersl","date":"2012-01-10 "},{"name":"bloomjs","description":"A module wrapper to encrypt and decrypt files with aes-256-cbc","url":null,"keywords":"encrypt decrypt files aes","version":"0.1.2","words":"bloomjs a module wrapper to encrypt and decrypt files with aes-256-cbc =chrisenytc encrypt decrypt files aes","author":"=chrisenytc","date":"2014-09-11 "},{"name":"bloomxx","description":"bloom filters backed by xxhash","url":null,"keywords":"bloom bloom-filter counting-filter hash bitmap xxhash","version":"0.0.2","words":"bloomxx bloom filters backed by xxhash =ceejbot bloom bloom-filter counting-filter hash bitmap xxhash","author":"=ceejbot","date":"2013-03-24 "},{"name":"blorg","description":"Flexible static blog generator","url":null,"keywords":"blog","version":"0.2.3","words":"blorg flexible static blog generator =rvagg blog","author":"=rvagg","date":"2014-01-26 "},{"name":"blossom","description":"Modern, Cross-Platform Application Framework","url":null,"keywords":"blossom sproutcore","version":"1.0.0","words":"blossom modern, cross-platform application framework =erichocean blossom sproutcore","author":"=erichocean","date":"2012-05-28 "},{"name":"blow","description":"Simple browser wrapper on test framework: mocha","url":null,"keywords":"test testsuite test framework browser","version":"0.7.0","words":"blow simple browser wrapper on test framework: mocha =andreasmadsen test testsuite test framework browser","author":"=andreasmadsen","date":"2013-01-28 "},{"name":"blowfish","description":"Blowfish encryption in JavaScript","url":null,"keywords":"blowfish bf encryption decryption","version":"1.0.1","words":"blowfish blowfish encryption in javascript =innoying blowfish bf encryption decryption","author":"=innoying","date":"2014-02-27 "},{"name":"blowtorch","description":"Static site generator","url":null,"keywords":"","version":"0.1.2","words":"blowtorch static site generator =wbyoung","author":"=wbyoung","date":"2014-06-06 "},{"name":"blox","description":"Multiplayer Tetris type game","url":null,"keywords":"","version":"0.0.5","words":"blox multiplayer tetris type game =icetan","author":"=icetan","date":"2014-07-03 "},{"name":"blp-rest","description":"Bloomberg RESTish API","url":null,"keywords":"finance timeseries","version":"0.0.1","words":"blp-rest bloomberg restish api =zjonsson finance timeseries","author":"=zjonsson","date":"2013-06-19 "},{"name":"blpapi","description":"Bloomberg Open API (BLPAPI) binding for node.js","url":null,"keywords":"finance stocks stock quotes tick realtime market","version":"0.1.10","words":"blpapi bloomberg open api (blpapi) binding for node.js =apaprocki finance stocks stock quotes tick realtime market","author":"=apaprocki","date":"2014-09-14 "},{"name":"blproof","description":"Blind liability proof tool","url":null,"keywords":"bitcoin liability proof cryptography solvency","version":"0.0.14","words":"blproof blind liability proof tool =olalonde bitcoin liability proof cryptography solvency","author":"=olalonde","date":"2014-03-24 "},{"name":"blue","description":"Streaming template engine","url":null,"keywords":"Stream Streaming template engine ejs","version":"1.1.1","words":"blue streaming template engine =floby stream streaming template engine ejs","author":"=floby","date":"2013-03-29 "},{"name":"blue-billywig","description":"Integration for Blue Billywig video management system","url":null,"keywords":"blue billywig bluebillywig video","version":"0.2.1","words":"blue-billywig integration for blue billywig video management system =domudall blue billywig bluebillywig video","author":"=domudall","date":"2014-03-26 "},{"name":"blue-button","description":"Blue Button (CCDA) to JSON Parser.","url":null,"keywords":"bluebutton","version":"0.0.1","words":"blue-button blue button (ccda) to json parser. =kachok =mmccall =austundag bluebutton","author":"=kachok =mmccall =austundag","date":"2014-09-19 "},{"name":"blue-button-generate","description":"Blue Button CCDA Generator.","url":null,"keywords":"bluebutton","version":"0.0.1","words":"blue-button-generate blue button ccda generator. =austundag bluebutton","author":"=austundag","date":"2014-09-19 "},{"name":"blue-button-match","description":"Automatic matching of Blue Button JSON data (detection of new, duplicate and partial match entries).","url":null,"keywords":"bluebutton matching deduplication","version":"1.2.0","words":"blue-button-match automatic matching of blue button json data (detection of new, duplicate and partial match entries). =kachok =mmccall =austundag bluebutton matching deduplication","author":"=kachok =mmccall =austundag","date":"2014-09-15 "},{"name":"blue-button-meta","description":"Metadata about Blue Button format (CCDA) internal structures","url":null,"keywords":"bluebutton metadata ccda","version":"1.3.0-beta.0","words":"blue-button-meta metadata about blue button format (ccda) internal structures =kachok =austundag =mmccall bluebutton metadata ccda","author":"=kachok =austundag =mmccall","date":"2014-09-19 "},{"name":"blue-button-record","description":"Master Health Record and Data Reconciliation Engine Persistance Layer","url":null,"keywords":"","version":"1.1.0","words":"blue-button-record master health record and data reconciliation engine persistance layer =austundag =kachok =mmccall","author":"=austundag =kachok =mmccall","date":"2014-09-02 "},{"name":"blue-ox","description":"Logging inspired by giants with axes.","url":null,"keywords":"","version":"0.1.0","words":"blue-ox logging inspired by giants with axes. =evs-chris","author":"=evs-chris","date":"2014-06-28 "},{"name":"blue-record-record","keywords":"","version":[],"words":"blue-record-record","author":"","date":"2014-06-12 "},{"name":"blue-tape","description":"Tape test runner with promise support","url":null,"keywords":"tape bluebird promises","version":"0.1.7","words":"blue-tape tape test runner with promise support =spion tape bluebird promises","author":"=spion","date":"2014-07-15 "},{"name":"bluebird","description":"Full featured Promises/A+ implementation with exceptionally good performance","url":null,"keywords":"promise performance promises promises-a promises-aplus async await deferred deferreds future flow control dsl fluent interface","version":"2.3.2","words":"bluebird full featured promises/a+ implementation with exceptionally good performance =esailija promise performance promises promises-a promises-aplus async await deferred deferreds future flow control dsl fluent interface","author":"=esailija","date":"2014-08-25 "},{"name":"bluebird-as","description":"Higher Level functions on top of bluebird","url":null,"keywords":"bluebird promises sequence parallelism","version":"1.0.0","words":"bluebird-as higher level functions on top of bluebird =matthiasg bluebird promises sequence parallelism","author":"=matthiasg","date":"2014-08-27 "},{"name":"bluebird-chains","description":"Waterfall method for consecutive execution of promises","url":null,"keywords":"","version":"0.0.4","words":"bluebird-chains waterfall method for consecutive execution of promises =azerothian","author":"=azerothian","date":"2014-07-24 "},{"name":"bluebird-hooks","description":"implementation of hooks using bluebird promises","url":null,"keywords":"bluebird hooks pre post async middleware","version":"0.0.3","words":"bluebird-hooks implementation of hooks using bluebird promises =dillonkrug bluebird hooks pre post async middleware","author":"=dillonkrug","date":"2014-08-23 "},{"name":"bluebird-lru-cache","description":"\r \"Promises/A+\r ","url":null,"keywords":"","version":"0.1.1","words":"bluebird-lru-cache \r \"promises/a+\r =page","author":"=page","date":"2014-08-12 "},{"name":"bluebird-mocha-generators","description":"Add bluebird.coroutine generator support to mocha","url":null,"keywords":"bluebird mocha generator coroutine test","version":"0.1.0","words":"bluebird-mocha-generators add bluebird.coroutine generator support to mocha =russpowers bluebird mocha generator coroutine test","author":"=russpowers","date":"2014-04-10 "},{"name":"bluebird-tmp","description":"Full featured Promises/A+ implementation with exceptionally good performance","url":null,"keywords":"promise performance promises promises-a promises-aplus async await deferred deferreds future flow control dsl fluent interface","version":"1.2.1","words":"bluebird-tmp full featured promises/a+ implementation with exceptionally good performance =inetfuture promise performance promises promises-a promises-aplus async await deferred deferreds future flow control dsl fluent interface","author":"=inetfuture","date":"2014-04-01 "},{"name":"bluebirds","description":"Object oriented Node.js toolset","url":null,"keywords":"node object oojs poo toolset class model","version":"0.0.6","words":"bluebirds object oriented node.js toolset =sylvainestevez node object oojs poo toolset class model","author":"=sylvainestevez","date":"2014-08-14 "},{"name":"bluebox","description":"A node library to use the Bluebox Group API","url":null,"keywords":"cloud bluebox","version":"0.0.2","words":"bluebox a node library to use the bluebox group api =jedi4ever cloud bluebox","author":"=jedi4ever","date":"2013-08-19 "},{"name":"bluebox-ng","description":"Bluebox-ng is a GPL VoIP/UC vulnerability scanner written using Node.js powers.","url":null,"keywords":"Node.js security tool VoIP SIP MongoDB","version":"0.0.5","words":"bluebox-ng bluebox-ng is a gpl voip/uc vulnerability scanner written using node.js powers. =jesusprubio node.js security tool voip sip mongodb","author":"=jesusprubio","date":"2014-09-08 "},{"name":"bluebutton","description":"BlueButton.js helps developers navigate complex health data with ease.","url":null,"keywords":"bb bluebutton blue button ehr emr health medical phr record","version":"0.1.0","words":"bluebutton bluebutton.js helps developers navigate complex health data with ease. =blacktm bb bluebutton blue button ehr emr health medical phr record","author":"=blacktm","date":"2014-05-23 "},{"name":"bluecache","description":"In-memory, Promises/A+ LRU Cache","url":null,"keywords":"cache in-memory deferred promise promises-a promises-aplus","version":"0.1.8","words":"bluecache in-memory, promises/a+ lru cache =kurttheviking cache in-memory deferred promise promises-a promises-aplus","author":"=kurttheviking","date":"2014-07-07 "},{"name":"bluecat","description":"REST API test framework in Nodejs","url":null,"keywords":"testing api REST bdd bluecat","version":"0.1.5","words":"bluecat rest api test framework in nodejs =chaoyi.chen testing api rest bdd bluecat","author":"=chaoyi.chen","date":"2014-08-21 "},{"name":"bluecheckfilesize2","description":"The best Grunt plugin ever.","url":null,"keywords":"gruntplugin","version":"0.2.0","words":"bluecheckfilesize2 the best grunt plugin ever. =anantu gruntplugin","author":"=anantu","date":"2014-08-01 "},{"name":"bluedraft","description":"A terminal text templating engine","url":null,"keywords":"template templating terminal text formating color","version":"0.0.1-d","words":"bluedraft a terminal text templating engine =pagodajosh =joshragem template templating terminal text formating color","author":"=pagodajosh =joshragem","date":"2013-09-30 "},{"name":"bluefrisby","description":"API tests generated from your api blueprint.","url":null,"keywords":"api test testing documenation integration acceptance","version":"0.1.4","words":"bluefrisby api tests generated from your api blueprint. =ecordell api test testing documenation integration acceptance","author":"=ecordell","date":"2013-10-29 "},{"name":"bluegel","description":"Useful tools for Leap Motion development","url":null,"keywords":"","version":"0.2.0","words":"bluegel useful tools for leap motion development =arsduo","author":"=arsduo","date":"2014-03-10 "},{"name":"bluehub","description":"BlueHub is a Javascript simple and powerful service container that handle asynchronous (and synchronous) service creation and dependency injection. Just pass BlueHub a function that creates your service asynchronously and tell BlueHub on which other servi","url":null,"keywords":"di dependency-injection ioc inversion-of-control dependency injection async","version":"0.0.1","words":"bluehub bluehub is a javascript simple and powerful service container that handle asynchronous (and synchronous) service creation and dependency injection. just pass bluehub a function that creates your service asynchronously and tell bluehub on which other servi =leolara di dependency-injection ioc inversion-of-control dependency injection async","author":"=leolara","date":"2014-08-11 "},{"name":"blueimp-bootstrap-image-gallery","description":"Bootstrap Image Gallery is an extension to blueimp Gallery, a touch-enabled, responsive and customizable image and video gallery. It displays images and videos in the modal dialog of the Bootstrap framework, features swipe, mouse and keyboard navigation, ","url":null,"keywords":"image video gallery modal dialog lightbox mobile desktop touch responsive swipe mouse keyboard navigation transition effects slideshow fullscreen","version":"3.1.1","words":"blueimp-bootstrap-image-gallery bootstrap image gallery is an extension to blueimp gallery, a touch-enabled, responsive and customizable image and video gallery. it displays images and videos in the modal dialog of the bootstrap framework, features swipe, mouse and keyboard navigation, =blueimp image video gallery modal dialog lightbox mobile desktop touch responsive swipe mouse keyboard navigation transition effects slideshow fullscreen","author":"=blueimp","date":"2014-07-02 "},{"name":"blueimp-canvas-to-blob","description":"JavaScript Canvas to Blob is a function to convert canvas elements into Blob objects.","url":null,"keywords":"javascript canvas blob convert conversion","version":"2.1.1","words":"blueimp-canvas-to-blob javascript canvas to blob is a function to convert canvas elements into blob objects. =blueimp javascript canvas blob convert conversion","author":"=blueimp","date":"2014-09-15 "},{"name":"blueimp-canvastoblob","description":"JavaScript Canvas to Blob is a function to convert canvas elements into Blob objects.","url":null,"keywords":"javascript canvas blob convert conversion","version":"2.1.0","words":"blueimp-canvastoblob javascript canvas to blob is a function to convert canvas elements into blob objects. =anders.ekdahl javascript canvas blob convert conversion","author":"=anders.ekdahl","date":"2014-08-18 "},{"name":"blueimp-cdn","description":"* [mocha css](http://blueimp.github.io/cdn/css/mocha.min.css) * [mocha js](http://blueimp.github.io/cdn/js/mocha.min.js) * [expect.js](http://blueimp.github.io/cdn/js/expect.min.js)","url":null,"keywords":"","version":"2.0.0","words":"blueimp-cdn * [mocha css](http://blueimp.github.io/cdn/css/mocha.min.css) * [mocha js](http://blueimp.github.io/cdn/js/mocha.min.js) * [expect.js](http://blueimp.github.io/cdn/js/expect.min.js) =blueimp","author":"=blueimp","date":"2013-11-12 "},{"name":"blueimp-file-upload","description":"File Upload widget with multiple file selection, drag&drop support, progress bar, validation and preview images, audio and video for jQuery. Supports cross-domain, chunked and resumable file uploads. Works with any server-side platform (Google App Eng","url":null,"keywords":"jquery file upload widget multiple selection drag drop progress preview cross-domain cross-site chunk resume gae go python php bootstrap","version":"9.8.0","words":"blueimp-file-upload file upload widget with multiple file selection, drag&drop support, progress bar, validation and preview images, audio and video for jquery. supports cross-domain, chunked and resumable file uploads. works with any server-side platform (google app eng =blueimp jquery file upload widget multiple selection drag drop progress preview cross-domain cross-site chunk resume gae go python php bootstrap","author":"=blueimp","date":"2014-09-18 "},{"name":"blueimp-file-upload-expressjs","description":"jQuery File Upload using Expressjs : 'borrowed' from Blueimp jQuery File Upload developed by Sebastian Tschan","url":null,"keywords":"jQuery file upload expressjs","version":"0.2.10","words":"blueimp-file-upload-expressjs jquery file upload using expressjs : 'borrowed' from blueimp jquery file upload developed by sebastian tschan =arvindr21 jquery file upload expressjs","author":"=arvindr21","date":"2014-08-27 "},{"name":"blueimp-file-upload-jquery-ui","description":"File Upload widget with multiple file selection, drag&drop support, progress bars and preview images for jQuery. Supports cross-domain, chunked and resumable file uploads and client-side image resizing. Works with any server-side platform (PHP, Python, Ruby on Rails, Java, Node.js, Go etc.) that supports standard HTML form file uploads.","url":null,"keywords":"jquery file upload widget multiple selection drag drop progress preview cross-domain cross-site chunk resume gae go python php ui","version":"7.4.1","words":"blueimp-file-upload-jquery-ui file upload widget with multiple file selection, drag&drop support, progress bars and preview images for jquery. supports cross-domain, chunked and resumable file uploads and client-side image resizing. works with any server-side platform (php, python, ruby on rails, java, node.js, go etc.) that supports standard html form file uploads. =blueimp jquery file upload widget multiple selection drag drop progress preview cross-domain cross-site chunk resume gae go python php ui","author":"=blueimp","date":"2013-03-18 "},{"name":"blueimp-file-upload-node","description":"Node.js implementation example of a file upload handler for jQuery File Upload.","url":null,"keywords":"file upload cross-domain cross-site node","version":"2.1.0","words":"blueimp-file-upload-node node.js implementation example of a file upload handler for jquery file upload. =blueimp file upload cross-domain cross-site node","author":"=blueimp","date":"2013-07-10 "},{"name":"blueimp-gallery","description":"blueimp Gallery is a touch-enabled, responsive and customizable image and video gallery, carousel and lightbox, optimized for both mobile and desktop web browsers. It features swipe, mouse and keyboard navigation, transition effects, slideshow functionali","url":null,"keywords":"image video gallery carousel lightbox mobile desktop touch responsive swipe mouse keyboard navigation transition effects slideshow fullscreen","version":"2.15.1","words":"blueimp-gallery blueimp gallery is a touch-enabled, responsive and customizable image and video gallery, carousel and lightbox, optimized for both mobile and desktop web browsers. it features swipe, mouse and keyboard navigation, transition effects, slideshow functionali =blueimp image video gallery carousel lightbox mobile desktop touch responsive swipe mouse keyboard navigation transition effects slideshow fullscreen","author":"=blueimp","date":"2014-07-02 "},{"name":"blueimp-image-gallery","description":"jQuery Image Gallery displays images with the touch-enabled, responsive and customizable blueimp Gallery carousel in the dialog component of jQuery UI. It features swipe, mouse and keyboard navigation, transition effects and on-demand content loading and ","url":null,"keywords":"image gallery dialog transition effects","version":"3.0.1","words":"blueimp-image-gallery jquery image gallery displays images with the touch-enabled, responsive and customizable blueimp gallery carousel in the dialog component of jquery ui. it features swipe, mouse and keyboard navigation, transition effects and on-demand content loading and =blueimp image gallery dialog transition effects","author":"=blueimp","date":"2014-07-02 "},{"name":"blueimp-load-image","description":"JavaScript Load Image is a library to load images provided as File or Blob objects or via URL. It returns an optionally scaled and/or cropped HTML img or canvas element. It also provides a method to parse image meta data to extract Exif tags and thumbnail","url":null,"keywords":"javascript load loading image file blob url scale crop img canvas meta exif thumbnail resizing","version":"1.13.0","words":"blueimp-load-image javascript load image is a library to load images provided as file or blob objects or via url. it returns an optionally scaled and/or cropped html img or canvas element. it also provides a method to parse image meta data to extract exif tags and thumbnail =blueimp javascript load loading image file blob url scale crop img canvas meta exif thumbnail resizing","author":"=blueimp","date":"2014-09-14 "},{"name":"blueimp-md5","description":"JavaScript MD5 implementation.","url":null,"keywords":"javascript md5","version":"1.1.0","words":"blueimp-md5 javascript md5 implementation. =blueimp javascript md5","author":"=blueimp","date":"2013-11-12 "},{"name":"blueimp-tmpl","description":"< 1KB lightweight, fast & powerful JavaScript templating engine with zero dependencies. Compatible with server-side environments like node.js, module loaders like RequireJS and all web browsers.","url":null,"keywords":"javascript templates templating","version":"2.5.4","words":"blueimp-tmpl < 1kb lightweight, fast & powerful javascript templating engine with zero dependencies. compatible with server-side environments like node.js, module loaders like requirejs and all web browsers. =blueimp javascript templates templating","author":"=blueimp","date":"2014-07-02 "},{"name":"bluejeansandrain.countdown","description":"Utility to wrap a function such that it executes it's inner function after n calls.","url":null,"keywords":"utility wrap count","version":"0.1.0","words":"bluejeansandrain.countdown utility to wrap a function such that it executes it's inner function after n calls. =bluejeansandrain utility wrap count","author":"=bluejeansandrain","date":"2013-01-22 "},{"name":"bluejeansandrain.scaffold","description":"DOM creation and serialization system.","url":null,"keywords":"dom create serialize build template","version":"0.1.2","words":"bluejeansandrain.scaffold dom creation and serialization system. =bluejeansandrain dom create serialize build template","author":"=bluejeansandrain","date":"2013-08-15 "},{"name":"bluejeansandrain.series","description":"Execute a series of asynchronous method calls in sequence, optionally passing data from the previous to the next.","url":null,"keywords":"utility async sequence series chain","version":"0.1.4","words":"bluejeansandrain.series execute a series of asynchronous method calls in sequence, optionally passing data from the previous to the next. =bluejeansandrain utility async sequence series chain","author":"=bluejeansandrain","date":"2013-01-22 "},{"name":"bluejeansandrain.unique","description":"Utility that creates an Array instance with modified push, unshift, and splice methods that check for uniqueness before inserting values.","url":null,"keywords":"utility array unique dedup","version":"0.1.0","words":"bluejeansandrain.unique utility that creates an array instance with modified push, unshift, and splice methods that check for uniqueness before inserting values. =bluejeansandrain utility array unique dedup","author":"=bluejeansandrain","date":"2013-01-23 "},{"name":"bluemix","description":"Node.js helper module for IBM BlueMix","url":null,"keywords":"node nodejs ibm bluemix mongodb rabbitmq","version":"1.0.4","words":"bluemix node.js helper module for ibm bluemix =0xfede node nodejs ibm bluemix mongodb rabbitmq","author":"=0xfede","date":"2014-06-02 "},{"name":"bluemixcloudant","description":"A simple wrapper around Nano to use with Cloudant on IBM BlueMix","url":null,"keywords":"cloudant couchdb bluemix","version":"0.0.3","words":"bluemixcloudant a simple wrapper around nano to use with cloudant on ibm bluemix =glynnbird cloudant couchdb bluemix","author":"=glynnbird","date":"2014-09-11 "},{"name":"bluemixdatacache","description":"A simple library to interact with BlueMix's Data Cache service","url":null,"keywords":"bluemix datacache","version":"0.0.3","words":"bluemixdatacache a simple library to interact with bluemix's data cache service =glynnbird bluemix datacache","author":"=glynnbird","date":"2014-09-09 "},{"name":"bluemold","description":"Template engine based on jQuery template syntax","url":null,"keywords":"","version":"0.6.3","words":"bluemold template engine based on jquery template syntax =famedriver","author":"=famedriver","date":"2012-05-23 "},{"name":"bluemoon","description":"{{name}} ==============","url":null,"keywords":"","version":"0.1.0","words":"bluemoon {{name}} ============== =francoisfrisch =montage-bot","author":"=francoisfrisch =montage-bot","date":"2014-02-07 "},{"name":"bluepay","description":"Simple BluePay client","url":null,"keywords":"","version":"0.0.4","words":"bluepay simple bluepay client =ericz","author":"=ericz","date":"2014-08-07 "},{"name":"bluepress","description":"A mock server generated from API Blueprint.","url":null,"keywords":"api test testing documenation integration acceptance server stub","version":"0.1.0","words":"bluepress a mock server generated from api blueprint. =kkvlk api test testing documenation integration acceptance server stub","author":"=kkvlk","date":"2014-03-17 "},{"name":"blueprint","description":"A sleek and simple interface for building powerful Javascript classes","url":null,"keywords":"blueprint oop class object","version":"2.1.4","words":"blueprint a sleek and simple interface for building powerful javascript classes =avinoamr blueprint oop class object","author":"=avinoamr","date":"2014-06-01 "},{"name":"blueprint-model","description":"Allow the definition of models.","url":null,"keywords":"model schema blueprint","version":"0.2.0","words":"blueprint-model allow the definition of models. =joaodubas model schema blueprint","author":"=joaodubas","date":"2014-01-25 "},{"name":"Blueprint-Sugar","description":"A simple Sugar for Prototypal Inheritance","url":null,"keywords":"prototypal sugar blueprint","version":"0.0.3","words":"blueprint-sugar a simple sugar for prototypal inheritance =couto prototypal sugar blueprint","author":"=couto","date":"2012-03-02 "},{"name":"blueprintjs","description":"Treat generic objects with class","url":null,"keywords":"class blueprint server client behavior","version":"0.0.1","words":"blueprintjs treat generic objects with class =peruggia class blueprint server client behavior","author":"=peruggia","date":"2014-06-17 "},{"name":"blueprints","description":"blueprints is a JavaScript template library for generating DOM elements. It takes a directory and converts it into a namespaced template library.","url":null,"keywords":"","version":"0.1.3","words":"blueprints blueprints is a javascript template library for generating dom elements. it takes a directory and converts it into a namespaced template library. =tombooth","author":"=tombooth","date":"2013-05-21 "},{"name":"blueraster-test","description":"test","url":null,"keywords":"test","version":"0.0.1","words":"blueraster-test test =wiseguy test","author":"=wiseguy","date":"2013-06-27 "},{"name":"bluescreenofdeath","description":"lulz","url":null,"keywords":"","version":"0.0.2","words":"bluescreenofdeath lulz =andrezsanchez","author":"=andrezsanchez","date":"2014-04-26 "},{"name":"blueshift","description":"Generate unique(ish) colors for city names using Dopplr's algorithm","url":null,"keywords":"dopplr colors cities","version":"2.0.1","words":"blueshift generate unique(ish) colors for city names using dopplr's algorithm =banterability dopplr colors cities","author":"=banterability","date":"2014-08-20 "},{"name":"bluesky","description":"A node.js library for accessing Azure services","url":null,"keywords":"azure cloud paas","version":"0.7.3","words":"bluesky a node.js library for accessing azure services =pofallon azure cloud paas","author":"=pofallon","date":"2014-09-09 "},{"name":"bluesky-lite","description":"A node.js library for accessing Azure services (bluesky without the azure dependency)","url":null,"keywords":"azure cloud paas","version":"0.7.3","words":"bluesky-lite a node.js library for accessing azure services (bluesky without the azure dependency) =pofallon azure cloud paas","author":"=pofallon","date":"2014-05-22 "},{"name":"blueslider","description":"Turn your slides using your TI SensorTag","url":null,"keywords":"bluetooth BLE bluetooth low energy bluetooth smart slide slideshow sensortag sensor tag","version":"0.2.0","words":"blueslider turn your slides using your ti sensortag =matteo.collina bluetooth ble bluetooth low energy bluetooth smart slide slideshow sensortag sensor tag","author":"=matteo.collina","date":"2014-05-28 "},{"name":"bluesteel","description":"A framework for optimizing frontend performance","url":null,"keywords":"","version":"0.0.13","words":"bluesteel a framework for optimizing frontend performance =mortenolsen","author":"=mortenolsen","date":"2014-06-18 "},{"name":"bluesteel-hbs","description":"BlueSteel.js view engine for HBS","url":null,"keywords":"","version":"0.1.0","words":"bluesteel-hbs bluesteel.js view engine for hbs =mortenolsen","author":"=mortenolsen","date":"2014-04-14 "},{"name":"bluesteel-jade","description":"Jade view engine for BlueSteel.js","url":null,"keywords":"","version":"0.1.0","words":"bluesteel-jade jade view engine for bluesteel.js =mortenolsen","author":"=mortenolsen","date":"2014-04-14 "},{"name":"bluestonesun","description":"desc","url":null,"keywords":"","version":"0.0.1","words":"bluestonesun desc =xu","author":"=xu","date":"2014-03-18 "},{"name":"bluestorm","description":"Node framework with angular ;)","url":null,"keywords":"keywords","version":"0.0.1","words":"bluestorm node framework with angular ;) =theo-mathieu keywords","author":"=theo-mathieu","date":"2014-08-30 "},{"name":"bluetec","description":"sample npm package","url":null,"keywords":"sample test","version":"1.0.1","words":"bluetec sample npm package =bluetec sample test","author":"=bluetec","date":"2014-09-15 "},{"name":"bluetooth-bulb","description":"A node.js library for the BluetoothBulb","url":null,"keywords":"Blue Click Bluetooth Bulb Blue Bulb BlueClick BluetoothBulb BlueBulb","version":"0.0.3","words":"bluetooth-bulb a node.js library for the bluetoothbulb =sandeepmistry blue click bluetooth bulb blue bulb blueclick bluetoothbulb bluebulb","author":"=sandeepmistry","date":"2013-10-03 "},{"name":"bluetooth-obd","description":"Package for communicating with a bluetooth OBD-II reader","url":null,"keywords":"obd car bluetooth rfcomm ecu","version":"0.2.0","words":"bluetooth-obd package for communicating with a bluetooth obd-ii reader =smekkie obd car bluetooth rfcomm ecu","author":"=smekkie","date":"2013-12-28 "},{"name":"bluetooth-serial-port","description":"Bluetooth serial port communication for Node.js","url":null,"keywords":"bluetooth serial port rfcomm linux os x windows","version":"1.1.4","words":"bluetooth-serial-port bluetooth serial port communication for node.js =eelco =langholz bluetooth serial port rfcomm linux os x windows","author":"=eelco =langholz","date":"2014-06-05 "},{"name":"blum","description":"A cli tool for generating manifest config.json files for a Hapi server pack. Ideal as a prestart script.","url":null,"keywords":"blum cli hapi manifest","version":"0.0.1","words":"blum a cli tool for generating manifest config.json files for a hapi server pack. ideal as a prestart script. =chasevida blum cli hapi manifest","author":"=chasevida","date":"2014-09-11 "},{"name":"blunderbuss","description":"A connect-like dnode service stack for linking distributed event-based service logic","url":null,"keywords":"services dnode stack","version":"0.1.2","words":"blunderbuss a connect-like dnode service stack for linking distributed event-based service logic =bpostlethwaite services dnode stack","author":"=bpostlethwaite","date":"2013-01-30 "},{"name":"blunt-app","description":"Http server wrapper -- think express !!","url":null,"keywords":"","version":"0.0.7","words":"blunt-app http server wrapper -- think express !! =bluntworks","author":"=bluntworks","date":"2014-08-25 "},{"name":"blunt-bone","description":"backbon like","url":null,"keywords":"backbone view","version":"0.0.5","words":"blunt-bone backbon like =bluntworks backbone view","author":"=bluntworks","date":"2013-11-18 "},{"name":"blunt-eio-stream","description":"Stream interface for engine.io","url":null,"keywords":"","version":"0.0.3","words":"blunt-eio-stream stream interface for engine.io =bluntworks","author":"=bluntworks","date":"2013-11-21 "},{"name":"blunt-log","description":"logging module","url":null,"keywords":"","version":"0.0.1","words":"blunt-log logging module =bluntworks","author":"=bluntworks","date":"2013-11-07 "},{"name":"blunt-multi-db","description":"Multi level DB wrapper","url":null,"keywords":"","version":"0.0.1","words":"blunt-multi-db multi level db wrapper =bluntworks","author":"=bluntworks","date":"2014-07-16 "},{"name":"blunt-session","description":"Session management -- uses level db as store for connect type sessions","url":null,"keywords":"Sessions cookies","version":"0.0.1","words":"blunt-session session management -- uses level db as store for connect type sessions =bluntworks sessions cookies","author":"=bluntworks","date":"2013-11-07 "},{"name":"blunt-stack","description":"midlleware stak -- ripped from creationix/stack","url":null,"keywords":"middleware stack","version":"0.0.1","words":"blunt-stack midlleware stak -- ripped from creationix/stack =bluntworks middleware stack","author":"=bluntworks","date":"2013-11-07 "},{"name":"blunt-users","description":"Blunt user db","url":null,"keywords":"leveldb users","version":"0.0.1","words":"blunt-users blunt user db =bluntworks leveldb users","author":"=bluntworks","date":"2013-11-07 "},{"name":"blunt-weave","description":"Trumpet Wrapper","url":null,"keywords":"templating trumpet","version":"0.0.5","words":"blunt-weave trumpet wrapper =bluntworks templating trumpet","author":"=bluntworks","date":"2013-11-18 "},{"name":"blurt","description":"A handy little tool for sending and receiving fire-and-forget UDP packets with JSON/BSON payloads.","url":null,"keywords":"udp cluster bson monitoring java ipc","version":"1.39.1","words":"blurt a handy little tool for sending and receiving fire-and-forget udp packets with json/bson payloads. =kablosna udp cluster bson monitoring java ipc","author":"=kablosna","date":"2013-11-24 "},{"name":"blutils","description":"Utilities for bluebird control flow.","url":null,"keywords":"functional combinator promises control flow utils bluebird","version":"0.8.0","words":"blutils utilities for bluebird control flow. =pluma functional combinator promises control flow utils bluebird","author":"=pluma","date":"2014-04-04 "},{"name":"blutrumpet","description":"Server to server integration for the blutrumpet ad platform","url":null,"keywords":"blutrumpet","version":"0.0.3","words":"blutrumpet server to server integration for the blutrumpet ad platform =pcrawfor blutrumpet","author":"=pcrawfor","date":"2012-10-08 "},{"name":"blync","description":"Blynclight module for Node.js using node-hid.","url":null,"keywords":"blync blynclight rgb led hid usb","version":"1.0.0","words":"blync blynclight module for node.js using node-hid. =justmoon blync blynclight rgb led hid usb","author":"=justmoon","date":"2014-03-12 "},{"name":"blypr-i","description":"module for logging to blypr","url":null,"keywords":"","version":"0.1.1","words":"blypr-i module for logging to blypr =mraxus","author":"=mraxus","date":"2014-03-23 "},{"name":"bm-generator","description":"Generate bookmarklet project","url":null,"keywords":"","version":"0.2.0","words":"bm-generator generate bookmarklet project =selead","author":"=selead","date":"2012-06-19 "},{"name":"bm-proxy","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"99.99.99","words":"bm-proxy error: no readme.md file found! =mclenithan","author":"=mclenithan","date":"2013-04-25 "},{"name":"bm-seans-adapter","description":"Adapter to send requests to cinema and receive responses from using JSON in Node.js","url":null,"keywords":"","version":"0.0.4","words":"bm-seans-adapter adapter to send requests to cinema and receive responses from using json in node.js =elgin =ernist =rovshan.haitmuradov","author":"=elgin =ernist =rovshan.haitmuradov","date":"2014-07-09 "},{"name":"bmfont2json","description":"converts BMFont TXT and XML files to JSON","url":null,"keywords":"bmfont bitmap fonts json xml txt angelcode angel code text","version":"0.1.5","words":"bmfont2json converts bmfont txt and xml files to json =mattdesl bmfont bitmap fonts json xml txt angelcode angel code text","author":"=mattdesl","date":"2014-05-24 "},{"name":"bmi","description":"Body Mass Index","url":null,"keywords":"","version":"0.2.0","words":"bmi body mass index =narciso","author":"=narciso","date":"2012-06-09 "},{"name":"bmo","description":"BMO serves files","url":null,"keywords":"","version":"0.0.1","words":"bmo bmo serves files =finnpauls","author":"=finnpauls","date":"2014-05-03 "},{"name":"Bmodule","description":"this is demo","url":null,"keywords":"","version":"0.0.2","words":"bmodule this is demo =gengbin","author":"=gengbin","date":"2011-11-24 "},{"name":"bmodulejs","description":"Browser module Controller, which surpport a good way for code tracking","url":null,"keywords":"","version":"2.0.5","words":"bmodulejs browser module controller, which surpport a good way for code tracking =bottleliu","author":"=bottleliu","date":"2014-09-18 "},{"name":"bmoor","description":"bMoor - Tie your site together\r ==================================================","url":null,"keywords":"","version":"0.0.1","words":"bmoor bmoor - tie your site together\r ================================================== =b-heilman","author":"=b-heilman","date":"2014-07-08 "},{"name":"bmp-js","description":"A pure javascript BMP encoder and decoder","url":null,"keywords":"bmp 1bit 4bit 8bit 24bit encoder decoder image javascript js","version":"0.0.1","words":"bmp-js a pure javascript bmp encoder and decoder =shaozilee bmp 1bit 4bit 8bit 24bit encoder decoder image javascript js","author":"=shaozilee","date":"2014-08-04 "},{"name":"bmp085","description":"Simple module for reading data from a Bosch BMP085 barometer.","url":null,"keywords":"","version":"0.3.2","words":"bmp085 simple module for reading data from a bosch bmp085 barometer. =fiskeben","author":"=fiskeben","date":"2013-12-10 "},{"name":"bmp085-sensor","description":"A module to interface a BMP085 temperature and pressure sensor to the raspberry pi.","url":null,"keywords":"bmp085 raspberry pi i2c","version":"0.0.4","words":"bmp085-sensor a module to interface a bmp085 temperature and pressure sensor to the raspberry pi. =dbridges bmp085 raspberry pi i2c","author":"=dbridges","date":"2014-02-14 "},{"name":"bmp180","description":"This module allows you to use a GPIO pin in Nitrogen as a device.","url":null,"keywords":"nitrogen iot","version":"0.1.3","words":"bmp180 this module allows you to use a gpio pin in nitrogen as a device. =tpark nitrogen iot","author":"=tpark","date":"2014-04-23 "},{"name":"bmrab","keywords":"","version":[],"words":"bmrab","author":"","date":"2014-06-09 "},{"name":"bmrest","description":"REST framework over express","url":null,"keywords":"api app express json-schema rest restful router schema web","version":"0.1.1","words":"bmrest rest framework over express =invision api app express json-schema rest restful router schema web","author":"=invision","date":"2014-08-04 "},{"name":"bmrest-docker","description":"Automatic documentation creation for the Bmrest library","url":null,"keywords":"api app express json-schema rest restful router schema web","version":"0.0.1-7","words":"bmrest-docker automatic documentation creation for the bmrest library =invision api app express json-schema rest restful router schema web","author":"=invision","date":"2014-07-01 "},{"name":"bmv_math_example","description":"An example of creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.15","words":"bmv_math_example an example of creating a package =bvandrasik math example addition subtraction multiplication division fibonacci","author":"=bvandrasik","date":"2013-05-20 "},{"name":"bmw","keywords":"","version":[],"words":"bmw","author":"","date":"2014-06-18 "},{"name":"bn","description":"JS Bigint import","url":null,"keywords":"","version":"1.0.1","words":"bn js bigint import =maxtaco","author":"=maxtaco","date":"2014-06-16 "},{"name":"bn-lang","description":"JavaScript extensions and additions for browsers and node.js","url":null,"keywords":"JavaScript extensions additions node.js","version":"1.0.0","words":"bn-lang javascript extensions and additions for browsers and node.js =ulueware javascript extensions additions node.js","author":"=ulueware","date":"2011-02-22 "},{"name":"bn-lang-util","description":"JavaScript utilities for browsers and node.js","url":null,"keywords":"JavaScript utilities node.js","version":"1.0.0","words":"bn-lang-util javascript utilities for browsers and node.js =ulueware javascript utilities node.js","author":"=ulueware","date":"2011-02-22 "},{"name":"bn-log","description":"JavaScript logging framework (much like log4j || log4net) for browsers and node.js","url":null,"keywords":"JavaScript logging browsers node.js","version":"1.0.1","words":"bn-log javascript logging framework (much like log4j || log4net) for browsers and node.js =ulueware javascript logging browsers node.js","author":"=ulueware","date":"2011-07-08 "},{"name":"bn-template","description":"JavaScript templating for browsers and node.js","url":null,"keywords":"JavaScript template view node.js","version":"1.0.0","words":"bn-template javascript templating for browsers and node.js =ulueware javascript template view node.js","author":"=ulueware","date":"2011-03-02 "},{"name":"bn-time","description":"JavaScript scheduler/timer for browsers and node.js","url":null,"keywords":"JavaScript scheduler timer task node.js","version":"1.0.0","words":"bn-time javascript scheduler/timer for browsers and node.js =ulueware javascript scheduler timer task node.js","author":"=ulueware","date":"2011-02-22 "},{"name":"bn-unit","description":"JavaScript unit test framework (much like JUnit || NUnit) for browsers and node.js","url":null,"keywords":"JavaScript unit testing browsers node.js","version":"1.0.0","words":"bn-unit javascript unit test framework (much like junit || nunit) for browsers and node.js =ulueware javascript unit testing browsers node.js","author":"=ulueware","date":"2011-02-22 "},{"name":"bn.js","description":"Big number implementation in pure javascript","url":null,"keywords":"BN BigNum Big number Modulo Montgomery","version":"0.14.0","words":"bn.js big number implementation in pure javascript =indutny bn bignum big number modulo montgomery","author":"=indutny","date":"2014-09-08 "},{"name":"bna","description":"build node app","url":null,"keywords":"require source analyze","version":"0.1.1","words":"bna build node app =mhzed require source analyze","author":"=mhzed","date":"2014-02-07 "},{"name":"bnc","description":"IRC Bouncer in Node.js","url":null,"keywords":"","version":"0.0.0","words":"bnc irc bouncer in node.js =hacksparrow","author":"=hacksparrow","date":"2013-05-29 "},{"name":"bnch","description":"A very simple (yet another) node benchmark utility","url":null,"keywords":"bench bnch benchmark benchmarks performance measure","version":"0.0.3","words":"bnch a very simple (yet another) node benchmark utility =arnorhs bench bnch benchmark benchmarks performance measure","author":"=arnorhs","date":"2013-05-23 "},{"name":"bncode","description":"bittorrent bencoding and decoding.","url":null,"keywords":"","version":"0.5.3","words":"bncode bittorrent bencoding and decoding. =a2800276","author":"=a2800276","date":"2014-04-11 "},{"name":"bndlr","description":"CDN & Dev friendly static content bundler","url":null,"keywords":"bundle js css middleware bundler cdn","version":"1.2.2","words":"bndlr cdn & dev friendly static content bundler =robby =williamwicks bundle js css middleware bundler cdn","author":"=robby =williamwicks","date":"2013-07-09 "},{"name":"bndr","description":"A minimalist browser framework that binds HTML elements to JS components","url":null,"keywords":"","version":"0.0.1","words":"bndr a minimalist browser framework that binds html elements to js components =mol","author":"=mol","date":"2013-11-18 "},{"name":"bnet","description":"\"A Node JS wrapper for the Battle.net API\"","url":null,"keywords":"","version":"1.2.0","words":"bnet \"a node js wrapper for the battle.net api\" =bryanmikaelian","author":"=bryanmikaelian","date":"2012-05-07 "},{"name":"bnf","description":"BNF Compiler, parser, and interpreter framework.","url":null,"keywords":"parser interpreter compiler bnf lexical","version":"0.1.0","words":"bnf bnf compiler, parser, and interpreter framework. =navstev0 parser interpreter compiler bnf lexical","author":"=navstev0","date":"2011-10-04 "},{"name":"bnmf-tns2","keywords":"","version":[],"words":"bnmf-tns2","author":"","date":"2014-05-26 "},{"name":"bnr-rates","description":"Simple module that fetch exchange rates from bnr.ro","url":null,"keywords":"","version":"0.1.1","words":"bnr-rates simple module that fetch exchange rates from bnr.ro =aurelstocheci","author":"=aurelstocheci","date":"2014-06-13 "},{"name":"bnt-seshat","description":"seshat ======","url":null,"keywords":"","version":"0.0.2","words":"bnt-seshat seshat ====== =tommichaelis","author":"=tommichaelis","date":"2013-05-16 "},{"name":"bo","description":"Simple CLI bot","url":null,"keywords":"cli bot robot","version":"0.0.3","words":"bo simple cli bot =bredikhin cli bot robot","author":"=bredikhin","date":"2014-05-28 "},{"name":"bo-cloud","description":"cloud","url":null,"keywords":"buji bo-cloud","version":"0.0.7","words":"bo-cloud cloud =tianwu buji bo-cloud","author":"=tianwu","date":"2014-06-04 "},{"name":"bo-selector","description":"CSS selector parser based on jison","url":null,"keywords":"css selector parser jison shamone","version":"0.0.10","words":"bo-selector css selector parser based on jison =joshski css selector parser jison shamone","author":"=joshski","date":"2014-01-02 "},{"name":"bo-slug","description":"Teaches Bo to slugify strings","url":null,"keywords":"bo cli slug","version":"0.0.1","words":"bo-slug teaches bo to slugify strings =bredikhin bo cli slug","author":"=bredikhin","date":"2014-05-28 "},{"name":"bo-weather","description":"Teaches Bo to fetch the weather report","url":null,"keywords":"bo cli weather","version":"0.0.1","words":"bo-weather teaches bo to fetch the weather report =bredikhin bo cli weather","author":"=bredikhin","date":"2014-06-06 "},{"name":"bo_","keywords":"","version":[],"words":"bo_","author":"","date":"2014-06-05 "},{"name":"boa","description":"Python built-in functions implemented in javascript","url":null,"keywords":"javascript python functions","version":"0.0.1","words":"boa python built-in functions implemented in javascript =zolmeister javascript python functions","author":"=zolmeister","date":"2013-11-26 "},{"name":"board","description":"Retreive data from The Board","url":null,"keywords":"","version":"0.0.3","words":"board retreive data from the board =novasism","author":"=novasism","date":"2013-04-29 "},{"name":"board-access","description":"wraps a 2d array and provides get and set methods","url":null,"keywords":"","version":"0.0.1","words":"board-access wraps a 2d array and provides get and set methods =cheeseen","author":"=cheeseen","date":"2014-04-18 "},{"name":"boarding-pass","description":"Boarding Pass provides a set of tools and defaults to quickly start front-end web project styling.","url":null,"keywords":"sass css","version":"1.0.0-beta2","words":"boarding-pass boarding pass provides a set of tools and defaults to quickly start front-end web project styling. =iamlacroix sass css","author":"=iamlacroix","date":"2014-08-06 "},{"name":"boardwalk","description":"A lightweight Javascript library for handling rich properties.","url":null,"keywords":"","version":"0.0.2","words":"boardwalk a lightweight javascript library for handling rich properties. =ilmatic","author":"=ilmatic","date":"2013-08-18 "},{"name":"bob","description":"Convention-based build tool for node.js projects.","url":null,"keywords":"build lint test coverage publish","version":"0.7.1","words":"bob convention-based build tool for node.js projects. =cliffano build lint test coverage publish","author":"=cliffano","date":"2014-09-09 "},{"name":"bob-builder","description":"Bob is the FED saviour","url":null,"keywords":"","version":"0.0.1","words":"bob-builder bob is the fed saviour =shortbreaks","author":"=shortbreaks","date":"2014-08-29 "},{"name":"boba.js","description":"Boba.js is a small, easily extensible JavaScript library that makes working with Google Analytics easier.","url":null,"keywords":"analytics tracking","version":"1.0.2","words":"boba.js boba.js is a small, easily extensible javascript library that makes working with google analytics easier. =athaeryn analytics tracking","author":"=athaeryn","date":"2014-08-25 "},{"name":"bobamo","description":"A scaffoldless crud thing using bootstrap, passport, mongoose, backbone and jquery","url":null,"keywords":"","version":"0.9.0","words":"bobamo a scaffoldless crud thing using bootstrap, passport, mongoose, backbone and jquery =speajus","author":"=speajus","date":"2012-11-10 "},{"name":"bobamo-example-model","url":null,"keywords":"","version":"0.8.1","words":"bobamo-example-model =speajus","author":"=speajus","date":"2012-10-30 "},{"name":"bobber","description":"bobber ======","url":null,"keywords":"","version":"0.0.0","words":"bobber bobber ====== =lbenson","author":"=lbenson","date":"2014-09-02 "},{"name":"bobble","description":"Yet another node.js logger","url":null,"keywords":"node logger javascript","version":"0.1.1","words":"bobble yet another node.js logger =stevedocious node logger javascript","author":"=stevedocious","date":"2014-03-26 "},{"name":"bobby","description":"Build your JavaScript projects","url":null,"keywords":"","version":"1.0.0","words":"bobby build your javascript projects =istefo","author":"=iStefo","date":"2012-06-24 "},{"name":"bobsled","description":"a fast, simple app framework prone to violent crashes","url":null,"keywords":"","version":"0.2.1","words":"bobsled a fast, simple app framework prone to violent crashes =femto113","author":"=femto113","date":"2013-03-08 "},{"name":"bobun","description":"Backbone UI oriented library.","url":null,"keywords":"backbone binding ui","version":"0.4.1","words":"bobun backbone ui oriented library. =neoziro backbone binding ui","author":"=neoziro","date":"2013-06-24 "},{"name":"bochar","description":"30-second slideshows for hackers with blackjack and hookers. In fact, forget the slideshows!","url":null,"keywords":"shower markdown static slideshow presentation","version":"0.1.3","words":"bochar 30-second slideshows for hackers with blackjack and hookers. in fact, forget the slideshows! =matmuchrapna shower markdown static slideshow presentation","author":"=matmuchrapna","date":"2013-10-09 "},{"name":"boco-sourced","description":"Library to support event sourcing in Javascript.","url":null,"keywords":"event source sourcing sourced event-sourcing boco","version":"0.0.5","words":"boco-sourced library to support event sourcing in javascript. =christianbradley event source sourcing sourced event-sourcing boco","author":"=christianbradley","date":"2014-07-10 "},{"name":"boco-sourced-mongodb","description":"MongoDB storage adapter for boco-sourced.","url":null,"keywords":"boco sourced mongodb","version":"0.0.2","words":"boco-sourced-mongodb mongodb storage adapter for boco-sourced. =christianbradley boco sourced mongodb","author":"=christianbradley","date":"2014-06-20 "},{"name":"bodec","description":"bodec =====","url":null,"keywords":"","version":"0.1.0","words":"bodec bodec ===== =creationix","author":"=creationix","date":"2014-07-25 "},{"name":"bodega","description":"A simple wrapper for node-postgres to make your life even easier.","url":null,"keywords":"database postgresql wrapper","version":"0.1.6","words":"bodega a simple wrapper for node-postgres to make your life even easier. =aichholzer database postgresql wrapper","author":"=aichholzer","date":"2014-08-17 "},{"name":"bodhi","description":"Bodhi5 Cli Tools","url":null,"keywords":"","version":"0.0.1","words":"bodhi bodhi5 cli tools =euforic","author":"=euforic","date":"2013-10-24 "},{"name":"bodhi-scripts","description":"Collection of scripts for everyday use. Run simple unit test, generate MAC address, object caching, logging or server files with a simple server.","url":null,"keywords":"bodhi, logger, cache, unittest, user management","version":"1.1.0","words":"bodhi-scripts collection of scripts for everyday use. run simple unit test, generate mac address, object caching, logging or server files with a simple server. =aggsol bodhi, logger, cache, unittest, user management","author":"=aggsol","date":"2013-10-19 "},{"name":"bodhi-store","description":"Cached key-value store. Every key-value pair is stored as a JSON-file. Pairs are managed in buckets where every bucket is just a folder containing JSON-files.","url":null,"keywords":"bodhi key-value store JSON file system","version":"1.1.0","words":"bodhi-store cached key-value store. every key-value pair is stored as a json-file. pairs are managed in buckets where every bucket is just a folder containing json-files. =aggsol bodhi key-value store json file system","author":"=aggsol","date":"2013-10-19 "},{"name":"bodice","keywords":"","version":[],"words":"bodice","author":"","date":"2014-04-05 "},{"name":"bodokaiser-modal","description":"jQuery-less implementation of twbs modals.","url":null,"keywords":"twbs modal overlay bootstrap twitter-bootstrap","version":"0.0.7","words":"bodokaiser-modal jquery-less implementation of twbs modals. =bodokaiser twbs modal overlay bootstrap twitter-bootstrap","author":"=bodokaiser","date":"2014-05-22 "},{"name":"bodokaiser-replace","description":"Simply replace an element child nodes.","url":null,"keywords":"dom insert replace","version":"1.1.1","words":"bodokaiser-replace simply replace an element child nodes. =bodokaiser dom insert replace","author":"=bodokaiser","date":"2014-05-21 "},{"name":"bodokaiser-rester","description":"Your sweet REST client based on superagent.","url":null,"keywords":"http rest client component","version":"1.0.0","words":"bodokaiser-rester your sweet rest client based on superagent. =bodokaiser http rest client component","author":"=bodokaiser","date":"2014-05-22 "},{"name":"bodule","description":"a tool for wrapping commonjs to browser !","url":null,"keywords":"","version":"0.1.0","words":"bodule a tool for wrapping commonjs to browser ! =island205","author":"=island205","date":"2013-05-11 "},{"name":"body","description":"Body parsing","url":null,"keywords":"","version":"4.5.0","words":"body body parsing =raynos","author":"=raynos","date":"2014-07-14 "},{"name":"body-disposal","description":"Connect middleware to clean empty fields and delete those specified in _delete","url":null,"keywords":"","version":"0.0.1","words":"body-disposal connect middleware to clean empty fields and delete those specified in _delete =framp","author":"=framp","date":"2014-03-19 "},{"name":"body-parser","description":"Node.js body parsing middleware","url":null,"keywords":"","version":"1.8.3","words":"body-parser node.js body parsing middleware =jongleberry =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123","author":"=jongleberry =dougwilson =tjholowaychuk =shtylman =mscdex =fishrock123","date":"2014-09-20 "},{"name":"bodydouble","description":"A kind of mock library that returns mock that conform to the interface of the mocked object.","url":null,"keywords":"testing mock spy","version":"0.1.2","words":"bodydouble a kind of mock library that returns mock that conform to the interface of the mocked object. =airportyh testing mock spy","author":"=airportyh","date":"2013-07-08 "},{"name":"bodyguard","description":"Bodyguard\r =========","url":null,"keywords":"","version":"0.1.2","words":"bodyguard bodyguard\r ========= =stoney","author":"=stoney","date":"2013-11-10 "},{"name":"bodymedia","description":"Interface to the Bodymedia API - http://developer.bodymedia.com/","url":null,"keywords":"bodymedia api oauth request health mashery","version":"0.8.0","words":"bodymedia interface to the bodymedia api - http://developer.bodymedia.com/ =ehershey bodymedia api oauth request health mashery","author":"=ehershey","date":"2013-01-30 "},{"name":"bodytrack-datastore","description":"A Node.js interface for the BodyTrack Datastore.","url":null,"keywords":"bodytrack datastore create createlab time series","version":"0.1.1","words":"bodytrack-datastore a node.js interface for the bodytrack datastore. =chrisbartley bodytrack datastore create createlab time series","author":"=chrisbartley","date":"2014-06-08 "},{"name":"bog","description":"Thinnest possible logging","url":null,"keywords":"log logging ligh lightweight","version":"1.0.0","words":"bog thinnest possible logging =algesten log logging ligh lightweight","author":"=algesten","date":"2013-12-20 "},{"name":"boganipsum","description":"Lorem Ipsum ... Bogan Style!","url":null,"keywords":"lorem ipsum loremipsum example text filler","version":"0.1.0","words":"boganipsum lorem ipsum ... bogan style! =rvagg lorem ipsum loremipsum example text filler","author":"=rvagg","date":"2013-08-08 "},{"name":"bogart","description":"Fast JSGI web framework taking inspiration from Sinatra","url":null,"keywords":"bogart framework sinatra REST","version":"0.5.26","words":"bogart fast jsgi web framework taking inspiration from sinatra =nathan bogart framework sinatra rest","author":"=nathan","date":"2014-08-20 "},{"name":"bogart-cors","description":"Bogart (written by Nathan Stott) now has CORS - however, the npm entry for Bogart has not been updated to reflect this. Once Nathan publishes the latest version of Bogart to npm, this package will no longer be necessary.","url":null,"keywords":"bogart framework sinatra REST CORS","version":"0.5.13","words":"bogart-cors bogart (written by nathan stott) now has cors - however, the npm entry for bogart has not been updated to reflect this. once nathan publishes the latest version of bogart to npm, this package will no longer be necessary. =notduncansmith bogart framework sinatra rest cors","author":"=notduncansmith","date":"2013-12-09 "},{"name":"bogart-edge","description":"Fast JSGI web framework taking inspiration from Sinatra","url":null,"keywords":"bogart framework sinatra REST","version":"0.7.2","words":"bogart-edge fast jsgi web framework taking inspiration from sinatra =nathan bogart framework sinatra rest","author":"=nathan","date":"2014-05-05 "},{"name":"bogart-form-warden","description":"## Installation","url":null,"keywords":"","version":"1.2.4","words":"bogart-form-warden ## installation =nathan =soitgoes","author":"=nathan =soitgoes","date":"2014-02-04 "},{"name":"bogart-gen","description":"A suite of Rails-style generators for the awesome Bogart framework. Work in progress.","url":null,"keywords":"","version":"0.1.0","words":"bogart-gen a suite of rails-style generators for the awesome bogart framework. work in progress. =notduncansmith","author":"=notduncansmith","date":"2013-05-29 "},{"name":"bogart-handlebars","description":"Handlebars tools for Bogart","url":null,"keywords":"handlebars bogart respond","version":"0.9.2","words":"bogart-handlebars handlebars tools for bogart =jdc0589 =nathan handlebars bogart respond","author":"=jdc0589 =nathan","date":"2014-04-02 "},{"name":"bogart-injector","description":"bogart-injector ===============","url":null,"keywords":"bogart dependency injection injector","version":"0.2.1","words":"bogart-injector bogart-injector =============== =nathan bogart dependency injection injector","author":"=nathan","date":"2014-03-08 "},{"name":"bogart-jade","description":"Jade template engine plugin for Bogart","url":null,"keywords":"bogart jade","version":"0.1.1","words":"bogart-jade jade template engine plugin for bogart =nathan bogart jade","author":"=nathan","date":"2011-12-09 "},{"name":"bogart-redis","description":"redis providers for the bogart session middleware","url":null,"keywords":"bogart session redis jsgi","version":"1.0.0","words":"bogart-redis redis providers for the bogart session middleware =nathan bogart session redis jsgi","author":"=nathan","date":"2014-02-21 "},{"name":"bogart-resource","description":"Model and Controller web framework built on Bogart, utilizing Promsises for control flow.","url":null,"keywords":"model controller bogart promises q","version":"0.1.0","words":"bogart-resource model and controller web framework built on bogart, utilizing promsises for control flow. =nathan model controller bogart promises q","author":"=nathan","date":"2014-03-12 "},{"name":"bogart-sequelize","description":"Classes:","url":null,"keywords":"","version":"0.1.0","words":"bogart-sequelize classes: =nathan","author":"=nathan","date":"2014-03-12 "},{"name":"bogart-server","description":"JSGI Server for Node.JS","url":null,"keywords":"bogart jsgi cgi","version":"0.1.4","words":"bogart-server jsgi server for node.js =nathan bogart jsgi cgi","author":"=nathan","date":"2012-01-10 "},{"name":"bogart-session-redis","description":"redis providers for the bogart session middleware","url":null,"keywords":"bogart session redis jsgi","version":"0.0.1","words":"bogart-session-redis redis providers for the bogart session middleware =davisclark bogart session redis jsgi","author":"=davisclark","date":"2011-11-16 "},{"name":"bogen","description":"Package generator (structure, changelogs, tests, package.json, etc)","url":null,"keywords":"","version":"0.1.0","words":"bogen package generator (structure, changelogs, tests, package.json, etc) =euforic","author":"=euforic","date":"2013-06-06 "},{"name":"bogey","description":"Log visualization that runs in the browser.","url":null,"keywords":"logs visualization","version":"0.2.0","words":"bogey log visualization that runs in the browser. =gfloyd logs visualization","author":"=gfloyd","date":"2014-08-08 "},{"name":"bogey-pong","description":"Pong visualization for Bogey.","url":null,"keywords":"bogey pong logs visualization","version":"0.1.0","words":"bogey-pong pong visualization for bogey. =gfloyd bogey pong logs visualization","author":"=gfloyd","date":"2014-08-07 "},{"name":"bogey-web","description":"Bogey web interface.","url":null,"keywords":"","version":"0.1.2","words":"bogey-web bogey web interface. =gfloyd","author":"=gfloyd","date":"2014-08-08 "},{"name":"bogeyman","description":"Bogeyman is application build upon awesome PhantomJS and it provides REST API so you can use PhantomJS headless crawling of heavy javascript webspages within any programming language or curl.","url":null,"keywords":"scraping crawler phantomjs api","version":"0.0.4","words":"bogeyman bogeyman is application build upon awesome phantomjs and it provides rest api so you can use phantomjs headless crawling of heavy javascript webspages within any programming language or curl. =reneklacan scraping crawler phantomjs api","author":"=reneklacan","date":"2014-07-02 "},{"name":"bogeyman.js","keywords":"","version":[],"words":"bogeyman.js","author":"","date":"2014-06-29 "},{"name":"boggle","description":"Boggle grid solver","url":null,"keywords":"boggle solver words","version":"0.1.3","words":"boggle boggle grid solver =bahmutov =zolmeister boggle solver words","author":"=bahmutov =zolmeister","date":"2014-01-10 "},{"name":"boggle-connect","description":"Boggle web page","url":null,"keywords":"boggle connect","version":"0.0.1","words":"boggle-connect boggle web page =bahmutov boggle connect","author":"=bahmutov","date":"2013-08-20 "},{"name":"bogosort","description":"This (stupid) package for node.js implements the well known BogoSort algorithm.","url":null,"keywords":"algorithms bogosort monkeysort stupidsort sort","version":"0.0.2","words":"bogosort this (stupid) package for node.js implements the well known bogosort algorithm. =dak0rn algorithms bogosort monkeysort stupidsort sort","author":"=dak0rn","date":"2014-04-16 "},{"name":"bogus","description":"A small utility for stubbing dependencies in RequireJS based projects","url":null,"keywords":"","version":"0.3.1","words":"bogus a small utility for stubbing dependencies in requirejs based projects =mrgnrdrck","author":"=mrgnrdrck","date":"2014-07-09 "},{"name":"bogus.js","description":"Access Backbone templates from Hogan","url":null,"keywords":"mustache template hogan backbone","version":"2.0.0","words":"bogus.js access backbone templates from hogan =stephank mustache template hogan backbone","author":"=stephank","date":"2012-03-21 "},{"name":"boids","description":"ERROR: No README.md file found!","url":null,"keywords":"boids flocking algorithm emergence","version":"1.0.0","words":"boids error: no readme.md file found! =hughsk boids flocking algorithm emergence","author":"=hughsk","date":"2013-05-05 "},{"name":"boil","description":"Quick Access to HTML5 Boilerplate","url":null,"keywords":"","version":"0.0.1","words":"boil quick access to html5 boilerplate =sbioko","author":"=sbioko","date":"2011-03-23 "},{"name":"boil-js","description":"Boilerplate files, packages, apps, websites etc.","url":null,"keywords":"","version":"0.2.9","words":"boil-js boilerplate files, packages, apps, websites etc. =75lb","author":"=75lb","date":"2014-09-09 "},{"name":"boil-npm-package","description":"Boilerplate a new npm package from the command line","url":null,"keywords":"","version":"0.1.6","words":"boil-npm-package boilerplate a new npm package from the command line =75lb","author":"=75lb","date":"2014-09-09 "},{"name":"boil-sitemap","description":"Static website sitemap.xml generator","url":null,"keywords":"","version":"0.1.1","words":"boil-sitemap static website sitemap.xml generator =75lb","author":"=75lb","date":"2014-06-13 "},{"name":"boiledjs","description":"Engine agnostic JavaScript compiler.","url":null,"keywords":"compile build module","version":"0.2.4","words":"boiledjs engine agnostic javascript compiler. =bluejeansandrain compile build module","author":"=bluejeansandrain","date":"2013-08-15 "},{"name":"boiler","description":"Bundle Node.js libraries for the browser","url":null,"keywords":"js bundling require CommonJS browser","version":"0.1.5","words":"boiler bundle node.js libraries for the browser =icetan js bundling require commonjs browser","author":"=icetan","date":"2013-08-14 "},{"name":"boilerpipe","description":"A node.js wrapper for Boilerpipe, an excellent Java library for boilerplate removal and fulltext extraction from HTML pages.","url":null,"keywords":"","version":"0.0.7","words":"boilerpipe a node.js wrapper for boilerpipe, an excellent java library for boilerplate removal and fulltext extraction from html pages. =xissy","author":"=xissy","date":"2014-02-14 "},{"name":"boilerpipe-query","description":"Queries Boilerpipe's public API","url":null,"keywords":"boilerpipe query","version":"0.1.3","words":"boilerpipe-query queries boilerpipe's public api =trolleymusic boilerpipe query","author":"=trolleymusic","date":"2014-03-28 "},{"name":"boilerplate","description":"Generic, highly customizeable application generator","url":null,"keywords":"generator nodejs","version":"0.1.5","words":"boilerplate generic, highly customizeable application generator =tblobaum =pvencill =autoric generator nodejs","author":"=tblobaum =pvencill =autoric","date":"2013-04-18 "},{"name":"boilerplate-bootstrap","description":"Build Bootstrap with Assemble instead of Jekyll.","url":null,"keywords":"assemble boilerplate assemble example assemble assembleboilerplate blog generator boilerplate bootstrap node.js bootstrap build component generator grunt task grunt handlebars node.js bootstrap node.js jekyll node.js site generator site builder site generator templates","version":"0.2.8","words":"boilerplate-bootstrap build bootstrap with assemble instead of jekyll. =jonschlinkert assemble boilerplate assemble example assemble assembleboilerplate blog generator boilerplate bootstrap node.js bootstrap build component generator grunt task grunt handlebars node.js bootstrap node.js jekyll node.js site generator site builder site generator templates","author":"=jonschlinkert","date":"2013-12-22 "},{"name":"boilerplate-generator","description":"Boilerplate generator","url":null,"keywords":"assemble boilerplates genelator","version":"0.1.1","words":"boilerplate-generator boilerplate generator =hariadi assemble boilerplates genelator","author":"=hariadi","date":"2013-12-19 "},{"name":"boilerplate-gif","description":"Make an animated gif from a boilerplate world","url":null,"keywords":"boilerplate gif","version":"1.0.0","words":"boilerplate-gif make an animated gif from a boilerplate world =josephg boilerplate gif","author":"=josephg","date":"2014-09-06 "},{"name":"boilerplate-gist-blog","description":"Assemble a blog from gists.","url":null,"keywords":"gruntplugin build site generator component generator blog generator handlebars templates","version":"0.1.2","words":"boilerplate-gist-blog assemble a blog from gists. =jonschlinkert gruntplugin build site generator component generator blog generator handlebars templates","author":"=jonschlinkert","date":"2013-07-16 "},{"name":"boilerplate-gulp","description":"Boilerplate gulp tasks for client side packages","url":null,"keywords":"gulp boilerplate less browserify connect jasmine jshint recess istanbul","version":"0.3.0","words":"boilerplate-gulp boilerplate gulp tasks for client side packages =ozanturgut gulp boilerplate less browserify connect jasmine jshint recess istanbul","author":"=ozanturgut","date":"2014-09-08 "},{"name":"boilerplate-gulp-angular","description":"Boilerplate gulp tasks for angular packages","url":null,"keywords":"gulp boilerplate less browserify connect jasmine jshint recess istanbul","version":"0.1.8","words":"boilerplate-gulp-angular boilerplate gulp tasks for angular packages =ozanturgut gulp boilerplate less browserify connect jasmine jshint recess istanbul","author":"=ozanturgut","date":"2014-09-17 "},{"name":"boilerplate-h5bp","description":"Assemble boilerplate for generating a site with H5BP (HTML5 Boilerplate).","url":null,"keywords":"assemble assembleboilerplate boilerplate h5bp html 5 boilerplate","version":"0.1.1","words":"boilerplate-h5bp assemble boilerplate for generating a site with h5bp (html5 boilerplate). =jonschlinkert assemble assembleboilerplate boilerplate h5bp html 5 boilerplate","author":"=jonschlinkert","date":"2014-03-08 "},{"name":"boilerplate-sim","description":"This is a reference simulator for a steam / air pressure based turing tarpit. The world is a 2d space deep underground. You can empty out space, which can be pressurized with pumps. Pressurized air pushes (or pulls) shuttles, which can be used as switches","url":null,"keywords":"boilerplate turing","version":"1.1.0","words":"boilerplate-sim this is a reference simulator for a steam / air pressure based turing tarpit. the world is a 2d space deep underground. you can empty out space, which can be pressurized with pumps. pressurized air pushes (or pulls) shuttles, which can be used as switches =josephg boilerplate turing","author":"=josephg","date":"2014-09-08 "},{"name":"boilerplates","description":"Boilerplates for Assemble.","url":null,"keywords":"assemble boilerplate assemble example assemble assembleboilerplate boilerplate","version":"0.3.0","words":"boilerplates boilerplates for assemble. =jonschlinkert assemble boilerplate assemble example assemble assembleboilerplate boilerplate","author":"=jonschlinkert","date":"2013-10-29 "},{"name":"boke","description":"boke","url":null,"keywords":"boke","version":"0.0.1","words":"boke boke =mdemo boke","author":"=mdemo","date":"2013-09-18 "},{"name":"bokeh","description":"A blazing-fast task queue built on Node.js and ZeroMQ.","url":null,"keywords":"zeromq message queue","version":"0.4.3","words":"bokeh a blazing-fast task queue built on node.js and zeromq. =nullobject zeromq message queue","author":"=nullobject","date":"2014-06-26 "},{"name":"bokehjs","description":"Interactive, novel data visualization","url":null,"keywords":"bokeh datavis dataviz visualization plotting plot graph","version":"0.5.2","words":"bokehjs interactive, novel data visualization =bokeh bokeh datavis dataviz visualization plotting plot graph","author":"=bokeh","date":"2014-08-15 "},{"name":"bokkusu","description":"Abstract json document storage","url":null,"keywords":"","version":"0.0.5","words":"bokkusu abstract json document storage =athoune","author":"=athoune","date":"2013-03-23 "},{"name":"bokser","keywords":"","version":[],"words":"bokser","author":"","date":"2013-12-11 "},{"name":"bolcom","description":"Module for node.js to access Bol.com Open API service","url":null,"keywords":"bol.com bolcom api unlicense","version":"1.0.0","words":"bolcom module for node.js to access bol.com open api service =franklin bol.com bolcom api unlicense","author":"=franklin","date":"2014-09-19 "},{"name":"bole","description":"A tiny JSON logger","url":null,"keywords":"logging json","version":"1.0.0","words":"bole a tiny json logger =rvagg logging json","author":"=rvagg","date":"2014-08-11 "},{"name":"bolero","keywords":"","version":[],"words":"bolero","author":"","date":"2014-04-05 "},{"name":"boleto","description":"Gerador de boletos para o sitema Node.js","url":null,"keywords":"","version":"0.0.1","words":"boleto gerador de boletos para o sitema node.js =cranic","author":"=cranic","date":"2012-08-04 "},{"name":"boletonode","description":"Módulo para geração de boleto bancário baseado no boletophp.","url":null,"keywords":"","version":"0.1.0","words":"boletonode módulo para geração de boleto bancário baseado no boletophp. =andersonloyola","author":"=andersonloyola","date":"2013-06-04 "},{"name":"boleynmodule","keywords":"","version":[],"words":"boleynmodule","author":"","date":"2014-04-22 "},{"name":"bolgia","description":"Bolgia, an helper module for the config hell. It recursively clones, mixes, updates and improves configuration objects/hashes with nested properties. '..non ragioniam di lor, ma guarda e passa..' ","url":null,"keywords":"JSON Object config options constrcutor options mix clone improve update toString toArray toHash reveal qs flatten querystring serialize hell","version":"2.7.4","words":"bolgia bolgia, an helper module for the config hell. it recursively clones, mixes, updates and improves configuration objects/hashes with nested properties. '..non ragioniam di lor, ma guarda e passa..' =rootslab json object config options constrcutor options mix clone improve update tostring toarray tohash reveal qs flatten querystring serialize hell","author":"=rootslab","date":"2014-08-23 "},{"name":"bolivar","description":"Get independant from external css, js and images","url":null,"keywords":"cli independant external files offline development resolve dependencies","version":"1.0.0","words":"bolivar get independant from external css, js and images =finnpauls cli independant external files offline development resolve dependencies","author":"=finnpauls","date":"2014-07-05 "},{"name":"bolt","description":"Send messages to any nodejs process, anywhere on the Internet.","url":null,"keywords":"","version":"0.3.3","words":"bolt send messages to any nodejs process, anywhere on the internet. =ecto","author":"=ecto","date":"2012-03-22 "},{"name":"bolt-logger","description":"simple logging for bolt","url":null,"keywords":"","version":"0.0.2","words":"bolt-logger simple logging for bolt =ecto","author":"=ecto","date":"2011-11-29 "},{"name":"bolt-monitor","url":null,"keywords":"","version":"0.0.0","words":"bolt-monitor =ecto","author":"=ecto","date":"2011-11-07 "},{"name":"bolt-relay","description":"bolt-relay is a web framework for cloud based automation connect bolt client.","url":null,"keywords":"","version":"0.3.4","words":"bolt-relay bolt-relay is a web framework for cloud based automation connect bolt client. =clearpath","author":"=clearpath","date":"2014-03-28 "},{"name":"boltbus","description":"Distributed message bus powered by AWS","url":null,"keywords":"","version":"0.1.0","words":"boltbus distributed message bus powered by aws =fitz","author":"=fitz","date":"2013-10-03 "},{"name":"boltcm-newsletter-sender","description":"Sends the Newsletters of your @BoltCM installation!","url":null,"keywords":"bolt-cm newsletter smtp cron","version":"0.0.1-alpha3","words":"boltcm-newsletter-sender sends the newsletters of your @boltcm installation! =doertedev bolt-cm newsletter smtp cron","author":"=doertedev","date":"2013-07-24 "},{"name":"boltjs","description":"Bolt module system.","url":null,"keywords":"module bolt","version":"1.6.2-12","words":"boltjs bolt module system. =mth =boltjs module bolt","author":"=mth =boltjs","date":"2013-09-03 "},{"name":"bolts","description":"Opinionated node.js bootstrap","url":null,"keywords":"bootstrap","version":"0.1.0","words":"bolts opinionated node.js bootstrap =tonylukasavage bootstrap","author":"=tonylukasavage","date":"2014-06-02 "},{"name":"bom","description":"帮我买旗下品牌OM前端自动化解决工具,基于开源工具fis","url":null,"keywords":"bom","version":"0.0.2","words":"bom 帮我买旗下品牌om前端自动化解决工具,基于开源工具fis =jakeauyeung bom","author":"=jakeauyeung","date":"2014-02-20 "},{"name":"bom-api","description":"node wrapper for BOM (bereau of meteorology) api","url":null,"keywords":"bom","version":"1.0.0","words":"bom-api node wrapper for bom (bereau of meteorology) api =rolandnsharp =yoik bom","author":"=rolandnsharp =yoik","date":"2014-06-05 "},{"name":"bomb","keywords":"","version":[],"words":"bomb","author":"","date":"2011-11-02 "},{"name":"bombast","description":"NodeJS SDK for bombast api","url":null,"keywords":"","version":"0.0.4","words":"bombast nodejs sdk for bombast api =martinza78","author":"=martinza78","date":"2014-09-20 "},{"name":"bombe-api","description":"An API for the data-analytics platform, Bombe.","url":null,"keywords":"bombe","version":"0.0.1","words":"bombe-api an api for the data-analytics platform, bombe. =markfarrell bombe","author":"=markfarrell","date":"2014-02-19 "},{"name":"bomberman","description":"Client for interacting with Bomberman HTTP API. For more information visit http://bomberman.ikayzo.com/","url":null,"keywords":"bomberman profanity","version":"2.0.0","words":"bomberman client for interacting with bomberman http api. for more information visit http://bomberman.ikayzo.com/ =keokilee =ikayzo bomberman profanity","author":"=keokilee =ikayzo","date":"2014-06-07 "},{"name":"bomberman-node","description":"Client for interacting with Bomberman HTTP API. For more information visit http://bomberman.ikayzo.com/","url":null,"keywords":"bomberman profanity","version":"2.0.0","words":"bomberman-node client for interacting with bomberman http api. for more information visit http://bomberman.ikayzo.com/ =keokilee =ikayzo bomberman profanity","author":"=keokilee =ikayzo","date":"2014-06-06 "},{"name":"bombom","description":"Detect, enforce or strip BOM signatures.","url":null,"keywords":"bom signature detect enforce strip add remove","version":"0.1.2","words":"bombom detect, enforce or strip bom signatures. =jedmao bom signature detect enforce strip add remove","author":"=jedmao","date":"2014-05-04 "},{"name":"bomobile","description":"a small mvc framework for authoring mobile apps with native-like performance. full unit test coverage.","url":null,"keywords":"mobile ios cordova phonegap wrap slide paging pane mvc","version":"0.1.10","words":"bomobile a small mvc framework for authoring mobile apps with native-like performance. full unit test coverage. =bcherny mobile ios cordova phonegap wrap slide paging pane mvc","author":"=bcherny","date":"2013-11-27 "},{"name":"bomstrip","description":"Node transformation stream that will strip a UTF-8 Byte Order Mark from the beginning.","url":null,"keywords":"bom utf8 stream transform","version":"0.1.4","words":"bomstrip node transformation stream that will strip a utf-8 byte order mark from the beginning. =tracker1 bom utf8 stream transform","author":"=tracker1","date":"2014-03-24 "},{"name":"bon","description":"bash on node","url":null,"keywords":"bash meta cli","version":"0.0.4","words":"bon bash on node =orlin bash meta cli","author":"=orlin","date":"2014-05-02 "},{"name":"bon-etat","description":"A finite state machine","url":null,"keywords":"fsm state machine","version":"1.0.0","words":"bon-etat a finite state machine =gausby fsm state machine","author":"=gausby","date":"2014-09-15 "},{"name":"bonana","description":"太陽花好吃嗎?問秋意。","url":null,"keywords":"banana 4am bonana","version":"0.1.1","words":"bonana 太陽花好吃嗎?問秋意。 =huei90 banana 4am bonana","author":"=huei90","date":"2014-04-20 "},{"name":"bond","description":"A minimal Promises A implementation","url":null,"keywords":"","version":"0.1.5","words":"bond a minimal promises a implementation =pete-otaqui","author":"=pete-otaqui","date":"2012-04-24 "},{"name":"bond.js","description":"promise/a+ implementation","url":null,"keywords":"promises","version":"0.0.1","words":"bond.js promise/a+ implementation =sethmcl promises","author":"=sethmcl","date":"2013-08-12 "},{"name":"bondjs","description":"simple js stub/spy library","url":null,"keywords":"","version":"1.2.0","words":"bondjs simple js stub/spy library =smassa","author":"=smassa","date":"2014-08-21 "},{"name":"bone","description":"javascirpt toolkit","url":null,"keywords":"","version":"0.0.1","words":"bone javascirpt toolkit =wyicwx","author":"=wyicwx","date":"2014-09-17 "},{"name":"bone-cli","description":"commander for bone","url":null,"keywords":"bone bone-cli","version":"0.0.0","words":"bone-cli commander for bone =wyicwx bone bone-cli","author":"=wyicwx","date":"2014-09-17 "},{"name":"bone.io","description":"Bone.io is a lightweight framework for building high performance Realtime Single Page Apps.","url":null,"keywords":"realtime web html5 framework bone.io bone man skeleton mobile socket.io badass","version":"0.8.9","words":"bone.io bone.io is a lightweight framework for building high performance realtime single page apps. =brad@techpines.com realtime web html5 framework bone.io bone man skeleton mobile socket.io badass","author":"=brad@techpines.com","date":"2013-08-11 "},{"name":"bone.io-textsearch","description":"Get that nice \"Google\" style search, without the billion dollar investment.","url":null,"keywords":"","version":"0.1.3","words":"bone.io-textsearch get that nice \"google\" style search, without the billion dollar investment. =brad@techpines.com","author":"=brad@techpines.com","date":"2013-06-06 "},{"name":"bonecss","description":"bone.css The Css Framework which is the substrate of a project","url":null,"keywords":"","version":"0.0.2","words":"bonecss bone.css the css framework which is the substrate of a project =koojy","author":"=koojy","date":"2014-08-08 "},{"name":"boneidle","description":"Functional library with callbacks","url":null,"keywords":"","version":"0.1.3","words":"boneidle functional library with callbacks =jozef.dransfield","author":"=jozef.dransfield","date":"2012-08-08 "},{"name":"bones","description":"Framework for using backbone.js on the client and server.","url":null,"keywords":"","version":"1.3.29","words":"bones framework for using backbone.js on the client and server. =kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw =dmitrig01 =bones","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw =dmitrig01 =bones","date":"2014-01-10 "},{"name":"bones-admin","url":null,"keywords":"","version":"2.0.0","words":"bones-admin =kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","date":"2011-09-13 "},{"name":"bones-auth","description":"User model with password based authentication for Bones.","url":null,"keywords":"","version":"2.1.0","words":"bones-auth user model with password based authentication for bones. =kkaefer =yhahn =tmcw =willwhite =ianshward =lxbarth =adrianrossouw","author":"=kkaefer =yhahn =tmcw =willwhite =ianshward =lxbarth =adrianrossouw","date":"2012-07-20 "},{"name":"bones-backend","description":"","url":null,"keywords":"bones backend","version":"0.0.1","words":"bones-backend =makara bones backend","author":"=makara","date":"2012-09-29 "},{"name":"bones-boiler","description":"Test playground bones features and setups!","url":null,"keywords":"bones express","version":"0.1.0","words":"bones-boiler test playground bones features and setups! =conoremclaughlin bones express","author":"=conoremclaughlin","date":"2013-01-19 "},{"name":"bones-document","url":null,"keywords":"","version":"2.0.0","words":"bones-document =kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer =lxbarth =adrianrossouw","date":"2011-09-13 "},{"name":"bones-files","description":"File handling for Bones.","url":null,"keywords":"backbone bones download files upload","version":"0.0.2","words":"bones-files file handling for bones. =vkareh backbone bones download files upload","author":"=vkareh","date":"2012-10-23 "},{"name":"bones-form","description":"Form library for bones.","url":null,"keywords":"","version":"0.0.2","words":"bones-form form library for bones. =jackey","author":"=jackey","date":"2012-03-05 "},{"name":"bones-mixin","description":"Just another way to organize your code.","url":null,"keywords":"bones mixin","version":"0.0.1","words":"bones-mixin just another way to organize your code. =makara bones mixin","author":"=makara","date":"2012-11-21 "},{"name":"bones-page","description":"","url":null,"keywords":"bones page","version":"0.0.1","words":"bones-page =makara bones page","author":"=makara","date":"2012-09-10 "},{"name":"bones-passport","description":"Integrate the passport authentication framework into Bones.","url":null,"keywords":"","version":"0.0.2","words":"bones-passport integrate the passport authentication framework into bones. =adrianrossouw","author":"=adrianrossouw","date":"2012-01-27 "},{"name":"bones-rest","description":"Adds \"resource(s)\" which is both","url":null,"keywords":"bones rest","version":"0.0.6","words":"bones-rest adds \"resource(s)\" which is both =makara bones rest","author":"=makara","date":"2012-11-23 "},{"name":"bones-stash","description":"","url":null,"keywords":"bones stash","version":"0.0.1","words":"bones-stash =makara bones stash","author":"=makara","date":"2012-09-29 "},{"name":"bones-test","description":"","url":null,"keywords":"bones test","version":"0.0.4","words":"bones-test =makara bones test","author":"=makara","date":"2012-09-28 "},{"name":"bonescript","description":"Physical computing library for embedded Linux","url":null,"keywords":"embedded linux beagleboard beaglebone physical gpio arduino","version":"0.2.4","words":"bonescript physical computing library for embedded linux =jkridner embedded linux beagleboard beaglebone physical gpio arduino","author":"=jkridner","date":"2014-01-17 "},{"name":"bonfire","description":"Throw your database to the flames.","url":null,"keywords":"mongo collection websockets real-time REST","version":"0.0.0","words":"bonfire throw your database to the flames. =rschmukler mongo collection websockets real-time rest","author":"=rschmukler","date":"2013-06-03 "},{"name":"bonfires","description":"Enables WebRTC Peers to act as Signaling Servers","url":null,"keywords":"Signal Peer P2P","version":"0.0.3","words":"bonfires enables webrtc peers to act as signaling servers =traviswimer signal peer p2p","author":"=traviswimer","date":"2013-10-08 "},{"name":"bongo","description":"Unfancy models for MongoDB","url":null,"keywords":"","version":"0.0.0","words":"bongo unfancy models for mongodb =chris.thorn","author":"=chris.thorn","date":"2011-11-24 "},{"name":"bongo-client","description":"Use shared bongo API in the browser, or another node process.","url":null,"keywords":"","version":"0.0.0","words":"bongo-client use shared bongo api in the browser, or another node process. =chris.thorn","author":"=chris.thorn","date":"2011-11-24 "},{"name":"bongo.js","description":"Store and query massive amounts of structured data on the browser. Built on IndexedDB.","url":null,"keywords":"IndexedDB","version":"1.1.2","words":"bongo.js store and query massive amounts of structured data on the browser. built on indexeddb. =aaronshaf indexeddb","author":"=aaronshaf","date":"2013-05-31 "},{"name":"bongtalk","description":"Bongtalk - Web chat server","url":null,"keywords":"chat server messenger messaging","version":"0.1.2","words":"bongtalk bongtalk - web chat server =talsu chat server messenger messaging","author":"=talsu","date":"2014-06-03 "},{"name":"bonjour","description":"a Sails application","url":null,"keywords":"","version":"1.0.0","words":"bonjour a sails application =balderdashy","author":"=balderdashy","date":"2013-10-03 "},{"name":"bonk","description":"Packages js/coffeescript/jade assets into a single js file.","url":null,"keywords":"build assets bundle","version":"1.0.2","words":"bonk packages js/coffeescript/jade assets into a single js file. =kaptajnen build assets bundle","author":"=kaptajnen","date":"2012-08-13 "},{"name":"bonkers","description":"A distributed load test framework using Amazon EC2 instances","url":null,"keywords":"aws ec2 load loadtest","version":"0.0.9","words":"bonkers a distributed load test framework using amazon ec2 instances =jedi4ever aws ec2 load loadtest","author":"=jedi4ever","date":"2014-01-26 "},{"name":"bonobo","description":"A work-monkey to do your dirty business.","url":null,"keywords":"web workers bonobo","version":"2.0.1","words":"bonobo a work-monkey to do your dirty business. =f5io web workers bonobo","author":"=f5io","date":"2014-06-24 "},{"name":"bonsai","description":"Bonsai runtime and node server","url":null,"keywords":"","version":"0.4.2","words":"bonsai bonsai runtime and node server =klipstein","author":"=klipstein","date":"2013-02-05 "},{"name":"bonvoyage","description":"Seaport service discovery and registering via mDNS/Bonjour/zeroconf","url":null,"keywords":"","version":"1.0.4","words":"bonvoyage seaport service discovery and registering via mdns/bonjour/zeroconf =achingbrain","author":"=achingbrain","date":"2014-02-18 "},{"name":"bonzo","description":"Library agnostic, extensible DOM utility","url":null,"keywords":"ender dom nodes jquery iteration css","version":"2.0.0","words":"bonzo library agnostic, extensible dom utility =ded =fat =rvagg ender dom nodes jquery iteration css","author":"=ded =fat =rvagg","date":"2014-03-13 "},{"name":"boo","description":"Core prototypical primitives for Object Orientation/Composition.","url":null,"keywords":"object orientation oop mixins prototypes","version":"2.0.0","words":"boo core prototypical primitives for object orientation/composition. =killdream object orientation oop mixins prototypes","author":"=killdream","date":"2013-05-23 "},{"name":"boobst","description":"Simple Node.js Caché driver","url":null,"keywords":"M MUMPS database hierarchical database databases NoSQL intersystems cache cache' driver","version":"0.8.4","words":"boobst simple node.js caché driver =agsh m mumps database hierarchical database databases nosql intersystems cache cache' driver","author":"=agsh","date":"2014-09-18 "},{"name":"boogaloo","description":"directory-based presentation software","url":null,"keywords":"slide reveal big html slides preo slideshow","version":"0.2.0","words":"boogaloo directory-based presentation software =jden slide reveal big html slides preo slideshow","author":"=jden","date":"2014-06-15 "},{"name":"boojs","description":"boo.js ======","url":null,"keywords":"","version":"0.0.8","words":"boojs boo.js ====== =architectd","author":"=architectd","date":"2014-03-27 "},{"name":"book","description":"flexible node.js logging library","url":null,"keywords":"logging logger log","version":"1.3.1","words":"book flexible node.js logging library =shtylman logging logger log","author":"=shtylman","date":"2013-12-06 "},{"name":"book-bugsnag","description":"bugsnap logger for book","url":null,"keywords":"bugsnag book","version":"0.0.2","words":"book-bugsnag bugsnap logger for book =shtylman bugsnag book","author":"=shtylman","date":"2014-06-17 "},{"name":"book-email","description":"email transport for book logging framework","url":null,"keywords":"","version":"0.0.1","words":"book-email email transport for book logging framework =shtylman","author":"=shtylman","date":"2012-05-10 "},{"name":"book-file","description":"file transport for book logging framework","url":null,"keywords":"","version":"0.0.1","words":"book-file file transport for book logging framework =shtylman","author":"=shtylman","date":"2012-05-10 "},{"name":"book-git","description":"git middleware for book logging framework","url":null,"keywords":"","version":"0.0.2","words":"book-git git middleware for book logging framework =shtylman","author":"=shtylman","date":"2013-01-24 "},{"name":"book-loggly","description":"loggly middleware for the book logging framework","url":null,"keywords":"book middleware logging log loggly","version":"0.1.2","words":"book-loggly loggly middleware for the book logging framework =yanatan16 book middleware logging log loggly","author":"=yanatan16","date":"2014-03-31 "},{"name":"book-raven","description":"raven middleware for the book logging framework","url":null,"keywords":"raven logging book","version":"1.0.1","words":"book-raven raven middleware for the book logging framework =shtylman raven logging book","author":"=shtylman","date":"2013-10-16 "},{"name":"bookbu","description":"Simple build script for bookmarklets","url":null,"keywords":"bookmarklet build favelet build","version":"0.1.1","words":"bookbu simple build script for bookmarklets =ardcore bookmarklet build favelet build","author":"=ardcore","date":"2011-04-09 "},{"name":"bookdb","description":"Simple FS DB for Book","url":null,"keywords":"","version":"0.0.1","words":"bookdb simple fs db for book =rintiantta","author":"=rintiantta","date":"2013-05-21 "},{"name":"booker","description":"An easy-to-use but powerful node.js command-line logger","url":null,"keywords":"console warn verbose error log logger log file command-line cli","version":"0.2.1","words":"booker an easy-to-use but powerful node.js command-line logger =kael console warn verbose error log logger log file command-line cli","author":"=kael","date":"2013-10-06 "},{"name":"bookinator","description":"Automate Inkscape to create PDF files you can use to make a book-like thing","url":null,"keywords":"pdf automation inkscape","version":"0.0.3","words":"bookinator automate inkscape to create pdf files you can use to make a book-like thing =damonoehlman pdf automation inkscape","author":"=damonoehlman","date":"2014-06-05 "},{"name":"bookingdojo","description":"Booking Dojo, an example application build using Hotplate","url":null,"keywords":"","version":"0.1.3-47","words":"bookingdojo booking dojo, an example application build using hotplate =mercmobily","author":"=mercmobily","date":"2014-01-13 "},{"name":"bookkeeping","description":"## Bookkeeping","url":null,"keywords":"bookkeeping money check","version":"0.0.6","words":"bookkeeping ## bookkeeping =tinple bookkeeping money check","author":"=tinple","date":"2014-08-12 "},{"name":"booklet","description":"booklet =======","url":null,"keywords":"","version":"0.0.0","words":"booklet booklet ======= =eddywashere","author":"=eddywashere","date":"2014-07-12 "},{"name":"bookmaker","description":"Create books from a folder of markdown files","url":null,"keywords":"bookmaker","version":"1.2.1","words":"bookmaker create books from a folder of markdown files =binocarlos bookmaker","author":"=binocarlos","date":"2014-06-29 "},{"name":"bookmark","description":"Directory bookmarker: use bm (bookmark) instead of cd /really/long/path/","url":null,"keywords":"bookmarks","version":"0.1.1","words":"bookmark directory bookmarker: use bm (bookmark) instead of cd /really/long/path/ =demille bookmarks","author":"=demille","date":"2014-08-10 "},{"name":"bookmarkdown","description":"books in markdown +","url":null,"keywords":"markdown book docbook","version":"0.1.5","words":"bookmarkdown books in markdown + =jerrysievert markdown book docbook","author":"=jerrysievert","date":"2014-07-13 "},{"name":"bookmarklet","description":"A JavaScript bookmarklet compiler with greasmonkey userscript-like metadata options","url":null,"keywords":"bookmarklet","version":"0.0.4","words":"bookmarklet a javascript bookmarklet compiler with greasmonkey userscript-like metadata options =mrcoles bookmarklet","author":"=mrcoles","date":"2013-09-17 "},{"name":"bookmarkleter","description":"You have JavaScript. You need a bookmarklet. This does that.","url":null,"keywords":"","version":"0.1.1","words":"bookmarkleter you have javascript. you need a bookmarklet. this does that. =chriszarate","author":"=chriszarate","date":"2014-07-25 "},{"name":"bookmarkletify","description":"From a single javascript file, create a bookmarklet","url":null,"keywords":"bookmarklet","version":"0.0.1","words":"bookmarkletify from a single javascript file, create a bookmarklet =johnkpaul bookmarklet","author":"=johnkpaul","date":"2012-11-11 "},{"name":"bookmarkletter","description":"Create bookmarklet from your js or input","url":null,"keywords":"","version":"0.1.0","words":"bookmarkletter create bookmarklet from your js or input =azu","author":"=azu","date":"2014-09-06 "},{"name":"bookmarks","description":"Searchable collection of bookmarks in a webpage","url":null,"keywords":"bookmarks browsable webpage","version":"0.6.0","words":"bookmarks searchable collection of bookmarks in a webpage =twolfson bookmarks browsable webpage","author":"=twolfson","date":"2014-01-22 "},{"name":"bookrc","description":"automatic config loading for the book logging framework","url":null,"keywords":"logging book log","version":"0.0.1","words":"bookrc automatic config loading for the book logging framework =shtylman logging book log","author":"=shtylman","date":"2013-01-26 "},{"name":"bookshelf","description":"A lightweight ORM for PostgreSQL, MySQL, and SQLite3","url":null,"keywords":"orm mysql postgresql sqlite datamapper active record","version":"0.7.7","words":"bookshelf a lightweight orm for postgresql, mysql, and sqlite3 =tgriesser orm mysql postgresql sqlite datamapper active record","author":"=tgriesser","date":"2014-07-23 "},{"name":"bookshelf-authorization","description":"An authorization library for use with Bookshelf.js","url":null,"keywords":"bookshelf database authorization","version":"0.0.5","words":"bookshelf-authorization an authorization library for use with bookshelf.js =bendrucker bookshelf database authorization","author":"=bendrucker","date":"2014-02-27 "},{"name":"bookshelf-coffee-helpers","description":"Helpers for using Bookshelf with coffee-script","url":null,"keywords":"bookshelf bookshelf-fields","version":"0.1.0","words":"bookshelf-coffee-helpers helpers for using bookshelf with coffee-script =andorn bookshelf bookshelf-fields","author":"=andorn","date":"2013-10-02 "},{"name":"bookshelf-fields","description":"Bookshelf fields","url":null,"keywords":"bookshelf orm","version":"0.3.2","words":"bookshelf-fields bookshelf fields =andorn bookshelf orm","author":"=andorn","date":"2014-09-08 "},{"name":"bookshelf-manager","description":"Easily wire up models to APIs with supported for complex, nested saving.","url":null,"keywords":"bookshelf repository manager save crud","version":"0.0.10","words":"bookshelf-manager easily wire up models to apis with supported for complex, nested saving. =ericclemmons bookshelf repository manager save crud","author":"=ericclemmons","date":"2014-03-17 "},{"name":"bookshelf-model","description":"Save your models in a central location so that you can refer them easily instead of having to require it every time","url":null,"keywords":"bookshelf model models plugin","version":"0.0.1","words":"bookshelf-model save your models in a central location so that you can refer them easily instead of having to require it every time =andresz bookshelf model models plugin","author":"=andresz","date":"2014-09-11 "},{"name":"bookshelf-promise","description":"An extension of the \"bluebird\" promise library","url":null,"keywords":"promise","version":"0.1.0","words":"bookshelf-promise an extension of the \"bluebird\" promise library =tgriesser promise","author":"=tgriesser","date":"2013-12-18 "},{"name":"bookshelf-validator","description":"Full feature validation plugin for Bookshelf.","url":null,"keywords":"bookshelf validation validator","version":"0.2.2","words":"bookshelf-validator full feature validation plugin for bookshelf. =fluxxu bookshelf validation validator","author":"=fluxxu","date":"2014-05-19 "},{"name":"bookshelf-validators","description":"validators for Bookshelf.js models","url":null,"keywords":"bookhselfjs orm validator","version":"0.1.0","words":"bookshelf-validators validators for bookshelf.js models =jclem bookhselfjs orm validator","author":"=jclem","date":"2014-06-06 "},{"name":"bookshelf-work-flow","description":"for bookshelf demo project","url":null,"keywords":"","version":"0.0.1","words":"bookshelf-work-flow for bookshelf demo project =owenyang","author":"=owenyang","date":"2014-09-13 "},{"name":"bookstrap","description":"A HTML framework for making book apps.","url":null,"keywords":"","version":"1.4.27","words":"bookstrap a html framework for making book apps. =andyuk =contentment","author":"=andyuk =contentment","date":"2014-06-05 "},{"name":"bookuser","description":"Simple User Auth for Book","url":null,"keywords":"","version":"0.0.1","words":"bookuser simple user auth for book =rintiantta","author":"=rintiantta","date":"2013-05-21 "},{"name":"bookworm","description":"Bookworm","url":null,"keywords":"document cache key in-memory nosql evented","version":"0.1.1","words":"bookworm bookworm =danstocker document cache key in-memory nosql evented","author":"=danstocker","date":"2014-08-13 "},{"name":"bool","description":"Boolean expression evaluator","url":null,"keywords":"boolean logic","version":"1.0.20","words":"bool boolean expression evaluator =aslakhellesoy =sebrose =mattwynne =ilanpillemer =beepdog =paoloambrosio boolean logic","author":"=aslakhellesoy =sebrose =mattwynne =ilanpillemer =beepdog =paoloambrosio","date":"2014-01-20 "},{"name":"boolasync","description":"Async boolean expressions","url":null,"keywords":"async bool boolean flow control flow-control logic","version":"0.1.0","words":"boolasync async boolean expressions =olalonde async bool boolean flow control flow-control logic","author":"=olalonde","date":"2013-06-07 "},{"name":"boolbase","description":"two functions: One that returns true, one that returns false","url":null,"keywords":"boolean function","version":"1.0.0","words":"boolbase two functions: one that returns true, one that returns false =feedic boolean function","author":"=feedic","date":"2014-02-15 "},{"name":"boolify","description":"Convert true/false strings to booleans","url":null,"keywords":"","version":"0.0.1","words":"boolify convert true/false strings to booleans =timhudson","author":"=timhudson","date":"2013-04-12 "},{"name":"boolify-string","description":"Check a string whether truthy or falsy.","url":null,"keywords":"","version":"0.1.0","words":"boolify-string check a string whether truthy or falsy. =sanemat","author":"=sanemat","date":"2014-07-01 "},{"name":"boolshit","description":"dreamteam","url":null,"keywords":"boolshit","version":"0.0.0","words":"boolshit dreamteam =visioncptn boolshit","author":"=visioncptn","date":"2014-06-25 "},{"name":"boom","description":"HTTP-friendly error objects","url":null,"keywords":"error http","version":"2.5.1","words":"boom http-friendly error objects =hueniverse =wyatt =arb error http","author":"=hueniverse =wyatt =arb","date":"2014-08-08 "},{"name":"boom-cli","description":"CLI app to remember snippets of text.","url":null,"keywords":"remember boom text","version":"0.3.2","words":"boom-cli cli app to remember snippets of text. =enw remember boom text","author":"=enw","date":"2014-07-03 "},{"name":"boom-deploy","description":"deploy your app","url":null,"keywords":"deploy","version":"0.0.9","words":"boom-deploy deploy your app =dmikoz deploy","author":"=dmikoz","date":"2014-09-15 "},{"name":"boom-king","description":"in lieu of documentation, here is the test output:","url":null,"keywords":"","version":"1.0.0","words":"boom-king in lieu of documentation, here is the test output: =lkptrzk","author":"=lkptrzk","date":"2014-09-04 "},{"name":"boombot","description":"chat and DJ bot for turntable.fm","url":null,"keywords":"turntablefm turntable bot boombot","version":"2.2.6","words":"boombot chat and dj bot for turntable.fm =terrordactyldesigns turntablefm turntable bot boombot","author":"=terrordactyldesigns","date":"2013-07-27 "},{"name":"boombox","description":"Insert your tape to play your test suites with fancy output","url":null,"keywords":"tape testing browser","version":"0.0.1","words":"boombox insert your tape to play your test suites with fancy output =damonoehlman tape testing browser","author":"=damonoehlman","date":"2013-11-21 "},{"name":"boombox-audiosprite","description":"boombox-audiosprite is audio sprite generator that has compatibility with boombox.js.","url":null,"keywords":"node boombox.js audiosprite","version":"0.2.1","words":"boombox-audiosprite boombox-audiosprite is audio sprite generator that has compatibility with boombox.js. =fkei node boombox.js audiosprite","author":"=fkei","date":"2014-02-25 "},{"name":"boombox-js","description":"Browser sound library which blended HTMLVideo and HTMLAudio and WebAudio","url":null,"keywords":"webaudio htmlaudio htmlvideo sound mobile javascript library boombox.js","version":"1.0.0","words":"boombox-js browser sound library which blended htmlvideo and htmlaudio and webaudio =dguttman webaudio htmlaudio htmlvideo sound mobile javascript library boombox.js","author":"=dguttman","date":"2014-05-31 "},{"name":"boombox.js","description":"Browser sound library which blended HTMLVideo and HTMLAudio and WebAudio","url":null,"keywords":"webaudio htmlaudio htmlvideo sound mobile javascript library boombox.js","version":"1.0.0","words":"boombox.js browser sound library which blended htmlvideo and htmlaudio and webaudio =fkei =cyberagent =suemasa =layzie webaudio htmlaudio htmlvideo sound mobile javascript library boombox.js","author":"=fkei =cyberagent =suemasa =layzie","date":"2014-03-25 "},{"name":"boomcatch","description":"A standalone, node.js-based beacon receiver for boomerang.","url":null,"keywords":"boomerang kylie beacon server receiver forwarder mapper marshaller rum metric monitoring performance","version":"1.5.2","words":"boomcatch a standalone, node.js-based beacon receiver for boomerang. =philbooth boomerang kylie beacon server receiver forwarder mapper marshaller rum metric monitoring performance","author":"=philbooth","date":"2014-07-31 "},{"name":"boomer","description":"Watch+livereload+express|connect in a nice wrapper","url":null,"keywords":"","version":"1.5.6","words":"boomer watch+livereload+express|connect in a nice wrapper =tunderdomb","author":"=tunderdomb","date":"2014-06-23 "},{"name":"boomerang","description":"Request/reply implementation on top of publish/subscribe, compatible with faye pubsub client","url":null,"keywords":"","version":"0.1.3","words":"boomerang request/reply implementation on top of publish/subscribe, compatible with faye pubsub client =ernelli","author":"=ernelli","date":"2012-10-19 "},{"name":"boomlet","description":"Bookmarklet compiler encloses, encodes, minifies your Javascript file and automatically opens an HTML page with your new bookmarklet for immediate use.","url":null,"keywords":"bookmarklet bookmarklets","version":"1.0.0","words":"boomlet bookmarklet compiler encloses, encodes, minifies your javascript file and automatically opens an html page with your new bookmarklet for immediate use. =buster bookmarklet bookmarklets","author":"=buster","date":"2013-11-19 "},{"name":"boomtjes","description":"XML Tree manipulation","url":null,"keywords":"xml","version":"0.2.1","words":"boomtjes xml tree manipulation =malcomwu xml","author":"=malcomwu","date":"2013-09-11 "},{"name":"boon","description":"build tool for node.js projects","url":null,"keywords":"","version":"0.0.0","words":"boon build tool for node.js projects =thejoshwolfe","author":"=thejoshwolfe","date":"2013-02-07 "},{"name":"boop","description":"### HTML:","url":null,"keywords":"","version":"0.0.1","words":"boop ### html: =jsmarkus","author":"=jsmarkus","date":"2013-01-14 "},{"name":"boosh","description":"spawn a window and draw stuff using the html5 canvas api\"","url":null,"keywords":"canvas desktop window glfw 2d drawing rendering","version":"0.1.0","words":"boosh spawn a window and draw stuff using the html5 canvas api\" =tmpvar canvas desktop window glfw 2d drawing rendering","author":"=tmpvar","date":"2013-08-09 "},{"name":"boost","description":"inline css into your html","url":null,"keywords":"juice inline css email style","version":"0.0.3","words":"boost inline css into your html =superjoe juice inline css email style","author":"=superjoe","date":"2013-02-07 "},{"name":"booster","description":"Booster is the ***fastest*** way to get a full-fledged REST service up and running in [nodejs](http://nodejs.org)!","url":null,"keywords":"framework restful rest REST mvc web-framework express api models validation","version":"1.1.0","words":"booster booster is the ***fastest*** way to get a full-fledged rest service up and running in [nodejs](http://nodejs.org)! =deitch framework restful rest rest mvc web-framework express api models validation","author":"=deitch","date":"2014-09-09 "},{"name":"boostrapy","description":"Boostrap style highlighter, highlights CSS usage on page.","url":null,"keywords":"boostrap css chrome test","version":"0.0.1","words":"boostrapy boostrap style highlighter, highlights css usage on page. =darul75 boostrap css chrome test","author":"=darul75","date":"2014-04-18 "},{"name":"boot","description":"An automatic reconnect mux-demux-shoe","url":null,"keywords":"","version":"0.8.2","words":"boot an automatic reconnect mux-demux-shoe =raynos","author":"=raynos","date":"2012-08-16 "},{"name":"boot-settings","description":"Boot settings from destination path","url":null,"keywords":"settings require enviroment","version":"0.0.3","words":"boot-settings boot settings from destination path =idy settings require enviroment","author":"=idy","date":"2014-08-17 "},{"name":"boot-tasks","description":"Simple nodejs boot tasks manager. Executes a list of tasks, sync or async. That's all.","url":null,"keywords":"tasks boot","version":"0.1.3","words":"boot-tasks simple nodejs boot tasks manager. executes a list of tasks, sync or async. that's all. =ignlg tasks boot","author":"=ignlg","date":"2014-02-20 "},{"name":"boot2docker-container","description":"nscale boot2docker container","url":null,"keywords":"nearForm nscale deployer docker boot2docker container","version":"0.1.7","words":"boot2docker-container nscale boot2docker container =matteo.collina =pelger nearform nscale deployer docker boot2docker container","author":"=matteo.collina =pelger","date":"2014-09-08 "},{"name":"bootable","description":"Easy application initialization for Node.js.","url":null,"keywords":"boot init startup express","version":"0.2.3","words":"bootable easy application initialization for node.js. =jaredhanson boot init startup express","author":"=jaredhanson","date":"2014-05-08 "},{"name":"bootable-di","description":"Dependency injection variant of core Bootable phases.","url":null,"keywords":"bootable di ioc","version":"0.1.0","words":"bootable-di dependency injection variant of core bootable phases. =jaredhanson bootable di ioc","author":"=jaredhanson","date":"2014-05-08 "},{"name":"bootable-environment","description":"Environment initialization phase for Bootable.","url":null,"keywords":"boot init startup","version":"0.2.0","words":"bootable-environment environment initialization phase for bootable. =jaredhanson boot init startup","author":"=jaredhanson","date":"2013-12-01 "},{"name":"bootbox","description":"Wrappers for JavaScript alert(), confirm() and other flexible dialogs using Twitter's bootstrap framework","url":null,"keywords":"bootbox bootstrap alert dialog","version":"3.2.0","words":"bootbox wrappers for javascript alert(), confirm() and other flexible dialogs using twitter's bootstrap framework =shtylman bootbox bootstrap alert dialog","author":"=shtylman","date":"2013-03-02 "},{"name":"bootbox.js","description":"Wrappers for JavaScript alert(), confirm() and other flexible dialogs using Twitter's bootstrap framework","url":null,"keywords":"","version":"4.0.0","words":"bootbox.js wrappers for javascript alert(), confirm() and other flexible dialogs using twitter's bootstrap framework =shtylman","author":"=shtylman","date":"2013-10-07 "},{"name":"bootcamp","description":"A pure Sass testing framework in the style of Jasmine","url":null,"keywords":"bootcamp sass scss test jasmine gruntplugin bower","version":"1.1.7","words":"bootcamp a pure sass testing framework in the style of jasmine =thejameskyle bootcamp sass scss test jasmine gruntplugin bower","author":"=thejameskyle","date":"2014-08-31 "},{"name":"booter","description":"Browser-side script loader","url":null,"keywords":"","version":"0.0.3","words":"booter browser-side script loader =runningskull","author":"=runningskull","date":"2014-06-18 "},{"name":"bootflat","description":"BOOTFLAT is an open source Flat UI KIT based on Bootstrap 3.2.0 CSS framework. It provides a faster, easier and less repetitive way for web developers to create elegant web apps.","url":null,"keywords":"mobile html5 css3 scss bootflat bootstrap flat flat ui ui","version":"2.0.4","words":"bootflat bootflat is an open source flat ui kit based on bootstrap 3.2.0 css framework. it provides a faster, easier and less repetitive way for web developers to create elegant web apps. =bootflat mobile html5 css3 scss bootflat bootstrap flat flat ui ui","author":"=bootflat","date":"2014-09-03 "},{"name":"booth","description":"Node.js conversation library for TCP Socket, WebSocket, Unix Socket and HTTP.","url":null,"keywords":"socket websocket tcp unix http conversation json protocol server client","version":"0.0.0","words":"booth node.js conversation library for tcp socket, websocket, unix socket and http. =streetstrider socket websocket tcp unix http conversation json protocol server client","author":"=streetstrider","date":"2014-07-20 "},{"name":"bootie","description":"Bootie Bootie Bootie","url":null,"keywords":"bootie","version":"0.3.21","words":"bootie bootie bootie bootie =ptshih bootie","author":"=ptshih","date":"2014-09-11 "},{"name":"bootie-example-app","description":"bootie-example-app","url":null,"keywords":"","version":"0.1.1","words":"bootie-example-app bootie-example-app =ptshih","author":"=ptshih","date":"2014-06-30 "},{"name":"booting-nav","description":"Fix subnav to the top when it scrolls out of view (works well with bootstrap)","url":null,"keywords":"","version":"1.0.1","words":"booting-nav fix subnav to the top when it scrolls out of view (works well with bootstrap) =forbeslindesay","author":"=forbeslindesay","date":"2013-07-24 "},{"name":"bootlint","description":"HTML linter for Bootstrap projects","url":null,"keywords":"bootstrap checker correctness html lint linter validator validity","version":"0.1.1","words":"bootlint html linter for bootstrap projects =cvrebert =twbs bootstrap checker correctness html lint linter validator validity","author":"=cvrebert =twbs","date":"2014-07-22 "},{"name":"bootloader","description":"A library to bootload and DI modules","url":null,"keywords":"","version":"0.0.2","words":"bootloader a library to bootload and di modules =george55","author":"=george55","date":"2014-09-10 "},{"name":"boots","description":"twitter bootstrap cli","url":null,"keywords":"","version":"0.3.0","words":"boots twitter bootstrap cli =jga","author":"=jga","date":"2012-11-15 "},{"name":"bootscrap","description":"Programmatic access to Bootstrap and Bootswatch CSS files","url":null,"keywords":"","version":"0.1.0","words":"bootscrap programmatic access to bootstrap and bootswatch css files =dtao","author":"=dtao","date":"2013-11-12 "},{"name":"bootslide","description":"Builds an iphone type menu","url":null,"keywords":"","version":"0.3.9","words":"bootslide builds an iphone type menu =koopa","author":"=koopa","date":"2014-08-06 "},{"name":"bootstrap","description":"The most popular front-end framework for developing responsive, mobile first projects on the web.","url":null,"keywords":"css less mobile-first responsive front-end framework web","version":"3.2.0","words":"bootstrap the most popular front-end framework for developing responsive, mobile first projects on the web. =twbs css less mobile-first responsive front-end framework web","author":"=twbs","date":"2014-08-11 "},{"name":"bootstrap-accessibility-plugin","description":"A plugin that provides accessibility features for Bootstrap3 components","url":null,"keywords":"","version":"1.0.2","words":"bootstrap-accessibility-plugin a plugin that provides accessibility features for bootstrap3 components =paypalaccess","author":"=paypalaccess","date":"2014-04-29 "},{"name":"bootstrap-amd","description":"Converts Twitter Bootstrap JS files into AMD modules","url":null,"keywords":"","version":"1.0.3","words":"bootstrap-amd converts twitter bootstrap js files into amd modules =clexit","author":"=clexit","date":"2012-09-20 "},{"name":"bootstrap-antlers","description":"A theme for using kss-node to generate styleguides based on Twitter Bootstrap","url":null,"keywords":"grunt twitter bootstrap kss styleguide","version":"0.1.0","words":"bootstrap-antlers a theme for using kss-node to generate styleguides based on twitter bootstrap =dleatherman grunt twitter bootstrap kss styleguide","author":"=dleatherman","date":"2014-09-12 "},{"name":"bootstrap-blog","description":"Express and Twitter Bootstrap powered blogging","url":null,"keywords":"blog","version":"0.1.7","words":"bootstrap-blog express and twitter bootstrap powered blogging =dan-silver blog","author":"=dan-silver","date":"2013-02-12 "},{"name":"bootstrap-browser","description":"Sleek, intuitive, and powerful front-end framework for faster and easier web development.","url":null,"keywords":"bootstrap css","version":"3.0.2","words":"bootstrap-browser sleek, intuitive, and powerful front-end framework for faster and easier web development. =incubatio bootstrap css","author":"=incubatio","date":"2013-11-28 "},{"name":"bootstrap-browserify","description":"BootstrapJS is a port of the [Bootstrap JS](http://bootstrap.io) JavaScript library for use with [jqueryify](http://github.com/maccman/jqueryify).","url":null,"keywords":"","version":"2.1.1","words":"bootstrap-browserify bootstrapjs is a port of the [bootstrap js](http://bootstrap.io) javascript library for use with [jqueryify](http://github.com/maccman/jqueryify). =quarterto","author":"=quarterto","date":"2012-11-16 "},{"name":"bootstrap-carousel-animate","description":"Bootstrap Carousel Animate is an extension to the Carousel plugin of Twitter's Bootstrap toolkit. It provides a jQuery animate fallback for browsers without support for CSS transitions and also adjusts and animates the carousel height for different item heights.","url":null,"keywords":"bootstrap carousel animate slide transition","version":"1.0.0","words":"bootstrap-carousel-animate bootstrap carousel animate is an extension to the carousel plugin of twitter's bootstrap toolkit. it provides a jquery animate fallback for browsers without support for css transitions and also adjusts and animates the carousel height for different item heights. =blueimp bootstrap carousel animate slide transition","author":"=blueimp","date":"2012-07-17 "},{"name":"bootstrap-carousel-swipe","description":"Adding swipe behavior to Bootstrap's Carousel","url":null,"keywords":"bootstrap carousel swipe touch mobile","version":"0.0.6","words":"bootstrap-carousel-swipe adding swipe behavior to bootstrap's carousel =avinoamr bootstrap carousel swipe touch mobile","author":"=avinoamr","date":"2014-06-24 "},{"name":"bootstrap-checkbox","description":"A checkbox component based on Bootstrap framework","url":null,"keywords":"bootstrap checkbox switch","version":"1.1.4","words":"bootstrap-checkbox a checkbox component based on bootstrap framework =vsn4ik bootstrap checkbox switch","author":"=vsn4ik","date":"2014-09-20 "},{"name":"bootstrap-coffeedoc","description":"An API documentation generator for CoffeeScript with Bootstrap","url":null,"keywords":"documentation docs generator bootstrap coffeescript","version":"0.3.4","words":"bootstrap-coffeedoc an api documentation generator for coffeescript with bootstrap =tamanyan documentation docs generator bootstrap coffeescript","author":"=tamanyan","date":"2013-09-20 "},{"name":"bootstrap-confirm","description":"bootstrap ui confirmation dialog","url":null,"keywords":"","version":"0.0.0","words":"bootstrap-confirm bootstrap ui confirmation dialog =shtylman","author":"=shtylman","date":"2014-03-13 "},{"name":"bootstrap-confirm-button","description":"A simple button to confirm a task, inline unobtrusive button confirmation","url":null,"keywords":"jquery button confirm bootstrap","version":"0.0.4","words":"bootstrap-confirm-button a simple button to confirm a task, inline unobtrusive button confirmation =stefcud jquery button confirm bootstrap","author":"=stefcud","date":"2014-07-23 "},{"name":"bootstrap-confirmation","description":"bootstrap-confirmation","url":null,"keywords":"","version":"0.0.2","words":"bootstrap-confirmation bootstrap-confirmation =rochappy","author":"=rochappy","date":"2014-02-22 "},{"name":"bootstrap-datagrid","description":"A bootstrap plugin for datagrid table","url":null,"keywords":"bootstrap datagrid","version":"0.2.0","words":"bootstrap-datagrid a bootstrap plugin for datagrid table =toopay bootstrap datagrid","author":"=toopay","date":"2014-09-15 "},{"name":"bootstrap-datetimepicker","description":"Forked from http://www.eyecon.ro/bootstrap-datepicker/","url":null,"keywords":"twitter-bootstrap bootstrap datepicker datetimepicker timepicker","version":"0.0.7","words":"bootstrap-datetimepicker forked from http://www.eyecon.ro/bootstrap-datepicker/ =tarruda twitter-bootstrap bootstrap datepicker datetimepicker timepicker","author":"=tarruda","date":"2013-01-03 "},{"name":"bootstrap-events","description":"Bootstraps events based on the directory tree and found modules' exported methods.","url":null,"keywords":"events bootstrap organization listener event","version":"0.2.0","words":"bootstrap-events bootstraps events based on the directory tree and found modules' exported methods. =yamadapc events bootstrap organization listener event","author":"=yamadapc","date":"2014-07-16 "},{"name":"bootstrap-express-messages","description":"Express flash notification message rendering for Twitter Bootstrap","url":null,"keywords":"express bootstrap bootstrap-messages","version":"0.0.1","words":"bootstrap-express-messages express flash notification message rendering for twitter bootstrap =niftylettuce express bootstrap bootstrap-messages","author":"=niftylettuce","date":"2012-04-25 "},{"name":"bootstrap-form","url":null,"keywords":"","version":"1.0.1","words":"bootstrap-form =mren","author":"=mren","date":"2012-06-19 "},{"name":"bootstrap-growl","description":"This is a simple plugin that turns standard Bootstrap alerts into \"Growl-like\" notifications.","url":null,"keywords":"bootstrap growl","version":"2.0.0","words":"bootstrap-growl this is a simple plugin that turns standard bootstrap alerts into \"growl-like\" notifications. =damnedest bootstrap growl","author":"=damnedest","date":"2014-09-20 "},{"name":"bootstrap-grunt","description":"bootstrap-grunt help you to organize your Gruntfile, splitting it into small files.","url":null,"keywords":"grunt bootstrap configuration scaffolding","version":"0.0.2","words":"bootstrap-grunt bootstrap-grunt help you to organize your gruntfile, splitting it into small files. =llafuente grunt bootstrap configuration scaffolding","author":"=llafuente","date":"2014-07-03 "},{"name":"bootstrap-helper","description":"a bootstraper helper for rendering html in server","url":null,"keywords":"bootstrap helper html","version":"0.0.1","words":"bootstrap-helper a bootstraper helper for rendering html in server =bibig bootstrap helper html","author":"=bibig","date":"2014-05-07 "},{"name":"bootstrap-helpers","description":"View helpers for using Twitter Bootstrap components and general markup","url":null,"keywords":"html views helpers twitter bootstrap express","version":"0.0.1","words":"bootstrap-helpers view helpers for using twitter bootstrap components and general markup =dominicbarnes html views helpers twitter bootstrap express","author":"=dominicbarnes","date":"2012-10-23 "},{"name":"bootstrap-list-filter","description":"Search widget to filter Bootstrap lists","url":null,"keywords":"bootstrap jquery list filter","version":"0.1.6","words":"bootstrap-list-filter search widget to filter bootstrap lists =stefcud bootstrap jquery list filter","author":"=stefcud","date":"2014-07-28 "},{"name":"bootstrap-listbuilder","description":"Simple list builder component for Bootstrap.","url":null,"keywords":"bootstrap","version":"0.1.3","words":"bootstrap-listbuilder simple list builder component for bootstrap. =liddellj bootstrap","author":"=liddellj","date":"2014-07-15 "},{"name":"bootstrap-markdown","description":"A bootstrap plugin for markdown editing","url":null,"keywords":"twitter bootstrap markdown editor","version":"2.7.0","words":"bootstrap-markdown a bootstrap plugin for markdown editing =toopay twitter bootstrap markdown editor","author":"=toopay","date":"2014-09-15 "},{"name":"bootstrap-meeting","description":"A private bootstrap plugin for an elegant meeting UI.","keywords":"","version":[],"words":"bootstrap-meeting a private bootstrap plugin for an elegant meeting ui. =gr2m","author":"=gr2m","date":"2014-06-05 "},{"name":"bootstrap-nav","description":"Generate a bootstrap-nav from a javascript definition","url":null,"keywords":"bootstrap nav html generate","version":"0.0.1","words":"bootstrap-nav generate a bootstrap-nav from a javascript definition =mvhenten bootstrap nav html generate","author":"=mvhenten","date":"2014-03-27 "},{"name":"bootstrap-nav-wizard","description":"bootstrap-nav-wizard ====================","url":null,"keywords":"","version":"0.0.1","words":"bootstrap-nav-wizard bootstrap-nav-wizard ==================== =acornejo","author":"=acornejo","date":"2014-02-28 "},{"name":"bootstrap-npm","description":"install html5-boilerplate via npm","url":null,"keywords":"html5-boilerplate npm","version":"4.1.0","words":"bootstrap-npm install html5-boilerplate via npm =parroit html5-boilerplate npm","author":"=parroit","date":"2013-02-09 "},{"name":"bootstrap-package-manager","description":"A simple command line interface for installing and compiling Twitter Bootstrap.","url":null,"keywords":"bootstrap twitter install compile cli manager font-awesome","version":"1.1.8","words":"bootstrap-package-manager a simple command line interface for installing and compiling twitter bootstrap. =mrgalaxy bootstrap twitter install compile cli manager font-awesome","author":"=mrgalaxy","date":"2013-06-20 "},{"name":"bootstrap-sass","description":"bootstrap-sass is a Sass-powered version of Bootstrap, ready to drop right into your Sass powered applications.","url":null,"keywords":"bootstrap sass css","version":"3.2.0","words":"bootstrap-sass bootstrap-sass is a sass-powered version of bootstrap, ready to drop right into your sass powered applications. =shama =glebm bootstrap sass css","author":"=shama =glebm","date":"2014-06-26 "},{"name":"bootstrap-sass-webpack","description":"bootstrap-sass (v3.2) package for webpack","url":null,"keywords":"bootstrap webpack","version":"0.0.3","words":"bootstrap-sass-webpack bootstrap-sass (v3.2) package for webpack =dylukes bootstrap webpack","author":"=dylukes","date":"2014-09-02 "},{"name":"bootstrap-select","description":"A custom for bootstrap using button dropdown as replacement =t0xiccode form bootstrap select replacement","author":"=t0xiccode","date":"2014-08-21 "},{"name":"bootstrap-stylus","description":"Twitter Bootstrap CSS framework ported to stylus","url":null,"keywords":"server stylus","version":"0.2.1","words":"bootstrap-stylus twitter bootstrap css framework ported to stylus =mikey_p server stylus","author":"=mikey_p","date":"2012-03-08 "},{"name":"bootstrap-submenu","description":"Bootstrap Sub-Menus","url":null,"keywords":"bootstrap dropdown submenu","version":"1.2.1","words":"bootstrap-submenu bootstrap sub-menus =vsn4ik bootstrap dropdown submenu","author":"=vsn4ik","date":"2014-09-20 "},{"name":"bootstrap-switch","description":"Turn checkboxes and radio buttons in toggle switches.","url":null,"keywords":"bootstrap switch javascript js","version":"3.0.2","words":"bootstrap-switch turn checkboxes and radio buttons in toggle switches. =lostcrew bootstrap switch javascript js","author":"=lostcrew","date":"2014-06-22 "},{"name":"bootstrap-toggle","description":"Bootstrap Toggle is a lightweight Bootstrap plugin that allows toggle switches on your pages","url":null,"keywords":"bootstrap toggle bootstrap-toggle switch bootstrap-switch","version":"1.1.0","words":"bootstrap-toggle bootstrap toggle is a lightweight bootstrap plugin that allows toggle switches on your pages =minhur bootstrap toggle bootstrap-toggle switch bootstrap-switch","author":"=minhur","date":"2014-06-10 "},{"name":"bootstrap-tokenfield","description":"Advanced tagging/tokenizing plugin for input fields with a focus on keyboard and copy-paste support.","url":null,"keywords":"jquery javascript bootstrap tokenfield tags token input select form","version":"0.12.0","words":"bootstrap-tokenfield advanced tagging/tokenizing plugin for input fields with a focus on keyboard and copy-paste support. =ragulka jquery javascript bootstrap tokenfield tags token input select form","author":"=ragulka","date":"2014-04-26 "},{"name":"bootstrap-tooltip","description":"Twitter Bootstrap's jQuery tooltip plugin","url":null,"keywords":"bootstrap","version":"3.1.1","words":"bootstrap-tooltip twitter bootstrap's jquery tooltip plugin =terinjokes bootstrap","author":"=terinjokes","date":"2014-03-07 "},{"name":"bootstrap-tour","description":"Quick and easy way to build your product tours with Bootstrap Popovers.","url":null,"keywords":"tour bootstrap js tour intro","version":"0.9.3","words":"bootstrap-tour quick and easy way to build your product tours with bootstrap popovers. =sorich87 =lostcrew tour bootstrap js tour intro","author":"=sorich87 =lostcrew","date":"2014-08-06 "},{"name":"bootstrap-tour2","description":"Quick and easy product tours with Twitter Bootstrap Popovers","url":null,"keywords":"","version":"0.9.8","words":"bootstrap-tour2 quick and easy product tours with twitter bootstrap popovers =fgribreau","author":"=fgribreau","date":"2013-09-14 "},{"name":"bootstrap-transition","description":"Twitter Bootstrap's jQuery transition plugin","url":null,"keywords":"bootstrap","version":"3.1.1","words":"bootstrap-transition twitter bootstrap's jquery transition plugin =terinjokes bootstrap","author":"=terinjokes","date":"2014-03-07 "},{"name":"bootstrap-webpack","description":"bootstrap3 package for webpack","url":null,"keywords":"bootstrap webpack","version":"0.0.3","words":"bootstrap-webpack bootstrap3 package for webpack =gowravshekar bootstrap webpack","author":"=gowravshekar","date":"2014-09-16 "},{"name":"bootstrap.docpad","description":"Twitter Bootstrap Skeleton for DocPad","url":null,"keywords":"twitter bootstrap website docpad theme","version":"0.2.0","words":"bootstrap.docpad twitter bootstrap skeleton for docpad =balupton twitter bootstrap website docpad theme","author":"=balupton","date":"2011-09-28 "},{"name":"bootstrap3-stylus","description":"Twitter Bootstrap 3 CSS framework ported to stylus","url":null,"keywords":"server stylus bootstrap 3","version":"0.1.0","words":"bootstrap3-stylus twitter bootstrap 3 css framework ported to stylus =mcontagious server stylus bootstrap 3","author":"=mcontagious","date":"2013-12-18 "},{"name":"bootstrap_git","description":"The most popular front-end framework for developing responsive, mobile first projects on the web.","url":null,"keywords":"css less mobile-first responsive front-end framework web","version":"3.1.1","words":"bootstrap_git the most popular front-end framework for developing responsive, mobile first projects on the web. =mvasilkov css less mobile-first responsive front-end framework web","author":"=mvasilkov","date":"2014-06-04 "},{"name":"bootstrapify","description":"Bootstrap npm module","url":null,"keywords":"","version":"0.0.1","words":"bootstrapify bootstrap npm module =arnklint","author":"=arnklint","date":"2012-02-02 "},{"name":"bootstrapjs","description":"Bootstrap JS for Node","url":null,"keywords":"","version":"2.0.0","words":"bootstrapjs bootstrap js for node =jimrhoskins","author":"=jimrhoskins","date":"2012-02-24 "},{"name":"bootstrapp","description":"Express boilerpate","url":null,"keywords":"express boilerplate bootstrapp","version":"0.0.0","words":"bootstrapp express boilerpate =yunghwakwon express boilerplate bootstrapp","author":"=yunghwakwon","date":"2014-09-05 "},{"name":"bootstrapped-socket-express","description":"Node.js project template using express, Socket.IO, Bootstrap and CoffeeScript.","url":null,"keywords":"template boilerplate bootstrap","version":"0.0.2","words":"bootstrapped-socket-express node.js project template using express, socket.io, bootstrap and coffeescript. =mmozuras template boilerplate bootstrap","author":"=mmozuras","date":"2012-04-09 "},{"name":"bootstrapper","description":"Handy Node.js command line application to manage templates and boilerplates.","url":null,"keywords":"","version":"0.1.3","words":"bootstrapper handy node.js command line application to manage templates and boilerplates. =mmarcon","author":"=mmarcon","date":"2012-07-13 "},{"name":"bootstrip-alert","description":"Bootstrap alert without jQuery","url":null,"keywords":"bootstrap bootstrip alert browser","version":"0.0.1","words":"bootstrip-alert bootstrap alert without jquery =evanlucas bootstrap bootstrip alert browser","author":"=evanlucas","date":"2014-07-06 "},{"name":"bootstrip-button","description":"button plugin for bootstrip","url":null,"keywords":"bootstrap bootstrip button browser","version":"0.0.2","words":"bootstrip-button button plugin for bootstrip =evanlucas bootstrap bootstrip button browser","author":"=evanlucas","date":"2014-07-04 "},{"name":"bootstyles","description":"Style Bootstrap, showcase on a demo site, and package up the assets for export","url":null,"keywords":"","version":"0.0.1","words":"bootstyles style bootstrap, showcase on a demo site, and package up the assets for export =sackio","author":"=sackio","date":"2014-08-25 "},{"name":"bootstylus","description":"Twitter Bootstrap using Stylus instead of the default Less.","url":null,"keywords":"","version":"0.2.0","words":"bootstylus twitter bootstrap using stylus instead of the default less. =edmellum","author":"=edmellum","date":"2012-04-21 "},{"name":"bootswatch","description":"Bootswatch is a collection of themes for Bootstrap.","url":null,"keywords":"","version":"3.2.0","words":"bootswatch bootswatch is a collection of themes for bootstrap. =robloach =thomaspark","author":"=robloach =thomaspark","date":"2014-08-13 "},{"name":"bootswatch-scss","description":"Bootswatch themes compiled as scss files.","url":null,"keywords":"","version":"3.2.0","words":"bootswatch-scss bootswatch themes compiled as scss files. =nrub","author":"=nrub","date":"2014-08-19 "},{"name":"bootup","description":"Website template with integrated Bootstrap, Assemble, HTML5 boilerplate and Bootswatch themes.","url":null,"keywords":"assemble assemble boilerplate boilerplate h5bp html5 boilerplate bootstrap bootstrap boilerplate bootup bootswatch","version":"0.3.2","words":"bootup website template with integrated bootstrap, assemble, html5 boilerplate and bootswatch themes. =albogdano assemble assemble boilerplate boilerplate h5bp html5 boilerplate bootstrap bootstrap boilerplate bootup bootswatch","author":"=albogdano","date":"2014-06-04 "},{"name":"bootware","description":"Drop Bootstrap builds into your Node.js app. Just provide a git:// url and you're all set.","url":null,"keywords":"","version":"0.1.1","words":"bootware drop bootstrap builds into your node.js app. just provide a git:// url and you're all set. =ritch","author":"=ritch","date":"2012-02-20 "},{"name":"booty","description":"Simple, distributed app config management backed by S3","url":null,"keywords":"config management s3 deployment deploy","version":"0.1.2","words":"booty simple, distributed app config management backed by s3 =sreuter config management s3 deployment deploy","author":"=sreuter","date":"2013-01-11 "},{"name":"booty-cache","description":"Dead sexy URL caching utility for Express/Connect","url":null,"keywords":"express connect cache sails","version":"0.0.1","words":"booty-cache dead sexy url caching utility for express/connect =balderdashy express connect cache sails","author":"=balderdashy","date":"2013-01-23 "},{"name":"booty-datepicker","description":"Date picker based off bootstrap styles.","url":null,"keywords":"bootstrap twitter boostrap datepicker date picker","version":"1.0.5","words":"booty-datepicker date picker based off bootstrap styles. =skinnybrit51 bootstrap twitter boostrap datepicker date picker","author":"=skinnybrit51","date":"2014-07-23 "},{"name":"booty-grid","description":"Bootstrap table with CRUD functionality.","url":null,"keywords":"bootstrap CRUD table grid add delete update sorting links row selection","version":"1.0.12","words":"booty-grid bootstrap table with crud functionality. =skinnybrit51 bootstrap crud table grid add delete update sorting links row selection","author":"=skinnybrit51","date":"2014-09-11 "},{"name":"boozey","description":"Boozey is a library for working with the Open Beer Database","url":null,"keywords":"cli beer api","version":"0.2.0","words":"boozey boozey is a library for working with the open beer database =aaronpowell cli beer api","author":"=aaronpowell","date":"2012-12-12 "},{"name":"bop","description":"Bop, an ultra fast Boyer-Moore parser/matcher optimized for string and buffer patterns (<= 255 bytes), then it is ideal for parsing multipart/form-data streams, that have a pattern / boundary length < ~70 bytes.","url":null,"keywords":"parser boyer moore buffer pattern string pattern matching search ultra fast","version":"2.1.1","words":"bop bop, an ultra fast boyer-moore parser/matcher optimized for string and buffer patterns (<= 255 bytes), then it is ideal for parsing multipart/form-data streams, that have a pattern / boundary length < ~70 bytes. =rootslab parser boyer moore buffer pattern string pattern matching search ultra fast","author":"=rootslab","date":"2014-08-25 "},{"name":"boparaiamrit_gmt","description":"Tesingt Github Module, which fetch a list of user repos.","url":null,"keywords":"","version":"0.0.0","words":"boparaiamrit_gmt tesingt github module, which fetch a list of user repos. =boparaiamrit","author":"=boparaiamrit","date":"2012-12-23 "},{"name":"bopper","description":"Provides a streaming clock source for scheduling Web Audio events rhythmically","url":null,"keywords":"midi tempo transport clock rhythm beat bar web audio","version":"2.2.3","words":"bopper provides a streaming clock source for scheduling web audio events rhythmically =mmckegg midi tempo transport clock rhythm beat bar web audio","author":"=mmckegg","date":"2014-08-28 "},{"name":"bops","description":"buffer operations","url":null,"keywords":"buffer operations binary","version":"0.1.1","words":"bops buffer operations =chrisdickinson buffer operations binary","author":"=chrisdickinson","date":"2013-11-28 "},{"name":"bops-browser","description":"A version of chrisdickinson/bops just for browser","url":null,"keywords":"bops browser","version":"0.6.0","words":"bops-browser a version of chrisdickinson/bops just for browser =creationix bops browser","author":"=creationix","date":"2013-10-21 "},{"name":"bor","description":"A fast async JavaScript pre-processor.","url":null,"keywords":"","version":"0.0.9","words":"bor a fast async javascript pre-processor. =daxxog","author":"=daxxog","date":"2013-06-05 "},{"name":"border-reporter","description":"border-reporter handles border wait user reports","url":null,"keywords":"","version":"0.2.0","words":"border-reporter border-reporter handles border wait user reports =reaktivo","author":"=reaktivo","date":"2014-08-04 "},{"name":"border-wait","description":"Border Wait Time Scraper","url":null,"keywords":"border wait scraper","version":"0.11.0","words":"border-wait border wait time scraper =reaktivo border wait scraper","author":"=reaktivo","date":"2014-08-03 "},{"name":"borderpalette","description":"Randomly select border styles from a range of presets.","url":null,"keywords":"utilities","version":"0.1.7","words":"borderpalette randomly select border styles from a range of presets. =vinceallenvince utilities","author":"=vinceallenvince","date":"2014-08-22 "},{"name":"boredom","description":"Another javascript dom helper library.","url":null,"keywords":"dom","version":"0.0.1","words":"boredom another javascript dom helper library. =alxarch dom","author":"=alxarch","date":"2013-12-28 "},{"name":"borg","description":"Automated provisioning and deployment with Node.JS.","url":null,"keywords":"","version":"0.0.1","words":"borg automated provisioning and deployment with node.js. =mikesmullin","author":"=mikesmullin","date":"2013-05-05 "},{"name":"borgdb","description":"A DB agnostic NoSQL DB abstraction layer - NOT PRODUCTION READY","url":null,"keywords":"","version":"0.1.0","words":"borgdb a db agnostic nosql db abstraction layer - not production ready =appersonlabs","author":"=appersonlabs","date":"2014-01-14 "},{"name":"borges","description":"Manage lists through a redis-like interface","url":null,"keywords":"redis javascript nodejs lists list data data structures","version":"0.1.1","words":"borges manage lists through a redis-like interface =sandropasquali redis javascript nodejs lists list data data structures","author":"=sandropasquali","date":"2012-01-29 "},{"name":"boring-config","description":"Load a CSON config file","url":null,"keywords":"config cson config file","version":"0.2.4","words":"boring-config load a cson config file =mikemaccana config cson config file","author":"=mikemaccana","date":"2014-09-18 "},{"name":"boris","description":"Boris, a pure javascript parser for the Redis serialization protocol (RESP).","url":null,"keywords":"boris redis parser protocol parse RESP Redis Serialization Protocol","version":"0.12.1","words":"boris boris, a pure javascript parser for the redis serialization protocol (resp). =rootslab boris redis parser protocol parse resp redis serialization protocol","author":"=rootslab","date":"2014-08-27 "},{"name":"bork","description":"A simple task queuing library, and pet project of the owner.","url":null,"keywords":"asynchronous chain sequence sequential parallel","version":"0.0.4","words":"bork a simple task queuing library, and pet project of the owner. =leeolayvar asynchronous chain sequence sequential parallel","author":"=leeolayvar","date":"2012-12-19 "},{"name":"borm","description":"Storage-agnostic models for Node.js","url":null,"keywords":"","version":"0.0.1","words":"borm storage-agnostic models for node.js =vesln","author":"=vesln","date":"2013-12-29 "},{"name":"borm-jstore","description":"JSON storage for borm","url":null,"keywords":"","version":"0.0.1","words":"borm-jstore json storage for borm =vesln","author":"=vesln","date":"2013-12-29 "},{"name":"bormat","description":"a bunch of boring utility functions for formatting time and numbers, mostly.","url":null,"keywords":"formatter formats time-since time-until numbers","version":"0.0.10","words":"bormat a bunch of boring utility functions for formatting time and numbers, mostly. =andyperlitch formatter formats time-since time-until numbers","author":"=andyperlitch","date":"2013-11-01 "},{"name":"borneo","description":"Borneo is an application skeleton that provides starting point for writing awesome apps. It is powered by Node.js, Express, AngularJS and Bootstrap.","url":null,"keywords":"web app seed nodejs express angular bootstrap","version":"0.0.5","words":"borneo borneo is an application skeleton that provides starting point for writing awesome apps. it is powered by node.js, express, angularjs and bootstrap. =cmfatih web app seed nodejs express angular bootstrap","author":"=cmfatih","date":"2014-07-04 "},{"name":"borrow","description":"borrow ======","url":null,"keywords":"","version":"0.0.3","words":"borrow borrow ====== =poying","author":"=poying","date":"2013-09-08 "},{"name":"borschik","description":"Extendable builder for text-based file formats","url":null,"keywords":"","version":"1.3.0","words":"borschik extendable builder for text-based file formats =veged =fedor.indutny =arikon =scf =afelix =doochik =sevinf","author":"=veged =fedor.indutny =arikon =scf =afelix =doochik =sevinf","date":"2014-08-11 "},{"name":"borschik-server","description":"Dev HTTP server to process JS and CSS files with borschik","url":null,"keywords":"","version":"0.0.3","words":"borschik-server dev http server to process js and css files with borschik =doochik","author":"=doochik","date":"2013-10-14 "},{"name":"borschik-tech-cleancss","description":"borschik CSS tech based on CleanCSS","url":null,"keywords":"borschik css cleancss","version":"1.0.3","words":"borschik-tech-cleancss borschik css tech based on cleancss =doochik borschik css cleancss","author":"=doochik","date":"2014-09-17 "},{"name":"borschik-tech-css-ometajs","description":"borschik CSS tech based on OMetaJS","url":null,"keywords":"","version":"0.0.1","words":"borschik-tech-css-ometajs borschik css tech based on ometajs =doochik","author":"=doochik","date":"2013-08-10 "},{"name":"borschik-tech-istanbul","description":"borschik tech that instruments included files using istanbul code coverage tool","url":null,"keywords":"borschik tech istanbul coverage","version":"0.2.0","words":"borschik-tech-istanbul borschik tech that instruments included files using istanbul code coverage tool =arikon =cody- =scf =sevinf =unlok borschik tech istanbul coverage","author":"=arikon =cody- =scf =sevinf =unlok","date":"2014-08-11 "},{"name":"borschik-tech-js-coffee","description":"CoffeeScript borschik tech","url":null,"keywords":"","version":"0.0.1","words":"borschik-tech-js-coffee coffeescript borschik tech =doochik","author":"=doochik","date":"2013-08-10 "},{"name":"borschik-tech-jsincludes","description":"Tech for Borschik","url":null,"keywords":"","version":"0.0.6","words":"borschik-tech-jsincludes tech for borschik =insane-developer","author":"=insane-developer","date":"2014-04-21 "},{"name":"borschik-tech-yate","description":"Yate tech for Borschik","url":null,"keywords":"borschik yate","version":"1.0.3","words":"borschik-tech-yate yate tech for borschik =doochik borschik yate","author":"=doochik","date":"2014-06-11 "},{"name":"borschik-tech-ycssjs","description":"ycssjs tech for borschik","url":null,"keywords":"","version":"0.0.1","words":"borschik-tech-ycssjs ycssjs tech for borschik =alexeyten","author":"=alexeyten","date":"2013-01-18 "},{"name":"borschik-webp","description":"Extendable builder for text-based file formats","url":null,"keywords":"","version":"1.3.0","words":"borschik-webp extendable builder for text-based file formats =hamo_sapience =insane-developer","author":"=hamo_sapience =insane-developer","date":"2014-08-12 "},{"name":"boscillate","description":"boscillate ==========","url":null,"keywords":"boscillate baudio audio oscillate sound sound wave wave ascii graph oscillator","version":"0.0.2","words":"boscillate boscillate ========== =mathisonian boscillate baudio audio oscillate sound sound wave wave ascii graph oscillator","author":"=mathisonian","date":"2014-06-26 "},{"name":"bosco","description":"Bosco will take care of your microservices, just don't try and use him on a plane.","url":null,"keywords":"micro service build automation minification s3 project","version":"0.1.13","words":"bosco bosco will take care of your microservices, just don't try and use him on a plane. =tesglobal micro service build automation minification s3 project","author":"=tesglobal","date":"2014-09-19 "},{"name":"bosh","description":"A simple BOSH middleware","url":null,"keywords":"","version":"0.1.2","words":"bosh a simple bosh middleware =aredridel","author":"=aredridel","date":"2012-10-14 "},{"name":"bosh-prebind","description":"Module that binds a session to the BOSH server","url":null,"keywords":"xmpp bosh http jabber prebind","version":"0.0.2","words":"bosh-prebind module that binds a session to the bosh server =billstron xmpp bosh http jabber prebind","author":"=billstron","date":"2012-11-04 "},{"name":"bosn","description":"bosn","url":null,"keywords":"nunn bosn","version":"0.0.2","words":"bosn bosn =nunn nunn bosn","author":"=nunn","date":"2014-08-19 "},{"name":"boson","description":"Use glob patterns to load an array of requireable files or npm modules - like plugins or middleware, optionally passing a config object to each module.","url":null,"keywords":"engine engines find fn function functions helper helpers imports middleware middlewares module modules plugin plugins register require resolve templates","version":"0.3.0","words":"boson use glob patterns to load an array of requireable files or npm modules - like plugins or middleware, optionally passing a config object to each module. =jonschlinkert engine engines find fn function functions helper helpers imports middleware middlewares module modules plugin plugins register require resolve templates","author":"=jonschlinkert","date":"2014-08-13 "},{"name":"bosonic","description":"bosonic =======","url":null,"keywords":"","version":"0.4.0","words":"bosonic bosonic ======= =goldoraf","author":"=goldoraf","date":"2014-04-03 "},{"name":"bosonic-components","description":"Bosonic Components ========","url":null,"keywords":"","version":"0.3.0","words":"bosonic-components bosonic components ======== =goldoraf","author":"=goldoraf","date":"2014-04-18 "},{"name":"bosonic-layout-components","description":"layout-components =================","url":null,"keywords":"","version":"0.1.0","words":"bosonic-layout-components layout-components ================= =goldoraf","author":"=goldoraf","date":"2014-04-22 "},{"name":"bosonic-platform","description":"platform ========","url":null,"keywords":"","version":"0.0.1","words":"bosonic-platform platform ======== =goldoraf","author":"=goldoraf","date":"2014-07-16 "},{"name":"bosonic-test-tools","description":"test-tools ==========","url":null,"keywords":"","version":"0.2.4","words":"bosonic-test-tools test-tools ========== =goldoraf","author":"=goldoraf","date":"2014-07-16 "},{"name":"bosonic-transpiler","description":"A node.js library that transpiles to-the-spec Web Components into polyfilled JavaScript","url":null,"keywords":"","version":"0.5.0","words":"bosonic-transpiler a node.js library that transpiles to-the-spec web components into polyfilled javascript =goldoraf","author":"=goldoraf","date":"2014-07-16 "},{"name":"bosonnlp","description":"bosonnlp node sdk.","url":null,"keywords":"bosonnlp","version":"0.0.9","words":"bosonnlp bosonnlp node sdk. =vincelee bosonnlp","author":"=vincelee","date":"2014-09-15 "},{"name":"boss","description":"Automatically load balance asyncronous jobs across multiple processes in a round-robin fashion","url":null,"keywords":"","version":"1.0.4","words":"boss automatically load balance asyncronous jobs across multiple processes in a round-robin fashion =mashape","author":"=mashape","date":"2013-05-03 "},{"name":"boss-110-smartplug-json-api-proxy","description":"A web proxy for interfacing with the BOSS 110 Smartplug's web interface in JSON and CSV formats","url":null,"keywords":"","version":"0.0.1","words":"boss-110-smartplug-json-api-proxy a web proxy for interfacing with the boss 110 smartplug's web interface in json and csv formats =cvan","author":"=cvan","date":"2013-12-02 "},{"name":"bossgeo","description":"A node.js wrapper for the Yahoo! BOSS Geo API.","url":null,"keywords":"","version":"0.0.8","words":"bossgeo a node.js wrapper for the yahoo! boss geo api. =addy","author":"=addy","date":"2014-09-03 "},{"name":"bossy","description":"Command line options parser","url":null,"keywords":"cli command line options parser","version":"1.0.2","words":"bossy command line options parser =wyatt =arb =sericaia cli command line options parser","author":"=wyatt =arb =sericaia","date":"2014-09-16 "},{"name":"bot","description":"Feeling lonely? You personal bot is here.","url":null,"keywords":"bot chat bot","version":"0.0.3","words":"bot feeling lonely? you personal bot is here. =vesln bot chat bot","author":"=vesln","date":"2012-06-25 "},{"name":"bot-factory","description":"A library and script for creating and running bots written in Node.","url":null,"keywords":"","version":"0.1.5","words":"bot-factory a library and script for creating and running bots written in node. =schoonology","author":"=schoonology","date":"2013-05-20 "},{"name":"botan","description":"Fully asynchronous Botan wrapper with RSA/public-key, cipher, hash, mac, codec, PBKDF, rnd support","url":null,"keywords":"","version":"0.0.2","words":"botan fully asynchronous botan wrapper with rsa/public-key, cipher, hash, mac, codec, pbkdf, rnd support =justinfreitag","author":"=justinfreitag","date":"2012-06-28 "},{"name":"botanize","keywords":"","version":[],"words":"botanize","author":"","date":"2014-04-05 "},{"name":"botdylan","description":"github bot","url":null,"keywords":"github bot git ci hubot","version":"0.0.10","words":"botdylan github bot =masylum =fcsonline github bot git ci hubot","author":"=masylum =fcsonline","date":"2014-07-18 "},{"name":"boter","description":"A simple library for writing smooth IRC bots.","url":null,"keywords":"irc bot plugins pluggable coffee-script","version":"1.0.9","words":"boter a simple library for writing smooth irc bots. =ppvg irc bot plugins pluggable coffee-script","author":"=ppvg","date":"2013-03-22 "},{"name":"both","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"both error: no readme.md file found! =jonpacker","author":"=jonpacker","date":"2013-09-25 "},{"name":"botio","description":"Github build/test bot","url":null,"keywords":"bot travis CI test regression build continuous integration","version":"0.0.2","words":"botio github build/test bot =artur bot travis ci test regression build continuous integration","author":"=artur","date":"2012-09-12 "},{"name":"botjs","description":"","url":null,"keywords":"irc bot networking","version":"0.0.2","words":"botjs =bcart3r irc bot networking","author":"=bcart3r","date":"2012-09-26 "},{"name":"botnob","description":"Blocking To Non-Blocking Operations","url":null,"keywords":"","version":"0.0.1","words":"botnob blocking to non-blocking operations =iosamuel","author":"=iosamuel","date":"2013-04-30 "},{"name":"bots","description":"Build robust networks of bots that can react to events","url":null,"keywords":"bot xmpp campfire","version":"0.0.7","words":"bots build robust networks of bots that can react to events =hecticjeff bot xmpp campfire","author":"=hecticjeff","date":"2012-02-24 "},{"name":"botsworth","description":"Headless chat bot interface.","url":null,"keywords":"","version":"0.1.2","words":"botsworth headless chat bot interface. =cpancake","author":"=cpancake","date":"2014-09-12 "},{"name":"bottle","description":"Transport-agnostic logging","url":null,"keywords":"log logger logging transport","version":"0.2.0","words":"bottle transport-agnostic logging =mjor log logger logging transport","author":"=mjor","date":"2012-10-02 "},{"name":"bottle-sample","description":"A simple random-messaging app","url":null,"keywords":"bottle express mongoose sample app","version":"0.0.2","words":"bottle-sample a simple random-messaging app =andrejewski bottle express mongoose sample app","author":"=andrejewski","date":"2013-03-30 "},{"name":"bottleneck","description":"Async rate limiter","url":null,"keywords":"async rate limiter rate limiter throttle throttling load limiter ddos","version":"1.5.2","words":"bottleneck async rate limiter =sgrondin async rate limiter rate limiter throttle throttling load limiter ddos","author":"=sgrondin","date":"2014-08-11 "},{"name":"bottles","description":"Bottles","url":null,"keywords":"","version":"0.0.1","words":"bottles bottles =joeandaverde","author":"=joeandaverde","date":"2013-07-17 "},{"name":"bottom","keywords":"","version":[],"words":"bottom","author":"","date":"2014-03-10 "},{"name":"bottomgirl","description":"bottomgirl is not middleman","url":null,"keywords":"","version":"0.1.1","words":"bottomgirl bottomgirl is not middleman =barbuza","author":"=barbuza","date":"2013-10-09 "},{"name":"bouldar","url":null,"keywords":"","version":"0.0.11","words":"bouldar =hollo12","author":"=hollo12","date":"2013-12-23 "},{"name":"boulevard","keywords":"","version":[],"words":"boulevard","author":"","date":"2014-07-10 "},{"name":"bounce","description":"Restart scripts upon code changes","url":null,"keywords":"","version":"0.0.2","words":"bounce restart scripts upon code changes =weepy","author":"=weepy","date":"prehistoric"},{"name":"bounce8080","description":"bounces port 80 to localhost:8080","url":null,"keywords":"","version":"0.1.0","words":"bounce8080 bounces port 80 to localhost:8080 =generalhenry","author":"=generalhenry","date":"2014-06-16 "},{"name":"bouncefix.js","description":"Stop full page scroll bounce on ios.","url":null,"keywords":"","version":"0.3.0","words":"bouncefix.js stop full page scroll bounce on ios. =jaridmargolin","author":"=jaridmargolin","date":"2014-05-19 "},{"name":"bouncer","description":"A service router that uses MDNS and bouncy to do magic!","url":null,"keywords":"","version":"0.0.5","words":"bouncer a service router that uses mdns and bouncy to do magic! =addisonj","author":"=addisonj","date":"2012-06-14 "},{"name":"bounces","description":"Trampoline","url":null,"keywords":"","version":"0.0.1","words":"bounces trampoline =stickupkid","author":"=stickupkid","date":"2013-11-26 "},{"name":"bouncy","description":"route incoming http requests to http servers","url":null,"keywords":"http proxy router load balancer","version":"3.2.1","words":"bouncy route incoming http requests to http servers =substack http proxy router load balancer","author":"=substack","date":"2014-03-03 "},{"name":"bound","description":"A static publishing system for 'single page' apps.","url":null,"keywords":"","version":"0.0.3","words":"bound a static publishing system for 'single page' apps. =cdata","author":"=cdata","date":"2013-07-22 "},{"name":"boundary-cells","description":"Enumerates all boundary cells in a simplicial complex","url":null,"keywords":"boundary cell simplicial complex mesh topology","version":"1.0.0","words":"boundary-cells enumerates all boundary cells in a simplicial complex =mikolalysenko boundary cell simplicial complex mesh topology","author":"=mikolalysenko","date":"2014-03-04 "},{"name":"bounded-cache","description":"A fast synchronous memory cache forgetting the least recently used entry when the maximal number of entries is reached","url":null,"keywords":"cache linked-list bounded memory","version":"0.0.0","words":"bounded-cache a fast synchronous memory cache forgetting the least recently used entry when the maximal number of entries is reached =dystroy cache linked-list bounded memory","author":"=dystroy","date":"2014-03-27 "},{"name":"bounding-box","description":"Determines the bounding box of some object.","url":null,"keywords":"bounding-box bounds","version":"0.0.2","words":"bounding-box determines the bounding box of some object. =koopa bounding-box bounds","author":"=koopa","date":"2013-06-18 "},{"name":"boundr","keywords":"","version":[],"words":"boundr","author":"","date":"2014-07-25 "},{"name":"bounds","description":"Mixin for checking if value is inside or outside of bounds","url":null,"keywords":"bounds range compare","version":"1.0.0","words":"bounds mixin for checking if value is inside or outside of bounds =pirxpilot bounds range compare","author":"=pirxpilot","date":"2013-02-28 "},{"name":"bounscale","description":"Agent for Heroku auto-scaling. See => https://addons.heroku.com/bounscale/","url":null,"keywords":"","version":"0.0.2","words":"bounscale agent for heroku auto-scaling. see => https://addons.heroku.com/bounscale/ =bounscale","author":"=bounscale","date":"2013-08-15 "},{"name":"bouquet","description":"Collection of useful plugins for JSDoc","url":null,"keywords":"jsdoc-plugins jsdoc","version":"1.0.3","words":"bouquet collection of useful plugins for jsdoc =kaustavdm =fusioncharts jsdoc-plugins jsdoc","author":"=kaustavdm =fusioncharts","date":"2014-01-14 "},{"name":"bourbon","description":"A static site generator based on scheduled jobs","url":null,"keywords":"","version":"0.0.2","words":"bourbon a static site generator based on scheduled jobs =tmrudick","author":"=tmrudick","date":"2013-03-26 "},{"name":"bourne","description":"A simple serverless database stored in a JSON file.","url":null,"keywords":"","version":"0.4.0","words":"bourne a simple serverless database stored in a json file. =andrew8088","author":"=andrew8088","date":"2014-05-28 "},{"name":"bouwen","description":"Display a repository build status in your terminal","url":null,"keywords":"bash","version":"0.2.0","words":"bouwen display a repository build status in your terminal =charliedowler bash","author":"=charliedowler","date":"2014-09-05 "},{"name":"bow","description":"BDD Testing Framework for Arrow","url":null,"keywords":"","version":"0.0.1","words":"bow bdd testing framework for arrow =aresyhoo","author":"=aresyhoo","date":"2013-01-10 "},{"name":"bower","description":"The browser package manager","url":null,"keywords":"","version":"1.3.11","words":"bower the browser package manager =fat =satazor =wibblymat =paulirish =sheerun =sindresorhus","author":"=fat =satazor =wibblymat =paulirish =sheerun =sindresorhus","date":"2014-09-18 "},{"name":"bower-amd-dist","description":"Distrubute AMD-based libraries as single file Bower components","url":null,"keywords":"","version":"0.3.0","words":"bower-amd-dist distrubute amd-based libraries as single file bower components =teh_senaus","author":"=teh_senaus","date":"2013-12-11 "},{"name":"bower-angular-resource","description":"npm port of angular-resource","url":null,"keywords":"","version":"0.0.0","words":"bower-angular-resource npm port of angular-resource =mljsimone","author":"=mljsimone","date":"2014-05-26 "},{"name":"bower-archive","description":"The browser package manager.","url":null,"keywords":"","version":"0.2.6","words":"bower-archive the browser package manager. =jgalvin","author":"=jgalvin","date":"2013-03-19 "},{"name":"bower-asserts-brunch","description":"Adds Bower support to Brunch for asserts from Bower packages","url":null,"keywords":"","version":"0.0.2","words":"bower-asserts-brunch adds bower support to brunch for asserts from bower packages =gulin.serge","author":"=gulin.serge","date":"2013-06-01 "},{"name":"bower-auth","description":"The browser package manager (with authrc support for private projects)","url":null,"keywords":"","version":"1.2.7","words":"bower-auth the browser package manager (with authrc support for private projects) =h2non","author":"=h2non","date":"2013-10-11 "},{"name":"bower-build","description":"Concat all `main` files of bower dependents by extension.","url":null,"keywords":"","version":"0.0.1","words":"bower-build concat all `main` files of bower dependents by extension. =mizchi","author":"=mizchi","date":"2014-08-17 "},{"name":"bower-canary","description":"The browser package manager.","url":null,"keywords":"","version":"1.3.0","words":"bower-canary the browser package manager. =satazor =wibblymat =paulirish =sheerun =sindresorhus","author":"=satazor =wibblymat =paulirish =sheerun =sindresorhus","date":"2014-06-23 "},{"name":"bower-checker","description":"Library for checking version before bower install","url":null,"keywords":"bower check","version":"0.0.1","words":"bower-checker library for checking version before bower install =justlaputa bower check","author":"=justlaputa","date":"2013-06-04 "},{"name":"bower-clean","description":"Remove files (e.g. docs, tests, etc.) from installed bower component. For matching it uses minimatch.","url":null,"keywords":"","version":"0.2.3","words":"bower-clean remove files (e.g. docs, tests, etc.) from installed bower component. for matching it uses minimatch. =mkramb","author":"=mkramb","date":"2014-07-30 "},{"name":"bower-component-list","keywords":"","version":[],"words":"bower-component-list","author":"","date":"2013-09-06 "},{"name":"bower-config","description":"The Bower config reader and writer.","url":null,"keywords":"","version":"0.5.2","words":"bower-config the bower config reader and writer. =satazor =wibblymat =sindresorhus =paulirish =sheerun","author":"=satazor =wibblymat =sindresorhus =paulirish =sheerun","date":"2014-06-24 "},{"name":"bower-copy","description":"bower-copy\r ==========","url":null,"keywords":"","version":"0.1.0","words":"bower-copy bower-copy\r ========== =scivey","author":"=scivey","date":"2013-12-21 "},{"name":"bower-directory","description":"Detect the path where bower components should be saved","url":null,"keywords":"bower bowerrc dir directory path destination cli","version":"0.1.1","words":"bower-directory detect the path where bower components should be saved =shinnn bower bowerrc dir directory path destination cli","author":"=shinnn","date":"2014-08-23 "},{"name":"bower-endpoint-parser","description":"Little module that helps with endpoints parsing.","url":null,"keywords":"","version":"0.2.2","words":"bower-endpoint-parser little module that helps with endpoints parsing. =satazor =wibblymat =paulirish =sheerun =sindresorhus","author":"=satazor =wibblymat =paulirish =sheerun =sindresorhus","date":"2014-06-24 "},{"name":"bower-extract","keywords":"","version":[],"words":"bower-extract","author":"","date":"2012-09-19 "},{"name":"bower-file","description":"The browser package manager","url":null,"keywords":"","version":"1.3.11","words":"bower-file the browser package manager =oliverfoster","author":"=oliverfoster","date":"2014-07-25 "},{"name":"bower-files","description":"Pulls in dynamic list of filepaths to bower components","url":null,"keywords":"bower task management","version":"1.5.0","words":"bower-files pulls in dynamic list of filepaths to bower components =ksmithut bower task management","author":"=ksmithut","date":"2014-08-18 "},{"name":"bower-import","description":"install and import modules without fuss","url":null,"keywords":"","version":"0.0.1","words":"bower-import install and import modules without fuss =ryanflorence","author":"=ryanflorence","date":"2013-09-16 "},{"name":"bower-installer","description":"Tool for installing bower dependencies that won't include entire repos","url":null,"keywords":"bower install dependencies","version":"0.8.4","words":"bower-installer tool for installing bower dependencies that won't include entire repos =blittle bower install dependencies","author":"=blittle","date":"2014-07-24 "},{"name":"bower-javascript-brunch","description":"Adds Bower support to Brunch for javascript files","url":null,"keywords":"","version":"0.0.2","words":"bower-javascript-brunch adds bower support to brunch for javascript files =gulin.serge","author":"=gulin.serge","date":"2013-06-01 "},{"name":"bower-jquery","description":"jquery installed from bower, that's been browserified tested - jQuery JavaScript Library ","url":null,"keywords":"jQuery bower package library DOM","version":"2.0.2","words":"bower-jquery jquery installed from bower, that's been browserified tested - jquery javascript library =yawetse jquery bower package library dom","author":"=yawetse","date":"2013-11-03 "},{"name":"bower-json","description":"Read bower.json files with semantics, normalisation, defaults and validation.","url":null,"keywords":"","version":"0.4.0","words":"bower-json read bower.json files with semantics, normalisation, defaults and validation. =satazor =wibblymat =sindresorhus =paulirish =sheerun","author":"=satazor =wibblymat =sindresorhus =paulirish =sheerun","date":"2014-06-23 "},{"name":"bower-json-auth","description":"Read bower.json files with semantics, normalisation, defaults, validation and authentication (via authrc)","url":null,"keywords":"","version":"0.1.5","words":"bower-json-auth read bower.json files with semantics, normalisation, defaults, validation and authentication (via authrc) =h2non","author":"=h2non","date":"2013-10-28 "},{"name":"bower-junction","description":"Bower link/unlink (CLI) for unsupported Windows (XP,2000,2003) using npm-junction & SysInternals Junction","url":null,"keywords":"bower cli windows junction symlink link unlink","version":"1.0.0","words":"bower-junction bower link/unlink (cli) for unsupported windows (xp,2000,2003) using npm-junction & sysinternals junction =jaguard bower cli windows junction symlink link unlink","author":"=jaguard","date":"2014-06-27 "},{"name":"bower-latest","description":"Quickly find the latest version of a package in bower.","url":null,"keywords":"","version":"1.1.4","words":"bower-latest quickly find the latest version of a package in bower. =kwakayama","author":"=kwakayama","date":"2014-05-15 "},{"name":"bower-license","description":"Generates a list of bower dependencies for a project","url":null,"keywords":"bower license oss","version":"0.2.2","words":"bower-license generates a list of bower dependencies for a project =badunk =slowjamhacker bower license oss","author":"=badunk =slowjamhacker","date":"2014-02-13 "},{"name":"bower-list","description":"Requests a list of bower packages","url":null,"keywords":"","version":"0.1.3","words":"bower-list requests a list of bower packages =stefanbuck","author":"=stefanbuck","date":"2014-07-27 "},{"name":"bower-logger","description":"The logger used in the various architecture components of Bower.","url":null,"keywords":"","version":"0.2.2","words":"bower-logger the logger used in the various architecture components of bower. =satazor =wibblymat =paulirish =sindresorhus =sheerun","author":"=satazor =wibblymat =paulirish =sindresorhus =sheerun","date":"2014-06-23 "},{"name":"bower-ls","description":"List bower depency main files on the command line.","url":null,"keywords":"bower dependencies list filter main files","version":"1.0.0","words":"bower-ls list bower depency main files on the command line. =pluma bower dependencies list filter main files","author":"=pluma","date":"2014-08-24 "},{"name":"bower-name","description":"Check whether a package name is available on bower","url":null,"keywords":"cli bin app bower package name check available","version":"1.0.0","words":"bower-name check whether a package name is available on bower =sindresorhus cli bin app bower package name check available","author":"=sindresorhus","date":"2014-08-13 "},{"name":"bower-npm-install","description":"[![Build Status](https://secure.travis-ci.org/arikon/bower-npm-install.png?branch=master)](http://travis-ci.org/arikon/bower-npm-install) [![NPM version](https://badge.fury.io/js/bower-npm-install.png)](http://badge.fury.io/js/bower-npm-install) [![Depend","url":null,"keywords":"","version":"0.5.8","words":"bower-npm-install [![build status](https://secure.travis-ci.org/arikon/bower-npm-install.png?branch=master)](http://travis-ci.org/arikon/bower-npm-install) [![npm version](https://badge.fury.io/js/bower-npm-install.png)](http://badge.fury.io/js/bower-npm-install) [![depend =arikon =scf =sevinf =unlok","author":"=arikon =scf =sevinf =unlok","date":"2014-04-15 "},{"name":"bower-path","description":"Quickly resolve the main path of a Bower component.","url":null,"keywords":"bower path resolve gruntfile main helper locator","version":"1.0.1","words":"bower-path quickly resolve the main path of a bower component. =cobbdb bower path resolve gruntfile main helper locator","author":"=cobbdb","date":"2014-04-21 "},{"name":"bower-pi","description":"Validates bower dependency versions pre install","url":null,"keywords":"bower pre-install","version":"0.0.4","words":"bower-pi validates bower dependency versions pre install =asciidisco bower pre-install","author":"=asciidisco","date":"2014-08-04 "},{"name":"bower-registry","description":"Simple bower registry using node and redis.","url":null,"keywords":"bower registry","version":"0.1.7","words":"bower-registry simple bower registry using node and redis. =neoziro bower registry","author":"=neoziro","date":"2014-05-01 "},{"name":"bower-registry-client","description":"Provides easy interaction with the Bower registry.","url":null,"keywords":"","version":"0.2.1","words":"bower-registry-client provides easy interaction with the bower registry. =satazor =svnlto =wibblymat =sheerun =paulirish =sindresorhus","author":"=satazor =svnlto =wibblymat =sheerun =paulirish =sindresorhus","date":"2014-06-23 "},{"name":"bower-registry-file-client","description":"Provides easy interaction with the Bower registry.","url":null,"keywords":"","version":"0.2.4","words":"bower-registry-file-client provides easy interaction with the bower registry. =oliverfoster","author":"=oliverfoster","date":"2014-07-25 "},{"name":"bower-require","description":"The browser package manager.","url":null,"keywords":"","version":"0.6.8","words":"bower-require the browser package manager. =allproperty","author":"=allproperty","date":"2012-12-20 "},{"name":"bower-requirejs","description":"Automagically wire-up installed Bower components into your RequireJS config","url":null,"keywords":"bower requirejs rjs config wire inject install component package module","version":"1.1.2","words":"bower-requirejs automagically wire-up installed bower components into your requirejs config =sindresorhus =robdodson =addyosmani =sboudrias =eddiemonge =passy bower requirejs rjs config wire inject install component package module","author":"=sindresorhus =robdodson =addyosmani =sboudrias =eddiemonge =passy","date":"2014-09-11 "},{"name":"bower-resolve","description":"Find the relative path name of a bower module, for use with browserify and other build tools","url":null,"keywords":"browserify bower debowerify commonjs transform node-browserify bower.io","version":"2.2.0","words":"bower-resolve find the relative path name of a bower module, for use with browserify and other build tools =eugeneware browserify bower debowerify commonjs transform node-browserify bower.io","author":"=eugeneware","date":"2014-06-12 "},{"name":"bower-rp","description":"Bower reference package tool","url":null,"keywords":"bower package referencer lightweight","version":"0.0.10","words":"bower-rp bower reference package tool =joaom182 bower package referencer lightweight","author":"=joaom182","date":"2014-09-21 "},{"name":"bower-s3","description":"Install bower packages directly to Amazon S3 buckets.","url":null,"keywords":"amazon s3 bower stream package css ","version":"0.3.0","words":"bower-s3 install bower packages directly to amazon s3 buckets. =scottcorgan amazon s3 bower stream package css","author":"=scottcorgan","date":"2013-06-18 "},{"name":"bower-semver","description":"A module based on Isaacs's semver with some differences to suit bower.","url":null,"keywords":"semver bower","version":"0.1.0","words":"bower-semver a module based on isaacs's semver with some differences to suit bower. =satazor =sheerun =paulirish =sindresorhus =wibblymat semver bower","author":"=satazor =sheerun =paulirish =sindresorhus =wibblymat","date":"2014-06-30 "},{"name":"bower-server","description":"A quick'n'dirty port of Bower Server to JS. Why? The logic is simple and I am more familiar with JS so it's easier for me to muck around with.","url":null,"keywords":"","version":"0.2.0","words":"bower-server a quick'n'dirty port of bower server to js. why? the logic is simple and i am more familiar with js so it's easier for me to muck around with. =hitsthings","author":"=hitsthings","date":"2012-10-20 "},{"name":"bower-strapless","description":"Unadulterated Less stylesheet source files for Twitter Bootstrap (The sleek, intuitive, and powerful front-end framework for faster and easier web development)","url":null,"keywords":"twitter bootstrap bower less stylesheet theme customization twbs ui ux mobile responsive","version":"3.2.0","words":"bower-strapless unadulterated less stylesheet source files for twitter bootstrap (the sleek, intuitive, and powerful front-end framework for faster and easier web development) =caitp twitter bootstrap bower less stylesheet theme customization twbs ui ux mobile responsive","author":"=caitp","date":"2014-08-03 "},{"name":"bower-stylesheet-brunch","description":"Adds Bower support to Brunch for stylesheet (css) files","url":null,"keywords":"","version":"0.0.2","words":"bower-stylesheet-brunch adds bower support to brunch for stylesheet (css) files =gulin.serge","author":"=gulin.serge","date":"2013-06-01 "},{"name":"bower-update","description":"Updates Bower components to the really latest versions.","url":null,"keywords":"bower","version":"0.0.4","words":"bower-update updates bower components to the really latest versions. =sapegin bower","author":"=sapegin","date":"2014-09-17 "},{"name":"bower-workspace","description":"A cli utility based to simplify link-ing and install-ing of bower packages locally. Based on npm-workspace which does the same thing but for npm modules.","url":null,"keywords":"bower link dependencies peerDependencies workspace automatic","version":"0.1.0","words":"bower-workspace a cli utility based to simplify link-ing and install-ing of bower packages locally. based on npm-workspace which does the same thing but for npm modules. =nexdynamic bower link dependencies peerdependencies workspace automatic","author":"=nexdynamic","date":"2014-08-20 "},{"name":"bower2nix","description":"Generate nix expressions to fetch bower dependencies","url":null,"keywords":"","version":"2.1.0","words":"bower2nix generate nix expressions to fetch bower dependencies =shlevy","author":"=shlevy","date":"2014-03-05 "},{"name":"bower_resolve","description":"search bower javascript path.","url":null,"keywords":"","version":"0.1.3","words":"bower_resolve search bower javascript path. =fnobi","author":"=fnobi","date":"2014-07-09 "},{"name":"bowerball","description":"Stream tarballs for bower components over HTTP.","url":null,"keywords":"bower components tarball tar","version":"0.0.1","words":"bowerball stream tarballs for bower components over http. =oz bower components tarball tar","author":"=oz","date":"2012-12-21 "},{"name":"bowerful","description":"Node CLI to easily install web frameworks/packages.","url":null,"keywords":"cli bower bowerful easy","version":"0.3.3","words":"bowerful node cli to easily install web frameworks/packages. =mporter cli bower bowerful easy","author":"=mporter","date":"2014-05-14 "},{"name":"bowery","description":"Next Generation Software Development","url":null,"keywords":"","version":"6.0.0","words":"bowery next generation software development =sjkaliski =davidbyrd11","author":"=sjkaliski =davidbyrd11","date":"2014-05-13 "},{"name":"bowery-cache","description":"Cache wrapper for the Bowery Framework.","url":null,"keywords":"","version":"0.0.3","words":"bowery-cache cache wrapper for the bowery framework. =davidbyrd11","author":"=davidbyrd11","date":"2013-04-18 "},{"name":"bowery-models","description":"Data layer for the Bowery Framework.","url":null,"keywords":"","version":"0.0.1","words":"bowery-models data layer for the bowery framework. =davidbyrd11","author":"=davidbyrd11","date":"2013-04-09 "},{"name":"bowinst","description":"Automatically install Bower component references into your HTML or Javascript files.","url":null,"keywords":"bower angular post_install","version":"2.1.0","words":"bowinst automatically install bower component references into your html or javascript files. =cgross bower angular post_install","author":"=cgross","date":"2014-03-11 "},{"name":"bowl","description":"Multi process manager for Node.js","url":null,"keywords":"cluster process cli","version":"0.1.1","words":"bowl multi process manager for node.js =yo_waka cluster process cli","author":"=yo_waka","date":"2013-01-27 "},{"name":"bowler","description":"bowler is a simple mvc framework to help work with node-webkit","url":null,"keywords":"mvc node webkit node-webkit bowler","version":"0.0.0","words":"bowler bowler is a simple mvc framework to help work with node-webkit =jacob2dot0 mvc node webkit node-webkit bowler","author":"=jacob2dot0","date":"2014-03-22 "},{"name":"bowling","description":"ten-pin bowling scorekeeping module","url":null,"keywords":"scoresheet tenpin ten-pin bowling score scoring sport","version":"1.2.2","words":"bowling ten-pin bowling scorekeeping module =tphummel scoresheet tenpin ten-pin bowling score scoring sport","author":"=tphummel","date":"2014-04-14 "},{"name":"bows","description":"Rainbowed console logs for chrome, opera and firefox in development.","url":null,"keywords":"color logging chrome console","version":"1.3.0","words":"bows rainbowed console logs for chrome, opera and firefox in development. =latentflip color logging chrome console","author":"=latentflip","date":"2014-09-18 "},{"name":"bowser","description":"a browser detector","url":null,"keywords":"ender browser sniff detection","version":"0.7.1","words":"bowser a browser detector =ded ender browser sniff detection","author":"=ded","date":"2014-04-07 "},{"name":"bowser-bjork24","description":"a browser detector - fixed for mobile testing","url":null,"keywords":"ender browser sniff detection","version":"0.2.0","words":"bowser-bjork24 a browser detector - fixed for mobile testing =bjork24 ender browser sniff detection","author":"=bjork24","date":"2014-02-19 "},{"name":"bowser-cli","description":"A command line interface to create bowser-engine based games with ease.","url":null,"keywords":"game webgl pixel three engine 3d 2d","version":"0.0.0","words":"bowser-cli a command line interface to create bowser-engine based games with ease. =douglaslassance game webgl pixel three engine 3d 2d","author":"=douglaslassance","date":"2013-06-07 "},{"name":"bowser-engine","description":"A WebGL game engine based on three.js.","url":null,"keywords":"game webgl pixel three engine 3d 2d","version":"0.0.0","words":"bowser-engine a webgl game engine based on three.js. =douglaslassance game webgl pixel three engine 3d 2d","author":"=douglaslassance","date":"2013-06-06 "},{"name":"bowser-papandreou","description":"a browser detector","url":null,"keywords":"ender browser sniff detection","version":"0.2.0-patch3","words":"bowser-papandreou a browser detector =papandreou ender browser sniff detection","author":"=papandreou","date":"2013-04-10 "},{"name":"bowtie","description":"Simple framework init();","url":null,"keywords":"","version":"0.0.1","words":"bowtie simple framework init(); =dcgauld","author":"=dcgauld","date":"2014-09-14 "},{"name":"box","description":"Powerful key -> value storage for the CLI.","url":null,"keywords":"cli storage storage cli","version":"0.0.4","words":"box powerful key -> value storage for the cli. =vesln cli storage storage cli","author":"=vesln","date":"2012-06-25 "},{"name":"box-2d-web","description":"Mirror of the box2djs javascript engine","url":null,"keywords":"physics box2djs box2dweb engine","version":"2.1.3","words":"box-2d-web mirror of the box2djs javascript engine =webmech physics box2djs box2dweb engine","author":"=webmech","date":"2014-01-03 "},{"name":"box-collide","description":"return whether two boxes or points are colliding in 2d","url":null,"keywords":"bbox collision inside 2d geometry box point overlap","version":"1.0.1","words":"box-collide return whether two boxes or points are colliding in 2d =substack bbox collision inside 2d geometry box point overlap","author":"=substack","date":"2014-08-03 "},{"name":"box-frustum","description":"Checks if an axis aligned bounding box intersects a camera frustum.","url":null,"keywords":"bounding box frustum axis aligned clip cull geometry 3d webgl","version":"0.0.0","words":"box-frustum checks if an axis aligned bounding box intersects a camera frustum. =mikolalysenko bounding box frustum axis aligned clip cull geometry 3d webgl","author":"=mikolalysenko","date":"2013-02-09 "},{"name":"box-geometry","description":"cube geometry mesh generator for gl-vao","url":null,"keywords":"voxel cube box mesh gl-vao","version":"0.1.0","words":"box-geometry cube geometry mesh generator for gl-vao =deathcap voxel cube box mesh gl-vao","author":"=deathcap","date":"2014-05-01 "},{"name":"box-muller","description":"Box-Muller normal distribution generator","url":null,"keywords":"","version":"0.0.1","words":"box-muller box-muller normal distribution generator =karboh","author":"=karboh","date":"2013-03-26 "},{"name":"box-sdk","description":"Node.js client for Box Content API","url":null,"keywords":"box.com SDK Content API","version":"0.0.5","words":"box-sdk node.js client for box content api =adityamukho box.com sdk content api","author":"=adityamukho","date":"2014-08-06 "},{"name":"box-sprite-svg","description":"2d physics container for svg elements","url":null,"keywords":"svg game simulation browser dom physics velocity acceleration position motion","version":"1.2.0","words":"box-sprite-svg 2d physics container for svg elements =substack svg game simulation browser dom physics velocity acceleration position motion","author":"=substack","date":"2014-08-04 "},{"name":"box-view","description":"A node client for the Box View API","url":null,"keywords":"box box view box view api view api crocodoc viewer.js","version":"1.0.1","words":"box-view a node client for the box view api =lakenen box box view box view api view api crocodoc viewer.js","author":"=lakenen","date":"2014-09-16 "},{"name":"box-view-api","description":"Box View API, node.js client library","url":null,"keywords":"crocodoc box box-view library client api","version":"0.1.1-rc3","words":"box-view-api box view api, node.js client library =mab-netdev crocodoc box box-view library client api","author":"=mab-netdev","date":"2013-10-14 "},{"name":"box-view-browser-bundle","description":"A small module for making box-view API calls in a browser.","url":null,"keywords":"box-view viewer.js","version":"0.3.0","words":"box-view-browser-bundle a small module for making box-view api calls in a browser. =lakenen box-view viewer.js","author":"=lakenen","date":"2014-07-26 "},{"name":"box-view-cli","description":"A CLI for Box View API","url":null,"keywords":"box box view box view api view api crocodoc viewer.js cli","version":"0.6.0","words":"box-view-cli a cli for box view api =lakenen box box view box view api view api crocodoc viewer.js cli","author":"=lakenen","date":"2014-09-16 "},{"name":"box-view-queue","description":"do not try to use this","url":null,"keywords":"","version":"0.0.4","words":"box-view-queue do not try to use this =lakenen","author":"=lakenen","date":"2014-08-04 "},{"name":"box2d","description":"2D physics engine","url":null,"keywords":"","version":"1.0.0","words":"box2d 2d physics engine =jadell","author":"=jadell","date":"prehistoric"},{"name":"box2d-events","description":"Easier event listening for Box2D collisions","url":null,"keywords":"box2d physics collisions events emitter","version":"0.0.1","words":"box2d-events easier event listening for box2d collisions =hughsk box2d physics collisions events emitter","author":"=hughsk","date":"2013-08-09 "},{"name":"box2d-html5","description":"A 2D Physics Engine for HTML5 Games","url":null,"keywords":"box2d html5 game physics engine","version":"0.1.230","words":"box2d-html5 a 2d physics engine for html5 games =mvasilkov box2d html5 game physics engine","author":"=mvasilkov","date":"2013-11-15 "},{"name":"box2d-physics","url":null,"keywords":"box2d physics collisions 2d","version":"0.0.1","words":"box2d-physics =riplexus box2d physics collisions 2d","author":"=riplexus","date":"2014-09-10 "},{"name":"box2d-player","description":"A small module that handles creating a player that can jump with Box2dweb","url":null,"keywords":"platformer physics box2d game","version":"0.1.0","words":"box2d-player a small module that handles creating a player that can jump with box2dweb =hughsk platformer physics box2d game","author":"=hughsk","date":"2013-08-10 "},{"name":"box2d.js","description":"Port of Box2D to JavaScript using Emscripten","url":null,"keywords":"","version":"1.0.0","words":"box2d.js port of box2d to javascript using emscripten =caseywebdev","author":"=caseywebdev","date":"2013-11-14 "},{"name":"box2dnode","description":"2D physics engine","url":null,"keywords":"","version":"2.0.0","words":"box2dnode 2d physics engine =m0rph3v5","author":"=m0rph3v5","date":"2011-07-24 "},{"name":"box2dweb","description":"2D physics engine","url":null,"keywords":"box2d physics","version":"2.1.0-b","words":"box2dweb 2d physics engine =mikolalysenko box2d physics","author":"=mikolalysenko","date":"2013-08-25 "},{"name":"box2dweb-commonjs","description":"Box2dweb as a Common JS module","url":null,"keywords":"game box2d","version":"2.1.0","words":"box2dweb-commonjs box2dweb as a common js module =bestander game box2d","author":"=bestander","date":"2012-12-10 "},{"name":"box2dweb-multiplayer-demo","description":"a simple multiplayer Box2DWeb demo using node.js and socket.io","url":null,"keywords":"box2d node socket","version":"0.1.0","words":"box2dweb-multiplayer-demo a simple multiplayer box2dweb demo using node.js and socket.io =bobstrogg box2d node socket","author":"=bobstrogg","date":"2013-01-30 "},{"name":"boxcar","description":"An API for the Boxcar Push Notification Service","url":null,"keywords":"boxcar push notifications push notifications iphone","version":"0.9.7","words":"boxcar an api for the boxcar push notification service =devdazed boxcar push notifications push notifications iphone","author":"=devdazed","date":"2012-11-12 "},{"name":"boxcars","description":"boxcars is a tiny collection library that comes with built-in caching for preloading contents.","url":null,"keywords":"data-structures collections","version":"0.0.6","words":"boxcars boxcars is a tiny collection library that comes with built-in caching for preloading contents. =azer data-structures collections","author":"=azer","date":"2012-05-26 "},{"name":"boxed-emitter","description":"Namespacing events","url":null,"keywords":"","version":"0.1.5","words":"boxed-emitter namespacing events =pgte","author":"=pgte","date":"2013-01-08 "},{"name":"boxedup-scraper","description":"Screen scrape user and list details from Boxedup.com.","url":null,"keywords":"boxedup list christmas birthday want have","version":"0.0.1","words":"boxedup-scraper screen scrape user and list details from boxedup.com. =peterwooley boxedup list christmas birthday want have","author":"=peterwooley","date":"2013-12-16 "},{"name":"boxeen","description":"Boxee API wrapper","url":null,"keywords":"boxee API wrapper","version":"0.1.0","words":"boxeen boxee api wrapper =ramitos boxee api wrapper","author":"=ramitos","date":"2011-12-11 "},{"name":"boxer","description":"A Static Website Publishing Tool","url":null,"keywords":"","version":"0.0.4","words":"boxer a static website publishing tool =aconbere","author":"=aconbere","date":"prehistoric"},{"name":"boxes","description":"`boxes` is a blessed(curses)-based UI for NodeOS.","url":null,"keywords":"","version":"0.0.10","words":"boxes `boxes` is a blessed(curses)-based ui for nodeos. =smassa","author":"=smassa","date":"2014-02-18 "},{"name":"boxfan","description":"Super Simple Json Filtering","url":null,"keywords":"json filter data","version":"0.1.3","words":"boxfan super simple json filtering =kaicurry json filter data","author":"=kaicurry","date":"2014-07-23 "},{"name":"boxfish","description":"Boxfish's Node API interface.","url":null,"keywords":"boxfish api","version":"1.1.0","words":"boxfish boxfish's node api interface. =dunxrion boxfish api","author":"=dunxrion","date":"2014-07-31 "},{"name":"boxify","description":"Interactive UI builder w/ React","url":null,"keywords":"boxify react ui builder tool router model","version":"0.0.0","words":"boxify interactive ui builder w/ react =jabapyth boxify react ui builder tool router model","author":"=jabapyth","date":"2014-05-10 "},{"name":"boxit","description":"HTML and text file builder / collator","url":null,"keywords":"build html","version":"0.4.4","words":"boxit html and text file builder / collator =damonoehlman build html","author":"=damonoehlman","date":"2014-06-18 "},{"name":"boxlet","description":"an animated box. fade out, open, fade in. fade in, close, fade out.","url":null,"keywords":"animated transition ease container","version":"0.0.2","words":"boxlet an animated box. fade out, open, fade in. fade in, close, fade out. =bumblehead animated transition ease container","author":"=bumblehead","date":"2014-05-12 "},{"name":"boxoffice","description":"Get boxoffice info","url":null,"keywords":"boxoffice movie movies","version":"0.1.0","words":"boxoffice get boxoffice info =alexu84 boxoffice movie movies","author":"=alexu84","date":"2014-01-31 "},{"name":"boxomojo","description":"NOt ready.","url":null,"keywords":"boxomojo factor_script","version":"0.1.0","words":"boxomojo not ready. =da99 boxomojo factor_script","author":"=da99","date":"2013-07-02 "},{"name":"boxoverlap","description":"Reports pairs of overlapping boxes","url":null,"keywords":"Box Overlap","version":"0.0.3","words":"boxoverlap reports pairs of overlapping boxes =mdoescher box overlap","author":"=mdoescher","date":"2013-10-13 "},{"name":"boxpack","description":"Bin packing algorithm for rectangles","url":null,"keywords":"box bin pack rect","version":"0.1.0","words":"boxpack bin packing algorithm for rectangles =munro box bin pack rect","author":"=munro","date":"2012-08-12 "},{"name":"boxpacking","description":"Packing algorithm","url":null,"keywords":"binpack boxpack packing algorithm","version":"0.0.4","words":"boxpacking packing algorithm =poplava binpack boxpack packing algorithm","author":"=poplava","date":"2014-03-04 "},{"name":"boxr","description":"package/folder template manager","url":null,"keywords":"folder template manager package","version":"0.1.13","words":"boxr package/folder template manager =derekborland folder template manager package","author":"=derekborland","date":"2014-06-23 "},{"name":"boxrec","description":"view data from Boxrec.com","url":null,"keywords":"boxrec boxing sport","version":"0.0.5","words":"boxrec view data from boxrec.com =75lb boxrec boxing sport","author":"=75lb","date":"2014-05-09 "},{"name":"boxsdk","description":"An SDK to make using the BOX API easier","url":null,"keywords":"api box sdk box.com box.net","version":"0.2.11","words":"boxsdk an sdk to make using the box api easier =thermatix api box sdk box.com box.net","author":"=thermatix","date":"2014-05-02 "},{"name":"boxsetup","keywords":"","version":[],"words":"boxsetup","author":"","date":"2014-04-25 "},{"name":"boxspring","description":"A collection of Backbone Model classes for interacting with CouchDB compatible with Browser and Server-side execution.","url":null,"keywords":"backbone couchdb node nodejs javascript","version":"0.0.2","words":"boxspring a collection of backbone model classes for interacting with couchdb compatible with browser and server-side execution. =rranauro backbone couchdb node nodejs javascript","author":"=rranauro","date":"2014-09-08 "},{"name":"boxtree","description":"Execute JavaScript in an isolated, browser environment (box). You can spawn new boxes from your script, creating - tree of boxes.","url":null,"keywords":"sandbox untrusted javascript box tree","version":"1.0.0","words":"boxtree execute javascript in an isolated, browser environment (box). you can spawn new boxes from your script, creating - tree of boxes. =nicroto sandbox untrusted javascript box tree","author":"=nicroto","date":"2014-08-24 "},{"name":"boxxen.js","description":"NodeJS library module for accessing the Boxxen API","url":null,"keywords":"","version":"0.0.2","words":"boxxen.js nodejs library module for accessing the boxxen api =someoneweird","author":"=SomeoneWeird","date":"2012-05-22 "},{"name":"boxy","description":"node.js sandbox","url":null,"keywords":"","version":"0.0.2","words":"boxy node.js sandbox =fractal","author":"=fractal","date":"2011-12-23 "},{"name":"boy","description":"A lightweight, modern, HTML5 Boilerplate fork with conditionally loaded polyfills for amazing browser support back to IE7","url":null,"keywords":"html css reset boilerplate","version":"0.0.1","words":"boy a lightweight, modern, html5 boilerplate fork with conditionally loaded polyfills for amazing browser support back to ie7 =corysimmons html css reset boilerplate","author":"=corysimmons","date":"2013-11-10 "},{"name":"boz-central","description":"Node central HMI server.","keywords":"","version":[],"words":"boz-central node central hmi server. =debosvi","author":"=debosvi","date":"2014-04-16 "},{"name":"bp","keywords":"","version":[],"words":"bp","author":"","date":"2013-11-04 "},{"name":"bp-load","description":"a responsive breakpoint loader - WIP","url":null,"keywords":"","version":"0.0.5","words":"bp-load a responsive breakpoint loader - wip =davidpett","author":"=davidpett","date":"2014-08-21 "},{"name":"bp-sellwood","url":null,"keywords":"","version":"0.0.7","words":"bp-sellwood =bandpage_jankins","author":"=bandpage_jankins","date":"2014-04-23 "},{"name":"bpack","description":"A cli tool that changes script paths in your package.json to local cli binaries","url":null,"keywords":"package binaries","version":"0.0.2","words":"bpack a cli tool that changes script paths in your package.json to local cli binaries =benparnell package binaries","author":"=benparnell","date":"2014-05-07 "},{"name":"bpay","description":"BPAY Customer Reference Number Generator and Validator","url":null,"keywords":"bpay luhn generator validator","version":"0.1.0","words":"bpay bpay customer reference number generator and validator =jedwatson bpay luhn generator validator","author":"=jedwatson","date":"2013-11-27 "},{"name":"bpcommand","description":"Utility for performing commands in the Blueprint data management system.","url":null,"keywords":"","version":"1.2.6","words":"bpcommand utility for performing commands in the blueprint data management system. =alexbrombal","author":"=alexbrombal","date":"2014-08-05 "},{"name":"bpkg","keywords":"","version":[],"words":"bpkg","author":"","date":"2014-05-25 "},{"name":"bplist","description":"Binary plist parser and creator","url":null,"keywords":"bplist bplist parser binary plist plist binary plist parser bplist parser","version":"0.0.4","words":"bplist binary plist parser and creator =ladinu bplist bplist parser binary plist plist binary plist parser bplist parser","author":"=ladinu","date":"2013-05-05 "},{"name":"bplist-creator","description":"Binary Mac OS X Plist (property list) creator.","url":null,"keywords":"bplist plist creator","version":"0.0.4","words":"bplist-creator binary mac os x plist (property list) creator. =joeferner bplist plist creator","author":"=joeferner","date":"2014-05-23 "},{"name":"bplist-parser","description":"Binary plist parser.","url":null,"keywords":"bplist plist parser","version":"0.0.5","words":"bplist-parser binary plist parser. =joeferner bplist plist parser","author":"=joeferner","date":"2014-02-28 "},{"name":"bplus","description":"Node.js bindings for a bplus C libarary","url":null,"keywords":"","version":"0.0.1","words":"bplus node.js bindings for a bplus c libarary =fedor.indutny","author":"=fedor.indutny","date":"2012-01-30 "},{"name":"bpm","description":"Calculate BPM by tapping","url":null,"keywords":"bpm beat tap","version":"0.0.2","words":"bpm calculate bpm by tapping =bahamas10 bpm beat tap","author":"=bahamas10","date":"2013-01-10 "},{"name":"bpm-calc","description":"command line utility for calculating beats per minute","url":null,"keywords":"bpm beats per minute music","version":"0.0.1","words":"bpm-calc command line utility for calculating beats per minute =marion.newlevant bpm beats per minute music","author":"=marion.newlevant","date":"2013-09-29 "},{"name":"bpmn","description":"BPMN 2.0 execution engine","url":null,"keywords":"bpmn workflow process automation integration system integration","version":"0.2.0","words":"bpmn bpmn 2.0 execution engine =mrassinger =cschmitt bpmn workflow process automation integration system integration","author":"=mrassinger =cschmitt","date":"2014-06-27 "},{"name":"bpmn-js","description":"A bpmn 2.0 toolkit and web modeler","url":null,"keywords":"bpmn bpmn-js toolkit web modeler modeler modeling process modeling","version":"0.5.1","words":"bpmn-js a bpmn 2.0 toolkit and web modeler =nikku =iso50 bpmn bpmn-js toolkit web modeler modeler modeling process modeling","author":"=nikku =iso50","date":"2014-09-17 "},{"name":"bpmn-js-cli","description":"A command-line interface for bpmn-js","url":null,"keywords":"bpmn-js bpmn-js-plugin","version":"0.2.0","words":"bpmn-js-cli a command-line interface for bpmn-js =nikku =iso50 bpmn-js bpmn-js-plugin","author":"=nikku =iso50","date":"2014-09-17 "},{"name":"bpmn-js-cli-modeling-dsl","description":"A modeling dsl plug-in for bpmn-js-cli","url":null,"keywords":"bpmn-js bpmn-js-cli bpmn-js-cli-command","version":"0.0.1","words":"bpmn-js-cli-modeling-dsl a modeling dsl plug-in for bpmn-js-cli =nikku bpmn-js bpmn-js-cli bpmn-js-cli-command","author":"=nikku","date":"2014-08-04 "},{"name":"bpmn-js-differ","description":"A diffing utility for bpmn-js","url":null,"keywords":"bpmnjs diff","version":"0.1.0","words":"bpmn-js-differ a diffing utility for bpmn-js =nikku bpmnjs diff","author":"=nikku","date":"2014-09-03 "},{"name":"bpmn-moddle","description":"A moddle wrapper for BPMN 2.0","url":null,"keywords":"bpmn moddle bpmn20 meta-model","version":"0.4.0","words":"bpmn-moddle a moddle wrapper for bpmn 2.0 =nikku =iso50 bpmn moddle bpmn20 meta-model","author":"=nikku =iso50","date":"2014-09-16 "},{"name":"bpmonline","description":"bpmonline api for nodejs","url":null,"keywords":"bpmonline terrasoft","version":"0.4.1","words":"bpmonline bpmonline api for nodejs =e.genov bpmonline terrasoft","author":"=e.genov","date":"2014-09-14 "},{"name":"bpt-barcoding","description":"A small library for pulling in BPT barcode data.","url":null,"keywords":"","version":"0.1.0","words":"bpt-barcoding a small library for pulling in bpt barcode data. =bpt_chandler","author":"=bpt_chandler","date":"2014-08-05 "},{"name":"bqian_first_package","description":"this is my first package","url":null,"keywords":"","version":"0.0.1","words":"bqian_first_package this is my first package =bqian","author":"=bqian","date":"2014-08-23 "},{"name":"bqq","description":"business qq sdk","url":null,"keywords":"","version":"0.0.10","words":"bqq business qq sdk =leeqiang =waksana =teambition","author":"=leeqiang =waksana =teambition","date":"2013-12-13 "},{"name":"bquery","description":"bquery is a proxy server which serves for cross domain data extraction from web documents for any client.","url":null,"keywords":"scraper proxy cross-domain cross domain selectors JSONSelect json html web service rate limit","version":"0.0.1","words":"bquery bquery is a proxy server which serves for cross domain data extraction from web documents for any client. =rickjose scraper proxy cross-domain cross domain selectors jsonselect json html web service rate limit","author":"=rickjose","date":"2014-05-01 "},{"name":"br","description":"The noBackend RESTful API.","url":null,"keywords":"","version":"0.1.3","words":"br the nobackend restful api. =michael.england","author":"=michael.england","date":"2013-12-24 "},{"name":"br-hobbies","description":"Hobbies business rules","url":null,"keywords":"business rules validation","version":"1.1.0","words":"br-hobbies hobbies business rules =rsamec business rules validation","author":"=rsamec","date":"2014-08-29 "},{"name":"br-jquery","description":"a jQuery package for browserify","url":null,"keywords":"jquery browserify front-end","version":"0.0.3","words":"br-jquery a jquery package for browserify =bat jquery browserify front-end","author":"=bat","date":"2012-06-07 "},{"name":"br-mousetrap","description":"Mousetrap is a simple library for handling keyboard shortcuts in Javascript.","url":null,"keywords":"browserify keyboard client","version":"1.1.3","words":"br-mousetrap mousetrap is a simple library for handling keyboard shortcuts in javascript. =jsmarkus browserify keyboard client","author":"=jsmarkus","date":"2012-09-24 "},{"name":"br-rollbar","description":"A standalone (Node.js) client for Rollbar (BR specific)","url":null,"keywords":"rollbar exception uncaughtException error ratchetio ratchet","version":"0.2.6","words":"br-rollbar a standalone (node.js) client for rollbar (br specific) =suwanny rollbar exception uncaughtexception error ratchetio ratchet","author":"=suwanny","date":"2014-04-17 "},{"name":"br-vacation-approval","description":"Vacation approval business rules","url":null,"keywords":"business rules validation","version":"1.0.4","words":"br-vacation-approval vacation approval business rules =rsamec business rules validation","author":"=rsamec","date":"2014-08-20 "},{"name":"br-validations","description":"A library of validations applicable to several Brazilian data like I.E., CNPJ, CPF and others","url":null,"keywords":"validator validation cpf cnpj inscrição estadual","version":"0.2.0","words":"br-validations a library of validations applicable to several brazilian data like i.e., cnpj, cpf and others =the-darc validator validation cpf cnpj inscrição estadual","author":"=the-darc","date":"2014-08-26 "},{"name":"br-zencoder","description":"Nodejs ZenCoder client library","url":null,"keywords":"zencoder","version":"0.0.2","words":"br-zencoder nodejs zencoder client library =suwanny zencoder","author":"=suwanny","date":"2013-09-25 "},{"name":"brace","description":"browserify compatible version of the ace editor.","url":null,"keywords":"ace editor browser package bundle inline browserify","version":"0.3.0","words":"brace browserify compatible version of the ace editor. =thlorenz ace editor browser package bundle inline browserify","author":"=thlorenz","date":"2014-07-09 "},{"name":"brace-expand-join","description":"Join and normalize glob patterns considering brace expansion","url":null,"keywords":"path join glob normalize brace expand expansion","version":"0.1.0","words":"brace-expand-join join and normalize glob patterns considering brace expansion =shinnn path join glob normalize brace expand expansion","author":"=shinnn","date":"2014-09-10 "},{"name":"brace-expansion","description":"Brace expansion as known from sh/bash","url":null,"keywords":"","version":"0.0.0","words":"brace-expansion brace expansion as known from sh/bash =juliangruber","author":"=juliangruber","date":"2013-10-13 "},{"name":"bracelet","description":"Simple JSON test server","url":null,"keywords":"","version":"1.0.2","words":"bracelet simple json test server =frozzare","author":"=frozzare","date":"2013-01-27 "},{"name":"bracket","description":"Bracketing for Node.js","url":null,"keywords":"bracketing profiling logging log profile bracket","version":"0.0.5","words":"bracket bracketing for node.js =mhiguera bracketing profiling logging log profile bracket","author":"=mhiguera","date":"2014-07-10 "},{"name":"bracket-data","description":"Get some helpful data for a tournament bracket.","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.0.14","words":"bracket-data get some helpful data for a tournament bracket. =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-20 "},{"name":"bracket-finder","description":"Find a tournament bracket in a tweet (or any data object).","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.0.3","words":"bracket-finder find a tournament bracket in a tweet (or any data object). =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-01 "},{"name":"bracket-generator","description":"Generate a tournament bracket.","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.0.2","words":"bracket-generator generate a tournament bracket. =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-01 "},{"name":"bracket-matcher","description":"parser which is only concerned with matching brackets.","url":null,"keywords":"","version":"0.0.2","words":"bracket-matcher parser which is only concerned with matching brackets. =dominictarr","author":"=dominictarr","date":"2011-06-10 "},{"name":"bracket-scorer","description":"Find the score of a tournament bracket.","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.1.0","words":"bracket-scorer find the score of a tournament bracket. =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-27 "},{"name":"bracket-stream","description":"given start and end symbols, emit the text between them as a single data event.","url":null,"keywords":"bracket stream subsection","version":"0.0.1","words":"bracket-stream given start and end symbols, emit the text between them as a single data event. =andrewwinterman bracket stream subsection","author":"=andrewwinterman","date":"2013-09-08 "},{"name":"bracket-templates","description":"Minimal javascript templating using square brackets.","url":null,"keywords":"template square brackets brackets bracket templates","version":"0.0.7","words":"bracket-templates minimal javascript templating using square brackets. =joelbair template square brackets brackets bracket templates","author":"=joelbair","date":"2014-09-20 "},{"name":"bracket-updater","description":"Update a tournament bracket after the completion of a game.","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.0.2","words":"bracket-updater update a tournament bracket after the completion of a game. =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-09 "},{"name":"bracket-validator","description":"Validate a tournament bracket.","url":null,"keywords":"ncaa bracket tweetyourbracket","version":"2.0.2","words":"bracket-validator validate a tournament bracket. =lukekarrys ncaa bracket tweetyourbracket","author":"=lukekarrys","date":"2014-03-01 "},{"name":"bracketeer","description":"Bracketeer is a simple way to search an replace brackets inside a string.","url":null,"keywords":"brackets strings replace","version":"0.0.5","words":"bracketeer bracketeer is a simple way to search an replace brackets inside a string. =frickreich brackets strings replace","author":"=frickreich","date":"2013-12-06 "},{"name":"bracketless","description":"Prints json without brackets or commas","url":null,"keywords":"","version":"0.0.1","words":"bracketless prints json without brackets or commas =dordille","author":"=dordille","date":"2012-08-13 "},{"name":"brackets","description":"This module integrates [Adobe Brackets](http://brackets.io/) code editor in Node.js based web applications.","url":null,"keywords":"brackets adobe node nodejs code editor web project application management dev development javascript html css ide","version":"0.3.0","words":"brackets this module integrates [adobe brackets](http://brackets.io/) code editor in node.js based web applications. =rabchev brackets adobe node nodejs code editor web project application management dev development javascript html css ide","author":"=rabchev","date":"2012-12-23 "},{"name":"brackets2dots","description":"Convert string with bracket notation to dot property notation for Node.js and the browser.","url":null,"keywords":"string object property access deep nested","version":"0.9.0","words":"brackets2dots convert string with bracket notation to dot property notation for node.js and the browser. =wilmoore string object property access deep nested","author":"=wilmoore","date":"2014-02-27 "},{"name":"brackets2dots.js","description":"Convert string with bracket notation to dot property notation for Node.js and the browser.","url":null,"keywords":"string object property access deep nested","version":"0.7.0","words":"brackets2dots.js convert string with bracket notation to dot property notation for node.js and the browser. =wilmoore string object property access deep nested","author":"=wilmoore","date":"2014-02-27 "},{"name":"bradleymeck","description":"Bradley Meck","url":null,"keywords":"","version":"0.10.0","words":"bradleymeck bradley meck =bradleymeck","author":"=bradleymeck","date":"2012-12-15 "},{"name":"bradoc","description":"A node module to gen, validate and format Brazilian documents' numbers.","url":null,"keywords":"","version":"0.2.5","words":"bradoc a node module to gen, validate and format brazilian documents' numbers. =jugoncalves","author":"=jugoncalves","date":"2013-11-08 "},{"name":"brae","keywords":"","version":[],"words":"brae","author":"","date":"2014-04-05 "},{"name":"brag","description":"brag ======","url":null,"keywords":"","version":"0.0.0","words":"brag brag ====== =lbenson","author":"=lbenson","date":"2014-09-07 "},{"name":"braggart","keywords":"","version":[],"words":"braggart","author":"","date":"2014-04-05 "},{"name":"bragi","description":"Javascript logging framework for NodeJS","url":null,"keywords":"log logging utility tools","version":"0.0.11","words":"bragi javascript logging framework for nodejs =enoex log logging utility tools","author":"=enoex","date":"2014-09-20 "},{"name":"bragi-browser","description":"Javascript logging framework for the browser","url":null,"keywords":"log logging utility tools browser","version":"0.0.7","words":"bragi-browser javascript logging framework for the browser =enoex log logging utility tools browser","author":"=enoex","date":"2014-09-09 "},{"name":"bragi-node","description":"Javascript logging framework for NodeJS","url":null,"keywords":"logging utility framework","version":"0.0.3","words":"bragi-node javascript logging framework for nodejs =enoex logging utility framework","author":"=enoex","date":"2014-08-18 "},{"name":"braid","description":"Fancy function composition for JavaScript","url":null,"keywords":"","version":"0.0.1","words":"braid fancy function composition for javascript =gordonb","author":"=gordonb","date":"2012-10-09 "},{"name":"braid-auth","url":null,"keywords":"","version":"0.0.2","words":"braid-auth =deedubs","author":"=deedubs","date":"2012-08-19 "},{"name":"braid-data","url":null,"keywords":"","version":"0.0.4","words":"braid-data =deedubs","author":"=deedubs","date":"2012-08-20 "},{"name":"brain","description":"Neural network library","url":null,"keywords":"neural network classifier machine learning","version":"0.7.0","words":"brain neural network library =harth neural network classifier machine learning","author":"=harth","date":"2014-07-04 "},{"name":"brain-predict","description":"A Neural network prediction algorithm based on brain node module","url":null,"keywords":"","version":"0.0.7","words":"brain-predict a neural network prediction algorithm based on brain node module =cashbit","author":"=cashbit","date":"2014-06-03 "},{"name":"brain-train","description":"CLI for training a brain.js neural network with ldjson","url":null,"keywords":"CLI ldjson","version":"0.2.0","words":"brain-train cli for training a brain.js neural network with ldjson =finnpauls cli ldjson","author":"=finnpauls","date":"2014-08-27 "},{"name":"brainbot","description":"Services monitoring for hypertext link aggregation","url":null,"keywords":"","version":"0.0.1-beta","words":"brainbot services monitoring for hypertext link aggregation =debaser","author":"=Debaser","date":"2012-04-07 "},{"name":"brainfuck","description":"A Brainfuck interpreter running on node.js","url":null,"keywords":"brainfuck","version":"1.0.2","words":"brainfuck a brainfuck interpreter running on node.js =rajkissu brainfuck","author":"=rajkissu","date":"2011-07-24 "},{"name":"brainfuckme","description":"Interpreter for Brainfuck language","url":null,"keywords":"brainfuck interpreter","version":"0.2.1","words":"brainfuckme interpreter for brainfuck language =drabiter brainfuck interpreter","author":"=drabiter","date":"2014-05-25 "},{"name":"brainhoney","keywords":"","version":[],"words":"brainhoney","author":"","date":"2013-12-08 "},{"name":"brainhoney.js","description":"Functional wrapper around the BrainHoney DLAP API.","url":null,"keywords":"brainhoney agilix lms education edtech","version":"0.0.6","words":"brainhoney.js functional wrapper around the brainhoney dlap api. =rockymadden brainhoney agilix lms education edtech","author":"=rockymadden","date":"2014-07-25 "},{"name":"brainiac","description":"A computational structure used to efficiently query coordinates against fixed unchanging locations or items.","url":null,"keywords":"proximity localization cartography nearness close","version":"0.10.13","words":"brainiac a computational structure used to efficiently query coordinates against fixed unchanging locations or items. =jamesroseman proximity localization cartography nearness close","author":"=jamesroseman","date":"2014-05-22 "},{"name":"brainless","description":"Interpreter for the Brainfuck esoteric language","url":null,"keywords":"brainfuck interpreter","version":"0.0.5","words":"brainless interpreter for the brainfuck esoteric language =gagle brainfuck interpreter","author":"=gagle","date":"2014-01-01 "},{"name":"brains","url":null,"keywords":"","version":"0.0.0","words":"brains =cushman","author":"=cushman","date":"2011-05-10 "},{"name":"braintree","description":"A library for integrating with Braintree.","url":null,"keywords":"payments","version":"1.18.1","words":"braintree a library for integrating with braintree. =braintree payments","author":"=braintree","date":"2014-09-17 "},{"name":"braintree-datahero","keywords":"","version":[],"words":"braintree-datahero","author":"","date":"2013-11-26 "},{"name":"braintree_encryption","description":"An unofficial npm package for the Braintree Javascript Encryption library.","url":null,"keywords":"braintree client browser","version":"0.0.3","words":"braintree_encryption an unofficial npm package for the braintree javascript encryption library. =charltoons braintree client browser","author":"=charltoons","date":"2014-07-27 "},{"name":"brainy","description":"dead simple backbone synchronization server","url":null,"keywords":"backbone sync synchronization server","version":"0.0.2","words":"brainy dead simple backbone synchronization server =catshirt backbone sync synchronization server","author":"=catshirt","date":"2012-01-03 "},{"name":"brainy-api","description":"create a REST API from your Backbone models and collections","url":null,"keywords":"brainy backbone rest api","version":"0.0.3","words":"brainy-api create a rest api from your backbone models and collections =catshirt brainy backbone rest api","author":"=catshirt","date":"2013-02-24 "},{"name":"brainy-boilerplate","description":"a client side boilerplate implementing Backbone and RequireJS","url":null,"keywords":"brainy boilerplate","version":"0.0.2","words":"brainy-boilerplate a client side boilerplate implementing backbone and requirejs =catshirt brainy boilerplate","author":"=catshirt","date":"2013-03-02 "},{"name":"brainy-cli","description":"command line tools for bootstrapping your brainy project","url":null,"keywords":"brainy cli","version":"0.0.3","words":"brainy-cli command line tools for bootstrapping your brainy project =catshirt brainy cli","author":"=catshirt","date":"2013-02-02 "},{"name":"brainy-server","description":"a server side and client side framework for Backbone","url":null,"keywords":"brainy backbone client framework","version":"0.0.5","words":"brainy-server a server side and client side framework for backbone =catshirt brainy backbone client framework","author":"=catshirt","date":"2013-03-02 "},{"name":"brainy-sync","description":"mongodb sync adapter for Backbone resources","url":null,"keywords":"brainy backbone sync mongodb","version":"0.0.4","words":"brainy-sync mongodb sync adapter for backbone resources =catshirt brainy backbone sync mongodb","author":"=catshirt","date":"2013-03-02 "},{"name":"brainy-sync-api","description":"create a REST API from your Backbone models and collections","url":null,"keywords":"brainy backbone rest api","version":"0.0.5","words":"brainy-sync-api create a rest api from your backbone models and collections =catshirt brainy backbone rest api","author":"=catshirt","date":"2013-03-02 "},{"name":"brainyio.github.com","description":"the brainyio organization website","url":null,"keywords":"branyio website","version":"0.0.1","words":"brainyio.github.com the brainyio organization website =catshirt branyio website","author":"=catshirt","date":"2013-02-24 "},{"name":"brake","description":"throttle a stream with backpressure","url":null,"keywords":"rate limit stream back-pressure drain pause resume pipe slow buffered","version":"1.0.1","words":"brake throttle a stream with backpressure =substack rate limit stream back-pressure drain pause resume pipe slow buffered","author":"=substack","date":"2014-06-04 "},{"name":"bramble","description":"A tool which helps you safely upgrade your NPM dependencies.","url":null,"keywords":"npm build tool automation updater dependencies package update upgrade","version":"0.1.7","words":"bramble a tool which helps you safely upgrade your npm dependencies. =easternbloc npm build tool automation updater dependencies package update upgrade","author":"=easternbloc","date":"2014-04-02 "},{"name":"bramble-mvc","description":"An MVC based static site generator","url":null,"keywords":"node.js static site generator mvc bramble","version":"0.1.0","words":"bramble-mvc an mvc based static site generator =iansullivan88 node.js static site generator mvc bramble","author":"=iansullivan88","date":"2014-04-12 "},{"name":"bramqp","description":"bakkerthehacker's radiant AMQP library","url":null,"keywords":"amqp bramqp","version":"0.1.18","words":"bramqp bakkerthehacker's radiant amqp library =bakkerthehacker amqp bramqp","author":"=bakkerthehacker","date":"2014-07-10 "},{"name":"bran","description":"A command line based build server.","url":null,"keywords":"build continuous integration","version":"1.0.3","words":"bran a command line based build server. =briangreenery build continuous integration","author":"=briangreenery","date":"2014-07-31 "},{"name":"branch","description":"branch.js =========","url":null,"keywords":"","version":"0.0.0","words":"branch branch.js ========= =architectd","author":"=architectd","date":"2013-02-12 "},{"name":"branched","description":"Hierarchical RESTful routes utility","url":null,"keywords":"hierarchical tree rest restful routing routes","version":"0.1.0","words":"branched hierarchical restful routes utility =ovmjm hierarchical tree rest restful routing routes","author":"=ovmjm","date":"2013-10-09 "},{"name":"branches","keywords":"","version":[],"words":"branches","author":"","date":"2012-09-15 "},{"name":"branchify","description":"Lets you create unnecessary long branch names from strings and sentences","url":null,"keywords":"","version":"0.1.1","words":"branchify lets you create unnecessary long branch names from strings and sentences =suprmax","author":"=suprmax","date":"2014-05-07 "},{"name":"brand24-api-nodejs","description":"Brand24 Node.js Api Client","url":null,"keywords":"brand24 api","version":"0.0.1","words":"brand24-api-nodejs brand24 node.js api client =athlan brand24 api","author":"=athlan","date":"2014-02-06 "},{"name":"brandon-github-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.1","words":"brandon-github-example get a list of github user repos =bangelakos-example","author":"=bangelakos-example","date":"2013-06-29 "},{"name":"brandon.is","description":"Personal site for Brandon Valosek","url":null,"keywords":"","version":"0.1.0","words":"brandon.is personal site for brandon valosek =bvalosek","author":"=bvalosek","date":"2013-08-16 "},{"name":"brandy","description":"Simple mixin library for Rework.","url":null,"keywords":"mixin rework brandy bourbon","version":"0.0.0","words":"brandy simple mixin library for rework. =yoshuawuyts mixin rework brandy bourbon","author":"=yoshuawuyts","date":"2014-05-06 "},{"name":"branson","description":"The code butler extrordinare will facilitate all your code collaboration needs. Would you like caviar with that?","url":null,"keywords":"branson code collaboration","version":"0.3.8","words":"branson the code butler extrordinare will facilitate all your code collaboration needs. would you like caviar with that? =logmein3546 branson code collaboration","author":"=logmein3546","date":"2014-07-20 "},{"name":"braque","description":"Abstracter for external APIs. (Github, Heroku etc). Provides a simple wrapper for external APIs. Still beta.","url":null,"keywords":"","version":"2.1.0","words":"braque abstracter for external apis. (github, heroku etc). provides a simple wrapper for external apis. still beta. =d1b1","author":"=d1b1","date":"2014-05-30 "},{"name":"brash","description":"Browser-only terminal.","url":null,"keywords":"terminal bash","version":"0.0.1","words":"brash browser-only terminal. =juliangruber terminal bash","author":"=juliangruber","date":"2013-07-07 "},{"name":"brasil","description":"Biblioteca de ferramentas utilitárias voltadas para programadores brasileiros","url":null,"keywords":"brasil tabela ibge estados ferramentas utilitarias validacoes nfe nota fiscal eletronica cpf cnpj bancos itau banco do brasil bradesco boleto bancario nota fiscal eletronica sefaz receita federal pessoa juridica pessoa fisica cfop ncm DDD","version":"0.0.22","words":"brasil biblioteca de ferramentas utilitárias voltadas para programadores brasileiros =gammasoft brasil tabela ibge estados ferramentas utilitarias validacoes nfe nota fiscal eletronica cpf cnpj bancos itau banco do brasil bradesco boleto bancario nota fiscal eletronica sefaz receita federal pessoa juridica pessoa fisica cfop ncm ddd","author":"=gammasoft","date":"2014-09-11 "},{"name":"brassband","description":"An event bus implementation using harmon and redis","url":null,"keywords":"","version":"0.0.1","words":"brassband an event bus implementation using harmon and redis =no9","author":"=no9","date":"2013-01-27 "},{"name":"brasslet","description":"Built originally for [node-ectwo](https://github.com/crcn/node-ectwo)","url":null,"keywords":"","version":"0.0.20","words":"brasslet built originally for [node-ectwo](https://github.com/crcn/node-ectwo) =architectd","author":"=architectd","date":"2014-02-16 "},{"name":"bratwurst","description":"Multi-tenancy dev and build helpers with file overriding and EJS templating","url":null,"keywords":"","version":"0.0.19","words":"bratwurst multi-tenancy dev and build helpers with file overriding and ejs templating =stevewillcock","author":"=stevewillcock","date":"2013-11-05 "},{"name":"brauhaus","description":"A javascript library for homebrew beer calculations, both in the browser and on the server","url":null,"keywords":"beer wine mead homebrew homebrewer homebrewing brew brewer brewing malt sugar hops yeast spice bacteria sour funky ferment fermentable fermenting fermentation calculate calculator calculation recipe instructions javascript coffeescript library lib","version":"1.1.1","words":"brauhaus a javascript library for homebrew beer calculations, both in the browser and on the server =danielgtaylor =jensyt beer wine mead homebrew homebrewer homebrewing brew brewer brewing malt sugar hops yeast spice bacteria sour funky ferment fermentable fermenting fermentation calculate calculator calculation recipe instructions javascript coffeescript library lib","author":"=danielgtaylor =jensyt","date":"2013-12-20 "},{"name":"brauhaus-beerxml","description":"A BeerXML import and export plugin for Brauhaus.js","url":null,"keywords":"brauhaus plugin import export beer xml beerxml","version":"1.0.0","words":"brauhaus-beerxml a beerxml import and export plugin for brauhaus.js =danielgtaylor =jensyt brauhaus plugin import export beer xml beerxml","author":"=danielgtaylor =jensyt","date":"2013-11-09 "},{"name":"brauhaus-diff","description":"A recipe difference plugin for Brauhaus.js","url":null,"keywords":"brauhaus plugin diff difference beer recipe","version":"1.0.0","words":"brauhaus-diff a recipe difference plugin for brauhaus.js =jensyt =danielgtaylor brauhaus plugin diff difference beer recipe","author":"=jensyt =danielgtaylor","date":"2013-11-09 "},{"name":"brauhaus-styles","description":"A BJCP style catalog plugin for Brauhaus.js","url":null,"keywords":"brauhaus plugin bjcp style styles catalog","version":"1.0.0","words":"brauhaus-styles a bjcp style catalog plugin for brauhaus.js =danielgtaylor =jensyt brauhaus plugin bjcp style styles catalog","author":"=danielgtaylor =jensyt","date":"2013-11-09 "},{"name":"brauth","description":"Bold Rocket Authentication module","url":null,"keywords":"npm module brauth","version":"0.0.7","words":"brauth bold rocket authentication module =atheohar npm module brauth","author":"=atheohar","date":"2014-03-28 "},{"name":"brave-ec","description":"Elliptic Curve utilities for the Brave Collective Core Services nodejs bindings","url":null,"keywords":"ecdsa elliptic curve ec asn1 der pem openssl authentication bccs","version":"0.0.4","words":"brave-ec elliptic curve utilities for the brave collective core services nodejs bindings =therealplato ecdsa elliptic curve ec asn1 der pem openssl authentication bccs","author":"=therealplato","date":"2013-12-20 "},{"name":"brave-ecdsa","description":"A wrapper around the ecdsa package and its dependencies","url":null,"keywords":"","version":"0.0.3","words":"brave-ecdsa a wrapper around the ecdsa package and its dependencies =damongant","author":"=damongant","date":"2014-03-12 "},{"name":"bravery","description":"don't use this","url":null,"keywords":"","version":"0.0.1","words":"bravery don't use this =tomsteele","author":"=tomsteele","date":"2014-05-27 "},{"name":"brazilfields","description":"Conjunto de utilidades Angular.js para documentos brasileiros.","url":null,"keywords":"","version":"0.0.4","words":"brazilfields conjunto de utilidades angular.js para documentos brasileiros. =gustavohenke","author":"=gustavohenke","date":"2014-06-13 "},{"name":"brb","description":"A simple CLI tool for notifying when a terminal task is done.","url":null,"keywords":"cli tools","version":"1.0.1","words":"brb a simple cli tool for notifying when a terminal task is done. =vikfroberg cli tools","author":"=vikfroberg","date":"2014-06-08 "},{"name":"brbower","description":"a browserify plugin, to enable you require bower components just like node modules","url":null,"keywords":"bower component components browserify plugin brbower debowerify","version":"0.3.2","words":"brbower a browserify plugin, to enable you require bower components just like node modules =tminglei bower component components browserify plugin brbower debowerify","author":"=tminglei","date":"2014-08-17 "},{"name":"brctl","description":"libbrige binding for Node.js","url":null,"keywords":"","version":"0.0.0","words":"brctl libbrige binding for node.js =koba789","author":"=koba789","date":"2014-08-02 "},{"name":"breach","description":"Cross-Platform Modal Navigation Terminal Emulator","url":null,"keywords":"","version":"0.1.1","words":"breach cross-platform modal navigation terminal emulator =spolu","author":"=spolu","date":"2013-05-14 "},{"name":"breach-helper","description":"Random length HTML comments to mitigate BREACH attacks","url":null,"keywords":"breach attack security","version":"0.1.0","words":"breach-helper random length html comments to mitigate breach attacks =evanhahn breach attack security","author":"=evanhahn","date":"2014-06-30 "},{"name":"breach-module","url":null,"keywords":"","version":"0.2.2","words":"breach-module =spolu","author":"=spolu","date":"2013-12-08 "},{"name":"breach-module-manager","description":"Module manager for Breach","url":null,"keywords":"breach breach-module manager modules packages","version":"0.2.0","words":"breach-module-manager module manager for breach =mblarsen breach breach-module manager modules packages","author":"=mblarsen","date":"2014-07-24 "},{"name":"breach_core","description":"Breach Core Module","url":null,"keywords":"","version":"0.3.18-alpha.4","words":"breach_core breach core module =spolu","author":"=spolu","date":"2014-07-10 "},{"name":"breach_module","description":"Breach Module Library","url":null,"keywords":"","version":"0.3.22-alpha.6","words":"breach_module breach module library =spolu","author":"=spolu","date":"2014-07-21 "},{"name":"bread","description":"file based cms/blog engine without backend","url":null,"keywords":"","version":"1.1.1","words":"bread file based cms/blog engine without backend =pvorb","author":"=pvorb","date":"2014-01-07 "},{"name":"breadboard","description":"A lightweight IoC Container for node","url":null,"keywords":"","version":"0.0.3","words":"breadboard a lightweight ioc container for node =gamer204","author":"=gamer204","date":"2014-06-11 "},{"name":"breadcrumbs","description":"Plugin for creating awesome breadcrumbs","url":null,"keywords":"breadcrumbs awesome breadcrumbs","version":"0.0.5","words":"breadcrumbs plugin for creating awesome breadcrumbs =alexander breadcrumbs awesome breadcrumbs","author":"=alexander","date":"2013-03-18 "},{"name":"breader","description":"length-marked binary protocol reader","url":null,"keywords":"parser generator binary","version":"0.0.1","words":"breader length-marked binary protocol reader =brianc parser generator binary","author":"=brianc","date":"2013-12-18 "},{"name":"break","description":"Fire events when certain media queries are entered and exited due to a window resize","url":null,"keywords":"breakpoint events media queries browser","version":"1.0.1","words":"break fire events when certain media queries are entered and exited due to a window resize =bengourley breakpoint events media queries browser","author":"=bengourley","date":"2014-04-24 "},{"name":"breakable","description":"Break out of functions, recursive or not, in a more composable way than by using exceptions explicitly. Non-local return.","url":null,"keywords":"throw try catch exception non-local return break breakable","version":"1.0.0","words":"breakable break out of functions, recursive or not, in a more composable way than by using exceptions explicitly. non-local return. =olov throw try catch exception non-local return break breakable","author":"=olov","date":"2014-05-06 "},{"name":"breakdown","description":"Top class error reporting for js & coffee-script","url":null,"keywords":"","version":"0.0.12","words":"breakdown top class error reporting for js & coffee-script =missinglink","author":"=missinglink","date":"2013-08-29 "},{"name":"breaker","description":"Host ","url":null,"keywords":"ssh parallel remote cli shell script","version":"0.1.0","words":"breaker host =cliffano ssh parallel remote cli shell script","author":"=cliffano","date":"2014-09-09 "},{"name":"breakfast","description":"Coffee(script), HAML and a side of SASS.... a single compiler for handling multiple scripting languages.","url":null,"keywords":"javascript language coffeescript compiler haml sass scss","version":"0.1.0","words":"breakfast coffee(script), haml and a side of sass.... a single compiler for handling multiple scripting languages. =rasantiago javascript language coffeescript compiler haml sass scss","author":"=rasantiago","date":"2011-06-14 "},{"name":"breakfast-machine","description":"automate your scripts with a soundtrack","url":null,"keywords":"Pee-Wee Danny Elfman Dum dum dum dum dum dum dum dum dum... dum dum dum dum dum dum dum dum dum","version":"0.0.5","words":"breakfast-machine automate your scripts with a soundtrack =thealphanerd =malandrew pee-wee danny elfman dum dum dum dum dum dum dum dum dum... dum dum dum dum dum dum dum dum dum","author":"=thealphanerd =malandrew","date":"2014-07-19 "},{"name":"breaking","description":"helper suit, for create and mock rest api, test api","url":null,"keywords":"api mock","version":"0.1.2","words":"breaking helper suit, for create and mock rest api, test api =lot api mock","author":"=lot","date":"2014-09-02 "},{"name":"breakjail","description":"breakjail internet fireware to access all website","url":null,"keywords":"breakjail proxy foreign website 翻墙","version":"0.1.0","words":"breakjail breakjail internet fireware to access all website =kaven276 breakjail proxy foreign website 翻墙","author":"=kaven276","date":"2013-05-23 "},{"name":"breakneck","description":"Backbreak file generator","url":null,"keywords":"","version":"0.3.34","words":"breakneck backbreak file generator =danielchilds","author":"=danielchilds","date":"2014-09-08 "},{"name":"breaknecktools","keywords":"","version":[],"words":"breaknecktools","author":"","date":"2014-02-21 "},{"name":"breakout","description":"Gives you one simple way to write an API exposed over multiple transports","url":null,"keywords":"","version":"0.0.3","words":"breakout gives you one simple way to write an api exposed over multiple transports =ianserlin","author":"=ianserlin","date":"2012-02-08 "},{"name":"breakout-server","description":"Node.js module to run a BreakoutJS server","url":null,"keywords":"arduino firmata websocket","version":"0.3.0","words":"breakout-server node.js module to run a breakoutjs server =xavier.seignard =soundanalogous arduino firmata websocket","author":"=xavier.seignard =soundanalogous","date":"2013-07-27 "},{"name":"breakpoint","description":"remote debugger tool. Console log and breakpoint are supported","url":null,"keywords":"debugger debug breakpoint remote console console.log","version":"0.1.6","words":"breakpoint remote debugger tool. console log and breakpoint are supported =webryan debugger debug breakpoint remote console console.log","author":"=webryan","date":"2013-11-05 "},{"name":"breakup","description":"Yielding enumeration replacement functions for async.forEachSeries() and jQuery.each()","url":null,"keywords":"","version":"0.1.1","words":"breakup yielding enumeration replacement functions for async.foreachseries() and jquery.each() =nicjansma","author":"=nicjansma","date":"2013-02-20 "},{"name":"breakup-sass","description":"Build multiple stylesheets based off globally defined breakpoints","url":null,"keywords":"breakup media-queries sass css","version":"1.0.0","words":"breakup-sass build multiple stylesheets based off globally defined breakpoints =bpscott breakup media-queries sass css","author":"=bpscott","date":"2014-07-16 "},{"name":"breakwrap","description":"breakwrap prevents wrapping by automatically breaking lines when they reach the edge of the screen.","url":null,"keywords":"breakwrap break-wrap break wrap console terminal","version":"1.0.3","words":"breakwrap breakwrap prevents wrapping by automatically breaking lines when they reach the edge of the screen. =mikrofusion breakwrap break-wrap break wrap console terminal","author":"=mikrofusion","date":"2014-09-14 "},{"name":"breath","description":"builds a javascript variable from a template.","url":null,"keywords":"","version":"0.2.0","words":"breath builds a javascript variable from a template. =kumatch","author":"=kumatch","date":"2014-01-09 "},{"name":"breathe-easy","description":"An extensible, JavaScript REST client base class.","url":null,"keywords":"","version":"0.0.1","words":"breathe-easy an extensible, javascript rest client base class. =benastan","author":"=benastan","date":"2013-09-18 "},{"name":"breather","description":"Pushing you to take a breath.","url":null,"keywords":"breath cup of tea time breaker break time breath time","version":"0.4.2","words":"breather pushing you to take a breath. =kud breath cup of tea time breaker break time breath time","author":"=kud","date":"2014-05-10 "},{"name":"bredele-clone","description":"Clone objects and/or arrays","url":null,"keywords":"clone copy object array deep","version":"0.3.1","words":"bredele-clone clone objects and/or arrays =bredele clone copy object array deep","author":"=bredele","date":"2014-04-06 "},{"name":"bredele-doors","description":"Door asynchronous pattern","url":null,"keywords":"asynchronous promises states locks doors","version":"0.1.1","words":"bredele-doors door asynchronous pattern =bredele asynchronous promises states locks doors","author":"=bredele","date":"2014-04-25 "},{"name":"bredele-each","description":"Iteration utility","url":null,"keywords":"iteration each loop","version":"0.1.2","words":"bredele-each iteration utility =bredele iteration each loop","author":"=bredele","date":"2014-04-06 "},{"name":"bredele-promise","description":"Promises A+ implementation based on emitter","url":null,"keywords":"promise a+ then emitter","version":"0.1.0","words":"bredele-promise promises a+ implementation based on emitter =bredele promise a+ then emitter","author":"=bredele","date":"2014-04-06 "},{"name":"bredele-states","description":"Finite state machine","url":null,"keywords":"emitter state state machine","version":"0.1.1","words":"bredele-states finite state machine =bredele emitter state state machine","author":"=bredele","date":"2014-04-06 "},{"name":"bredele-store","description":"Store component is a single wrapper for your data models and collections.","url":null,"keywords":"model collections store data localStorage mvc mvvm object","version":"0.2.0","words":"bredele-store store component is a single wrapper for your data models and collections. =bredele model collections store data localstorage mvc mvvm object","author":"=bredele","date":"2014-04-06 "},{"name":"breed","description":"Breed is a Helper Module which makes working with types and typeof easy as easy as it should be","url":null,"keywords":"breed type typeof typecheck check","version":"0.3.1","words":"breed breed is a helper module which makes working with types and typeof easy as easy as it should be =hereandnow breed type typeof typecheck check","author":"=hereandnow","date":"2013-03-15 "},{"name":"breeze","description":"Async flow control utility.","url":null,"keywords":"","version":"0.4.0","words":"breeze async flow control utility. =jakeluer","author":"=jakeluer","date":"2012-08-02 "},{"name":"breeze-async","description":"Simple series and parallel flow control.","url":null,"keywords":"","version":"0.1.0","words":"breeze-async simple series and parallel flow control. =jakeluer","author":"=jakeluer","date":"2012-11-12 "},{"name":"breeze-asyncify","description":"Make a syncronous function asyncronous.","url":null,"keywords":"","version":"0.1.0","words":"breeze-asyncify make a syncronous function asyncronous. =jakeluer","author":"=jakeluer","date":"2013-10-10 "},{"name":"breeze-auto","description":"Invoke async functions concurrently based on prerequisites.","url":null,"keywords":"","version":"0.1.0","words":"breeze-auto invoke async functions concurrently based on prerequisites. =jakeluer","author":"=jakeluer","date":"2012-11-13 "},{"name":"breeze-dag","description":"Async flow control for directed-acyclic-graph iteration.","url":null,"keywords":"","version":"0.1.0","words":"breeze-dag async flow control for directed-acyclic-graph iteration. =jakeluer","author":"=jakeluer","date":"2012-11-12 "},{"name":"breeze-mongodb","description":"Classes and helper methods to allow Breeze <-> Mongo interop.","url":null,"keywords":"","version":"0.0.6","words":"breeze-mongodb classes and helper methods to allow breeze <-> mongo interop. =jtraband","author":"=jtraband","date":"2013-12-26 "},{"name":"breeze-nexttick","description":"process.nextTick shim for node.js and the browser","url":null,"keywords":"","version":"0.2.1","words":"breeze-nexttick process.nexttick shim for node.js and the browser =jakeluer","author":"=jakeluer","date":"2013-10-10 "},{"name":"breeze-queue","description":"Throttled parallel function invocation.","url":null,"keywords":"","version":"0.4.0","words":"breeze-queue throttled parallel function invocation. =jakeluer","author":"=jakeluer","date":"2013-02-15 "},{"name":"breeze-serverside","description":"Wrapper for classes and helper methods allows to use Breeze on server-side.","url":null,"keywords":"web app breeze server-side ORM","version":"0.0.1","words":"breeze-serverside wrapper for classes and helper methods allows to use breeze on server-side. =given.npm web app breeze server-side orm","author":"=given.npm","date":"2014-05-13 "},{"name":"brenda","description":"A simple node cli for brenda (the aws blender farm).","url":null,"keywords":"brenda blender aws render","version":"0.0.5","words":"brenda a simple node cli for brenda (the aws blender farm). =danielmahon brenda blender aws render","author":"=danielmahon","date":"2014-06-05 "},{"name":"brendan-github-example","description":"Get a list of github repos","url":null,"keywords":"","version":"0.0.0","words":"brendan-github-example get a list of github repos =brendanmatheson","author":"=brendanmatheson","date":"2013-07-25 "},{"name":"brennonbrimhall-jsondb","description":"A lightweight, JSON-based databse-like module for lightweight persistance.","url":null,"keywords":"","version":"1.0.1","words":"brennonbrimhall-jsondb a lightweight, json-based databse-like module for lightweight persistance. =brennonbrimhall","author":"=brennonbrimhall","date":"2013-10-16 "},{"name":"brennonbrimhall-stats","description":"A statistics package for node.js applications.","url":null,"keywords":"","version":"1.0.0","words":"brennonbrimhall-stats a statistics package for node.js applications. =brennonbrimhall","author":"=brennonbrimhall","date":"2013-10-16 "},{"name":"breq","description":"A client-side CommonJS `require` implementation that does NOT require a precompilation build step nor server-side middleware. It instead utilizes synchronous `XMLHttpRequest`s and `eval` instead, which does impose a series of limitations unless you're willing to generate a whole mess of `404`s. Terrible for performance, nice for dynamic ease of use.","url":null,"keywords":"browser require commonjs browser-require","version":"0.2.0","words":"breq a client-side commonjs `require` implementation that does not require a precompilation build step nor server-side middleware. it instead utilizes synchronous `xmlhttprequest`s and `eval` instead, which does impose a series of limitations unless you're willing to generate a whole mess of `404`s. terrible for performance, nice for dynamic ease of use. =jamesmgreene browser require commonjs browser-require","author":"=jamesmgreene","date":"2013-11-30 "},{"name":"brequire","description":"Use CommonJS (require, exports) functionality in the browser","url":null,"keywords":"","version":"0.0.6","words":"brequire use commonjs (require, exports) functionality in the browser =weepy","author":"=weepy","date":"2011-06-14 "},{"name":"bresenham","description":"Bresenham's line algorithm","url":null,"keywords":"line bresenham math","version":"0.0.3","words":"bresenham bresenham's line algorithm =lennon line bresenham math","author":"=lennon","date":"2014-06-11 "},{"name":"bresenham3d","description":"Calculate all integer points along a relativly smooth line segment in 3d space.","url":null,"keywords":"math 3d","version":"0.0.1","words":"bresenham3d calculate all integer points along a relativly smooth line segment in 3d space. =eckoit math 3d","author":"=eckoit","date":"2013-01-23 "},{"name":"brest","description":"REST framework over express","url":null,"keywords":"api app express json-schema rest restful router schema web","version":"0.0.5-2","words":"brest rest framework over express =max.kitsch =invision api app express json-schema rest restful router schema web","author":"=max.kitsch =invision","date":"2014-07-31 "},{"name":"brest-docker","description":"Automatic documentation creation for the Brest library","url":null,"keywords":"api app express json-schema rest restful router schema web","version":"0.0.1-3","words":"brest-docker automatic documentation creation for the brest library =max.kitsch =invision api app express json-schema rest restful router schema web","author":"=max.kitsch =invision","date":"2014-03-18 "},{"name":"brest-passport","description":"Express passport auth wrapper for the bREST API","url":null,"keywords":"api app brest express rest restful validate","version":"0.0.1-b","words":"brest-passport express passport auth wrapper for the brest api =max.kitsch api app brest express rest restful validate","author":"=max.kitsch","date":"2014-08-30 "},{"name":"brest-validate","description":"Express validation wrapper for the bREST API","url":null,"keywords":"api app brest express rest restful validate","version":"0.0.1-b","words":"brest-validate express validation wrapper for the brest api =max.kitsch api app brest express rest restful validate","author":"=max.kitsch","date":"2014-08-30 "},{"name":"breti-ics665-expressjs","description":"This is a Hello World script for ICS 665.","url":null,"keywords":"","version":"0.0.1","words":"breti-ics665-expressjs this is a hello world script for ics 665. =bretkikehara","author":"=bretkikehara","date":"2013-10-29 "},{"name":"brett","url":null,"keywords":"","version":"0.0.1","words":"brett =bausmeier","author":"=bausmeier","date":"2014-04-22 "},{"name":"brew","description":"A NodeJS module for compiling and packaging together files with async updates.","url":null,"keywords":"","version":"0.0.8","words":"brew a nodejs module for compiling and packaging together files with async updates. =malgorithms","author":"=malgorithms","date":"2014-01-20 "},{"name":"brew-php-select","description":"Homebrew and the [homebrew-php tap](https://github.com/josegonzalez/homebrew-php) make it easy enough to install multiple versions of PHP, but they don't make it all that convenient to switch between them. Specifically, the instructions recommend altering your shell's path and your apache config every time you switch versions. This script automates that process and reboots apache for you (if it's running).","url":null,"keywords":"","version":"0.0.6","words":"brew-php-select homebrew and the [homebrew-php tap](https://github.com/josegonzalez/homebrew-php) make it easy enough to install multiple versions of php, but they don't make it all that convenient to switch between them. specifically, the instructions recommend altering your shell's path and your apache config every time you switch versions. this script automates that process and reboots apache for you (if it's running). =ianwremmel","author":"=ianwremmel","date":"2013-02-09 "},{"name":"brewcleaner","description":"Clean up lingering brew dependencies","url":null,"keywords":"homebrew brew clean dependencies","version":"1.1.0","words":"brewcleaner clean up lingering brew dependencies =geekjuice homebrew brew clean dependencies","author":"=geekjuice","date":"2014-02-12 "},{"name":"brewer","description":"Asset compilation/packaging/compression utility","url":null,"keywords":"javascript coffeescript asset compression less css packaging bundling","version":"0.3.12","words":"brewer asset compilation/packaging/compression utility =matehat javascript coffeescript asset compression less css packaging bundling","author":"=matehat","date":"2013-03-24 "},{"name":"brewery","description":"search brewery information via the brewerydb api","url":null,"keywords":"brewery beers search api","version":"0.0.4","words":"brewery search brewery information via the brewerydb api =trentjones brewery beers search api","author":"=trentjones","date":"2012-08-27 "},{"name":"brewerydb-node","description":"A wrapper for Brewerydb's REST api","url":null,"keywords":"brewery brewerydb beer api wrapper","version":"0.0.1","words":"brewerydb-node a wrapper for brewerydb's rest api =ronandi brewery brewerydb beer api wrapper","author":"=ronandi","date":"2013-04-11 "},{"name":"brewie","description":"Run mocha tests using Selenium.","url":null,"keywords":"","version":"1.0.38","words":"brewie run mocha tests using selenium. =baminteractive","author":"=baminteractive","date":"2013-12-30 "},{"name":"brewpi","description":"Node.js implementation of BrewPi temperature control","url":null,"keywords":"beer brewing temperature control arduino","version":"0.1.1-alpha","words":"brewpi node.js implementation of brewpi temperature control =tklun beer brewing temperature control arduino","author":"=tklun","date":"2013-03-17 "},{"name":"brfs","description":"browserify fs.readFileSync() static asset inliner","url":null,"keywords":"browserify browserify-transform fs readFileSync plugin static asset bundle base64","version":"1.2.0","words":"brfs browserify fs.readfilesync() static asset inliner =substack browserify browserify-transform fs readfilesync plugin static asset bundle base64","author":"=substack","date":"2014-07-24 "},{"name":"brianify","description":"\"Brianifies\" a directory into one of his new node modules","url":null,"keywords":"scaffolding cpsubrian boilerplate productivity bacon bacon-wrapped-bacon","version":"0.0.6","words":"brianify \"brianifies\" a directory into one of his new node modules =cpsubrian scaffolding cpsubrian boilerplate productivity bacon bacon-wrapped-bacon","author":"=cpsubrian","date":"2013-08-08 "},{"name":"brick","description":"Component system for NodeJS and Browsers","url":null,"keywords":"component brick ui assets","version":"0.0.10","words":"brick component system for nodejs and browsers =azer component brick ui assets","author":"=azer","date":"2014-09-18 "},{"name":"brick-boilerplate","description":"Empty Brick Web Component Boilerplate","url":null,"keywords":"brick webcomponent boilerplate","version":"0.0.0","words":"brick-boilerplate empty brick web component boilerplate =potch brick webcomponent boilerplate","author":"=potch","date":"2014-06-06 "},{"name":"brick-browser","description":"Brick Browser Implementation","url":null,"keywords":"brick","version":"0.0.13","words":"brick-browser brick browser implementation =azer brick","author":"=azer","date":"2014-09-18 "},{"name":"brick-browserify-plugin","description":"Brick Browserify Plugin","url":null,"keywords":"brick browserify browserify-plugin","version":"0.0.1","words":"brick-browserify-plugin brick browserify plugin =azer brick browserify browserify-plugin","author":"=azer","date":"2014-06-30 "},{"name":"brick-component","keywords":"","version":[],"words":"brick-component","author":"","date":"2014-03-02 "},{"name":"brick-node","description":"Brick Node Library","url":null,"keywords":"brick","version":"0.0.13","words":"brick-node brick node library =azer brick","author":"=azer","date":"2014-09-18 "},{"name":"brick-tabbar","keywords":"","version":[],"words":"brick-tabbar","author":"","date":"2014-07-30 "},{"name":"brick-view","description":"MVVM brick to create large scale and real time web applications in a flash.","url":null,"keywords":"mvc mvvm block reactive data binding template","version":"0.1.1","words":"brick-view mvvm brick to create large scale and real time web applications in a flash. =bredele mvc mvvm block reactive data binding template","author":"=bredele","date":"2014-04-06 "},{"name":"brickal","keywords":"","version":[],"words":"brickal","author":"","date":"2014-07-09 "},{"name":"brickjs","description":"MVVM building block to create real time and large scale applications in a flash","url":null,"keywords":"MVVM brick cement wall store model binding","version":"0.3.5","words":"brickjs mvvm building block to create real time and large scale applications in a flash =bredele mvvm brick cement wall store model binding","author":"=bredele","date":"2014-04-25 "},{"name":"brickpi","description":"Node.js bindings for the BrickPi","url":null,"keywords":"","version":"0.0.2","words":"brickpi node.js bindings for the brickpi =achingbrain","author":"=achingbrain","date":"2014-09-14 "},{"name":"brickpi-coffeescript","description":"BrickPi API implementation in CoffeeScript for JS/CS","url":null,"keywords":"brickpi coffee-script javascript robot","version":"0.1.0","words":"brickpi-coffeescript brickpi api implementation in coffeescript for js/cs =xixixao brickpi coffee-script javascript robot","author":"=xixixao","date":"2014-01-30 "},{"name":"brickpresso","description":"A simple preso tool built with Mozilla Brick","url":null,"keywords":"slides, presentation","version":"0.0.2","words":"brickpresso a simple preso tool built with mozilla brick =sole slides, presentation","author":"=sole","date":"2013-11-12 "},{"name":"bricks","description":"Bricks Application Server","url":null,"keywords":"http webserver appserver framework","version":"1.1.4","words":"bricks bricks application server =jerrysievert http webserver appserver framework","author":"=jerrysievert","date":"2014-06-16 "},{"name":"bricks-analytics","description":"Analytics and status package for bricks.js","url":null,"keywords":"analytics bricks bricksjs","version":"0.1.1","words":"bricks-analytics analytics and status package for bricks.js =jerrysievert analytics bricks bricksjs","author":"=jerrysievert","date":"2014-06-16 "},{"name":"bricks-cli","description":"Command line tool for developing ambitious ember.js apps","url":null,"keywords":"ember.js ember cli app kit app-kit ember-app-kit","version":"0.0.39","words":"bricks-cli command line tool for developing ambitious ember.js apps =innobricks ember.js ember cli app kit app-kit ember-app-kit","author":"=innobricks","date":"2014-07-22 "},{"name":"bricks-compress","description":"Compressed output from bricks.js","url":null,"keywords":"gzip compress bricksjs bricks","version":"0.2.0","words":"bricks-compress compressed output from bricks.js =jerrysievert gzip compress bricksjs bricks","author":"=jerrysievert","date":"2014-06-16 "},{"name":"bricks-framework","description":"HTML5 Framework.","url":null,"keywords":"bricks bricksframework framework scss css javascript","version":"1.0.1","words":"bricks-framework html5 framework. =gioyik bricks bricksframework framework scss css javascript","author":"=gioyik","date":"2014-07-30 "},{"name":"bricks-rewrite","description":"A simple rewrite plugin for bricks.js","url":null,"keywords":"rewrite bricks bricksjs","version":"0.2.2","words":"bricks-rewrite a simple rewrite plugin for bricks.js =jerrysievert rewrite bricks bricksjs","author":"=jerrysievert","date":"2014-06-16 "},{"name":"bricks-ui","description":"Include BricksUI into an ember-cli application.","url":null,"keywords":"ember-addon ember ember-cli","version":"0.2.4","words":"bricks-ui include bricksui into an ember-cli application. =innobricks ember-addon ember ember-cli","author":"=innobricks","date":"2014-08-31 "},{"name":"brickset","description":"NodeJS adapter to Brickset API","url":null,"keywords":"node nodejs lego brickset brickset.com","version":"0.1.0","words":"brickset nodejs adapter to brickset api =boneskull node nodejs lego brickset brickset.com","author":"=boneskull","date":"2014-05-11 "},{"name":"brickwork","description":"BrickWork is a reponsive jQuery plugin to create Dynamic layouts","url":null,"keywords":"","version":"1.0.0","words":"brickwork brickwork is a reponsive jquery plugin to create dynamic layouts =iraycd","author":"=iraycd","date":"2014-04-12 "},{"name":"brickworker","description":"Lays the bricks that are DOM elements in neat arrangements.","url":null,"keywords":"dom pinterest layout grid browser","version":"0.0.0","words":"brickworker lays the bricks that are dom elements in neat arrangements. =simme dom pinterest layout grid browser","author":"=simme","date":"2014-04-27 "},{"name":"bridge","description":"Bridge for JS","url":null,"keywords":"","version":"0.1.1","words":"bridge bridge for js =sridatta","author":"=sridatta","date":"2012-04-20 "},{"name":"bridge-js","description":"Bridge client for JS","url":null,"keywords":"","version":"0.2.2","words":"bridge-js bridge client for js =sridatta","author":"=sridatta","date":"2012-07-09 "},{"name":"bridge.ino","description":"The library to use the Arduino YUN. The Bridge library create a link between the 32U4 and the AR9331 enabling to control most of the linux features from the sketch. Packaged for the leo build system.","url":null,"keywords":"arduino avr gcc make ino yun uno leo","version":"0.1.0-1","words":"bridge.ino the library to use the arduino yun. the bridge library create a link between the 32u4 and the ar9331 enabling to control most of the linux features from the sketch. packaged for the leo build system. =adammagaluk arduino avr gcc make ino yun uno leo","author":"=adammagaluk","date":"2014-05-12 "},{"name":"bridgeit-common","description":"BridgeIt Common Module. Common utilities, configurations, and functions for BridgeIt Services.","url":null,"keywords":"bridgeit service common tools utilities","version":"0.1.1","words":"bridgeit-common bridgeit common module. common utilities, configurations, and functions for bridgeit services. =bridgeit bridgeit service common tools utilities","author":"=bridgeit","date":"2014-06-03 "},{"name":"bridgejs","description":"A realtime data synchronization framework for nodejs and clients","url":null,"keywords":"realtime sockets collection communication","version":"0.0.4","words":"bridgejs a realtime data synchronization framework for nodejs and clients =pascal.bayer realtime sockets collection communication","author":"=pascal.bayer","date":"2013-05-15 "},{"name":"bridger","description":"Semi automagic bridging of server apis to the browser via socket.io and someday maybe rest...","url":null,"keywords":"api bridge socket.io","version":"0.1.2","words":"bridger semi automagic bridging of server apis to the browser via socket.io and someday maybe rest... =davidcl64 api bridge socket.io","author":"=davidcl64","date":"2014-05-28 "},{"name":"bridges","keywords":"","version":[],"words":"bridges","author":"","date":"2014-08-19 "},{"name":"bridgetown-api","description":"Collection of middleware that can be used in combination with express to protect an API. There is also a common API Response module that can be used in all of your API projects.","url":null,"keywords":"","version":"1.0.3","words":"bridgetown-api collection of middleware that can be used in combination with express to protect an api. there is also a common api response module that can be used in all of your api projects. =travism =greglarrenaga =pajtai =kaijarayne","author":"=travism =greglarrenaga =pajtai =kaijarayne","date":"2014-07-08 "},{"name":"bridjs","description":"V8 bindings for dyncall, and BridJ-like API for nodejs.","url":null,"keywords":"dyncall ffi native binding BridJ","version":"0.1.8-2","words":"bridjs v8 bindings for dyncall, and bridj-like api for nodejs. =jiahan dyncall ffi native binding bridj","author":"=jiahan","date":"2014-03-01 "},{"name":"brief","description":"Generate and publish Github pages quickly and easily.","url":null,"keywords":"git github github pages markdown jade documentation docs","version":"1.1.0","words":"brief generate and publish github pages quickly and easily. =zeekay git github github pages markdown jade documentation docs","author":"=zeekay","date":"2014-02-14 "},{"name":"brief-highlight.js","description":"Syntax highlighting with language autodetection.","url":null,"keywords":"highlight syntax","version":"8.0.0","words":"brief-highlight.js syntax highlighting with language autodetection. =zeekay highlight syntax","author":"=zeekay","date":"2014-02-13 "},{"name":"brig","description":"Graphical render engine for Node.js","url":null,"keywords":"gui ui graphics","version":"0.0.1","words":"brig graphical render engine for node.js =fredchien gui ui graphics","author":"=fredchien","date":"2014-01-04 "},{"name":"brigade","description":"Bucket brigade for bundling browser modules","url":null,"keywords":"modules require commonjs exports browser packaging packager install","version":"0.4.14","words":"brigade bucket brigade for bundling browser modules =benjamn modules require commonjs exports browser packaging packager install","author":"=benjamn","date":"2013-10-08 "},{"name":"brigadier","description":"Simplistic JavaScript automation tool","url":null,"keywords":"build task automation simple","version":"0.2.1","words":"brigadier simplistic javascript automation tool =chge build task automation simple","author":"=chge","date":"2014-09-18 "},{"name":"brigand","description":"Multi Armed bandit implemenation for express js","url":null,"keywords":"","version":"0.0.0","words":"brigand multi armed bandit implemenation for express js =deacondesperado","author":"=deacondesperado","date":"2014-03-03 "},{"name":"bright","description":"A tiny script language, add async/await support for javascript","url":null,"keywords":"async await compiler javascript language","version":"0.0.7","words":"bright a tiny script language, add async/await support for javascript =leizongmin async await compiler javascript language","author":"=leizongmin","date":"2012-12-06 "},{"name":"bright-bso-cms","keywords":"","version":[],"words":"bright-bso-cms","author":"","date":"2014-08-27 "},{"name":"bright-flow","description":"control flow library","url":null,"keywords":"async await control flow","version":"0.1.0","words":"bright-flow control flow library =leizongmin async await control flow","author":"=leizongmin","date":"2013-05-20 "},{"name":"brightbox","description":"Brightbox API NodeJS client","url":null,"keywords":"brightbox api node","version":"0.0.3","words":"brightbox brightbox api nodejs client =ionicabizau brightbox api node","author":"=ionicabizau","date":"2014-09-07 "},{"name":"brightcontext","description":"blazingly fast real-time data stream processing","url":null,"keywords":"","version":"1.8.1","words":"brightcontext blazingly fast real-time data stream processing =sfusco","author":"=sfusco","date":"2013-09-05 "},{"name":"brightcontext-cli","description":"command line interface to brightcontext.com","url":null,"keywords":"brightcontext bcc realtime socket websocket messaging cli","version":"0.0.1","words":"brightcontext-cli command line interface to brightcontext.com =sfusco brightcontext bcc realtime socket websocket messaging cli","author":"=sfusco","date":"2013-08-31 "},{"name":"brightcove","description":"node.js implementation of Brightcove APIs","url":null,"keywords":"brightcove video media api api","version":"0.1.0","words":"brightcove node.js implementation of brightcove apis =nwbb brightcove video media api api","author":"=nwbb","date":"2013-01-08 "},{"name":"brighthas-model","description":"model for javascript","url":null,"keywords":"model","version":"0.0.1","words":"brighthas-model model for javascript =brighthas model","author":"=brighthas","date":"2014-01-22 "},{"name":"brightline.js","description":"Brightline.js is a JavaScript template engine for people who demand a clean separation (a bright line) between presentation and logic.","url":null,"keywords":"template templating handlebars mustache template html tpl brightline","version":"0.3.4","words":"brightline.js brightline.js is a javascript template engine for people who demand a clean separation (a bright line) between presentation and logic. =wmbenedetto template templating handlebars mustache template html tpl brightline","author":"=wmbenedetto","date":"2013-03-18 "},{"name":"brik.ipa.client","description":"easy access to methods of an ipa server","url":null,"keywords":"","version":"0.1.2","words":"brik.ipa.client easy access to methods of an ipa server =jonpacker","author":"=jonpacker","date":"2012-08-02 "},{"name":"brik.ipa.feed","description":"read a set of feeds and send their content to ipa","url":null,"keywords":"","version":"0.1.2","words":"brik.ipa.feed read a set of feeds and send their content to ipa =jonpacker","author":"=jonpacker","date":"2012-08-10 "},{"name":"bring","description":"A more natural and intelligent way (as opposed to the default 'require' function) to import packages to your nodejs application.","url":null,"keywords":"bring absolute relative partial module require import include application root","version":"0.1.3","words":"bring a more natural and intelligent way (as opposed to the default 'require' function) to import packages to your nodejs application. =ismotgroup bring absolute relative partial module require import include application root","author":"=ismotgroup","date":"2014-03-29 "},{"name":"bring-a-ping","description":"a module that says 'ping' - used to test basic docker behaviour","url":null,"keywords":"mesh docker etcd","version":"0.0.1","words":"bring-a-ping a module that says 'ping' - used to test basic docker behaviour =binocarlos mesh docker etcd","author":"=binocarlos","date":"2014-08-08 "},{"name":"bring-modules","description":"Bring your node.js modules to life","url":null,"keywords":"water","version":"0.0.10","words":"bring-modules bring your node.js modules to life =aogriffiths water","author":"=aogriffiths","date":"2013-01-21 "},{"name":"bringit","description":"Brings you files from any remote git reference, local path or http location based on a common pattern.","url":null,"keywords":"command line","version":"0.0.2","words":"bringit brings you files from any remote git reference, local path or http location based on a common pattern. =codingcoop command line","author":"=codingcoop","date":"2014-09-03 "},{"name":"brink","description":"- Solves low-level problems with as little magic and opinion as possible. - Is NOT a monolothic framework. Maintaining a large code base is just not practical. - Is less than 10kb minified and gzipped. - Focuses on extensibiity and granularity. Use as much or as little of it as you want. - Plays nice with other frameworks. Easily use side-by-side with ReactJS or Angular.","url":null,"keywords":"","version":"0.0.7","words":"brink - solves low-level problems with as little magic and opinion as possible. - is not a monolothic framework. maintaining a large code base is just not practical. - is less than 10kb minified and gzipped. - focuses on extensibiity and granularity. use as much or as little of it as you want. - plays nice with other frameworks. easily use side-by-side with reactjs or angular. =gigafied","author":"=gigafied","date":"2014-02-25 "},{"name":"brink.js","keywords":"","version":[],"words":"brink.js","author":"","date":"2014-02-20 "},{"name":"brinydeep","description":"node.js wrapper for Digital Ocean's API","url":null,"keywords":"digitalocean digital ocean api cloud ssd","version":"0.0.56","words":"brinydeep node.js wrapper for digital ocean's api =hortinstein digitalocean digital ocean api cloud ssd","author":"=hortinstein","date":"2013-06-25 "},{"name":"brio","description":"View building blocks","url":null,"keywords":"layout frontmatter cson view gusto","version":"0.1.2","words":"brio view building blocks =quarterto layout frontmatter cson view gusto","author":"=quarterto","date":"2014-09-15 "},{"name":"briqs","description":"Module collection for AdHoq","url":null,"keywords":"","version":"0.0.4","words":"briqs module collection for adhoq =jcw","author":"=jcw","date":"2013-04-06 "},{"name":"brisk","description":"An MVC framework for Node.js, built on top of Express. Brisk omits most of the platform-specific conventions and returns application development to a more traditional object-oriented structure.","url":null,"keywords":"node express framework brisk","version":"0.8.3","words":"brisk an mvc framework for node.js, built on top of express. brisk omits most of the platform-specific conventions and returns application development to a more traditional object-oriented structure. =makesites node express framework brisk","author":"=makesites","date":"2014-07-17 "},{"name":"brisk-account","description":"Account management for Brisk","url":null,"keywords":"account node management module passport brisk extension","version":"0.6.1","words":"brisk-account account management for brisk =makesites account node management module passport brisk extension","author":"=makesites","date":"2014-07-24 "},{"name":"brisk-api","description":"Brisk module that creates API endpoints, authenticated with OAuth2","url":null,"keywords":"node brisk api connect express","version":"0.1.0","words":"brisk-api brisk module that creates api endpoints, authenticated with oauth2 =makesites node brisk api connect express","author":"=makesites","date":"2014-07-10 "},{"name":"brisk-client","description":"Managing client-side assets for Brisk","url":null,"keywords":"account node management module passport brisk extension","version":"0.3.3","words":"brisk-client managing client-side assets for brisk =makesites account node management module passport brisk extension","author":"=makesites","date":"2014-07-23 "},{"name":"brisk-contact","description":"Brisk module for including a contact form","url":null,"keywords":"node contact form brisk connect express","version":"0.1.0","words":"brisk-contact brisk module for including a contact form =makesites node contact form brisk connect express","author":"=makesites","date":"2014-07-04 "},{"name":"brisk-facebook","description":"Simple REST controller for the Facebook API","url":null,"keywords":"facebook node data api public rest crud","version":"0.2.0","words":"brisk-facebook simple rest controller for the facebook api =makesites facebook node data api public rest crud","author":"=makesites","date":"2014-03-18 "},{"name":"brisk-mongodb","description":"Brisk Models with a MongoDB backend","url":null,"keywords":"node express framework brisk","version":"0.1.0","words":"brisk-mongodb brisk models with a mongodb backend =makesites node express framework brisk","author":"=makesites","date":"2014-06-30 "},{"name":"brisk-simpledb","description":"SimpleDB extension for Brisk","url":null,"keywords":"node express framework brisk","version":"0.5.0","words":"brisk-simpledb simpledb extension for brisk =makesites node express framework brisk","author":"=makesites","date":"2014-07-02 "},{"name":"brisk-twitter","description":"Simple REST controller for the Twitter API","url":null,"keywords":"twitter node data api public rest crud","version":"0.2.0","words":"brisk-twitter simple rest controller for the twitter api =makesites twitter node data api public rest crud","author":"=makesites","date":"2014-03-18 "},{"name":"bristol","description":"Insanely configurable logging for Node.js","url":null,"keywords":"log datatype commoninfomodel json","version":"0.3.2","words":"bristol insanely configurable logging for node.js =tomfrost log datatype commoninfomodel json","author":"=tomfrost","date":"2014-07-18 "},{"name":"brix","description":"","url":null,"keywords":"","version":"0.0.1","words":"brix =dotnil","author":"=dotnil","date":"2014-03-05 "},{"name":"brix-bpm","description":"Brix Package Manager","url":null,"keywords":"","version":"0.0.15","words":"brix-bpm brix package manager =goto100","author":"=goto100","date":"2013-04-23 "},{"name":"brkontru","description":"Break on Through - Easy access to the BeagleBone Black GPIO expansion headers","url":null,"keywords":"beaglebone adc analog gpio pwm button led","version":"0.7.4","words":"brkontru break on through - easy access to the beaglebone black gpio expansion headers =fivdi beaglebone adc analog gpio pwm button led","author":"=fivdi","date":"2014-08-09 "},{"name":"brnfckr","description":"A brainfuck minifier written in JavaScript","url":null,"keywords":"brainfuck minify minifier","version":"0.1.1","words":"brnfckr a brainfuck minifier written in javascript =mathias brainfuck minify minifier","author":"=mathias","date":"2013-04-20 "},{"name":"bro","description":"Do you even lift?","url":null,"keywords":"javascript language brocript compiler","version":"0.0.3","words":"bro do you even lift? =fractal javascript language brocript compiler","author":"=fractal","date":"2012-12-04 "},{"name":"bro-js","description":"An implementation of bro pages (http://bropages.org/) for node","url":null,"keywords":"","version":"0.0.5","words":"bro-js an implementation of bro pages (http://bropages.org/) for node =nsand","author":"=nsand","date":"2014-01-27 "},{"name":"bro.js","url":null,"keywords":"bro","version":"0.0.0","words":"bro.js =rafaelrinaldi bro","author":"=rafaelrinaldi","date":"2014-04-12 "},{"name":"broadcast","description":"Broadcast channels for Node","url":null,"keywords":"node broadcast channel mailbox","version":"1.0.4","words":"broadcast broadcast channels for node =71104 node broadcast channel mailbox","author":"=71104","date":"2013-02-18 "},{"name":"broadcast-hub","description":"WebSockets backed by Redis pubsub.","url":null,"keywords":"websockets redis pubsub","version":"0.1.7","words":"broadcast-hub websockets backed by redis pubsub. =rubenv websockets redis pubsub","author":"=rubenv","date":"2014-03-18 "},{"name":"broadcast-pi","description":"Broadcasting client and server, Allowing the Raspberry PI (or any other device) to make itself known to registered clients. On OSX it'll send a notification to the notification center","url":null,"keywords":"raspberry pi broadcast osx notification","version":"0.0.2","words":"broadcast-pi broadcasting client and server, allowing the raspberry pi (or any other device) to make itself known to registered clients. on osx it'll send a notification to the notification center =jpdokter raspberry pi broadcast osx notification","author":"=jpdokter","date":"2014-04-12 "},{"name":"broadcast-stream","description":"a more obvious interface for local udp broadcast","url":null,"keywords":"","version":"0.0.0","words":"broadcast-stream a more obvious interface for local udp broadcast =dominictarr","author":"=dominictarr","date":"2014-05-19 "},{"name":"broadcastd","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"broadcastd error: no readme.md file found! =scttnlsn","author":"=scttnlsn","date":"2013-07-22 "},{"name":"broadcaster","description":"Singleton event emitter for inter-application communication.","url":null,"keywords":"events event emitter application communication","version":"1.0.10","words":"broadcaster singleton event emitter for inter-application communication. =chuckpreslar events event emitter application communication","author":"=chuckpreslar","date":"2013-01-25 "},{"name":"broadway","description":"Lightweight application extensibility and composition with a twist of feature reflection.","url":null,"keywords":"","version":"0.3.6","words":"broadway lightweight application extensibility and composition with a twist of feature reflection. =indexzero =mmalecki =jcrugzz","author":"=indexzero =mmalecki =jcrugzz","date":"2014-09-17 "},{"name":"broadway-handlebars","description":"Plugin for flatiron/broadway for rendering with the handlebars view engine.","url":null,"keywords":"node flatiron broadway handlebars html render","version":"0.4.5","words":"broadway-handlebars plugin for flatiron/broadway for rendering with the handlebars view engine. =tommydudebreaux =cappslock =markoj =allspeeds node flatiron broadway handlebars html render","author":"=tommydudebreaux =cappslock =markoj =allspeeds","date":"2014-05-19 "},{"name":"broadway-jqtpl","description":"Plugin for flatiron/broadway for rendering with the jqtpl express view engine.","url":null,"keywords":"node flatiron broadway jqtpl html render","version":"0.2.1","words":"broadway-jqtpl plugin for flatiron/broadway for rendering with the jqtpl express view engine. =tommydudebreaux node flatiron broadway jqtpl html render","author":"=tommydudebreaux","date":"2012-08-14 "},{"name":"broadway-restify","description":"A broadway plugin to use restify as http server","url":null,"keywords":"","version":"0.0.1","words":"broadway-restify a broadway plugin to use restify as http server =kr1sp1n","author":"=kr1sp1n","date":"2013-01-11 "},{"name":"broadway-understudy","description":"Turn Broadway apps into an Understudy as well","url":null,"keywords":"","version":"0.0.0","words":"broadway-understudy turn broadway apps into an understudy as well =bradleymeck","author":"=bradleymeck","date":"2012-09-13 "},{"name":"broca","description":"frontmatter extractor","url":null,"keywords":"frontmatter template gusto levn yaml","version":"0.1.1","words":"broca frontmatter extractor =quarterto frontmatter template gusto levn yaml","author":"=quarterto","date":"2014-08-09 "},{"name":"brocabulary","description":"Expand your brocabulary","url":null,"keywords":"","version":"0.1.1","words":"brocabulary expand your brocabulary =dstokes","author":"=dstokes","date":"2014-01-27 "},{"name":"broccoli","description":"Fast client-side asset builder","url":null,"keywords":"","version":"0.12.3","words":"broccoli fast client-side asset builder =joliss","author":"=joliss","date":"2014-06-12 "},{"name":"broccoli-absurd-filter","description":"Broccoli-Absurd filter to compile one to one files from a absurd supported format to json, html or css","url":null,"keywords":"broccoli-plugin broccoli-filter broccoli absurd absurdjs","version":"0.1.3","words":"broccoli-absurd-filter broccoli-absurd filter to compile one to one files from a absurd supported format to json, html or css =xulai broccoli-plugin broccoli-filter broccoli absurd absurdjs","author":"=xulai","date":"2014-05-03 "},{"name":"broccoli-amdclean","description":"Broccoli filter to convert AMD modules to regular JavaScript","url":null,"keywords":"broccoli-plugin javascript module amd commonjs","version":"0.0.2","words":"broccoli-amdclean broccoli filter to convert amd modules to regular javascript =andremalan broccoli-plugin javascript module amd commonjs","author":"=andremalan","date":"2014-08-27 "},{"name":"broccoli-angular-templates","description":"Inline files as ng-template script tags","url":null,"keywords":"broccoli-plugin angularjs","version":"0.1.1","words":"broccoli-angular-templates inline files as ng-template script tags =stephank broccoli-plugin angularjs","author":"=stephank","date":"2014-05-04 "},{"name":"broccoli-appcache","description":"broccoli-appcache =================","url":null,"keywords":"application cache appcache offline html5 broccoli","version":"0.1.0","words":"broccoli-appcache broccoli-appcache ================= =lyonlai application cache appcache offline html5 broccoli","author":"=lyonlai","date":"2014-07-16 "},{"name":"broccoli-asset-rev","description":"broccoli asset revisions (fingerprint)","url":null,"keywords":"broccoli broccoli-plugin asset rev fingerprint cloudfront cdn ember-addon","version":"0.1.1","words":"broccoli-asset-rev broccoli asset revisions (fingerprint) =rickharrison broccoli broccoli-plugin asset rev fingerprint cloudfront cdn ember-addon","author":"=rickharrison","date":"2014-09-09 "},{"name":"broccoli-asset-rewrite","description":"broccoli plugin to rewrite a source tree from an asset map.","url":null,"keywords":"broccoli broccoli-plugin asset rewrite fingerprint","version":"0.0.1","words":"broccoli-asset-rewrite broccoli plugin to rewrite a source tree from an asset map. =rickharrison broccoli broccoli-plugin asset rewrite fingerprint","author":"=rickharrison","date":"2014-07-03 "},{"name":"broccoli-auto-generated","description":"Generate files from templates","url":null,"keywords":"broccoli-plugin broccoli generate template files","version":"0.0.3","words":"broccoli-auto-generated generate files from templates =g13013 broccoli-plugin broccoli generate template files","author":"=g13013","date":"2014-05-10 "},{"name":"broccoli-autoprefixer","description":"Prefix CSS using Autoprefixer","url":null,"keywords":"broccoli-plugin autoprefixer css prefix preprocess","version":"1.1.0","words":"broccoli-autoprefixer prefix css using autoprefixer =sindresorhus =floatboth =slexaxton broccoli-plugin autoprefixer css prefix preprocess","author":"=sindresorhus =floatboth =slexaxton","date":"2014-08-22 "},{"name":"broccoli-baked-handlebars","description":"A Broccoli transform for compilng Handlebars templates to HTML.","url":null,"keywords":"","version":"0.1.1","words":"broccoli-baked-handlebars a broccoli transform for compilng handlebars templates to html. =tboyt","author":"=tboyt","date":"2014-05-06 "},{"name":"broccoli-base64-css","description":"Replace references to images in CSS with base64 strings","url":null,"keywords":"broccoli-plugin css","version":"0.0.3","words":"broccoli-base64-css replace references to images in css with base64 strings =moudy broccoli-plugin css","author":"=moudy","date":"2014-08-01 "},{"name":"broccoli-billy-builder","description":"A \"billy-builder flavored\" CommonJS module concatenator.","url":null,"keywords":"","version":"0.1.0","words":"broccoli-billy-builder a \"billy-builder flavored\" commonjs module concatenator. =sebastianseilund","author":"=sebastianseilund","date":"2014-08-27 "},{"name":"broccoli-bower","description":"Broccoli plugin to find installed bower packages","url":null,"keywords":"broccoli-plugin bower","version":"0.2.1","words":"broccoli-bower broccoli plugin to find installed bower packages =joliss broccoli-plugin bower","author":"=joliss","date":"2014-04-24 "},{"name":"broccoli-browserify","description":"Browserify plugin for Broccoli","url":null,"keywords":"broccoli-plugin browserify","version":"0.1.0","words":"broccoli-browserify browserify plugin for broccoli =gingerhendrix broccoli-plugin browserify","author":"=gingerhendrix","date":"2014-05-08 "},{"name":"broccoli-bundle-assets","description":"Create bundles of JS and CSS assets","url":null,"keywords":"broccoli-plugin","version":"0.1.2","words":"broccoli-bundle-assets create bundles of js and css assets =stephank broccoli-plugin","author":"=stephank","date":"2014-07-08 "},{"name":"broccoli-caching-writer","description":"Broccoli plugin that allows simple caching (while still allowing N:N) based on the input tree hash.","url":null,"keywords":"broccoli-plugin javascript","version":"0.4.2","words":"broccoli-caching-writer broccoli plugin that allows simple caching (while still allowing n:n) based on the input tree hash. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-09-11 "},{"name":"broccoli-can-stache","description":"Compile CanJS stache templates","url":null,"keywords":"broccoli canjs stache","version":"0.0.1","words":"broccoli-can-stache compile canjs stache templates =bajix broccoli canjs stache","author":"=bajix","date":"2014-08-18 "},{"name":"broccoli-cjs-wrap","description":"broccoli filter for wrapping CommonJS modules","url":null,"keywords":"broccoli-plugin javascript module commonjs","version":"0.0.5","words":"broccoli-cjs-wrap broccoli filter for wrapping commonjs modules =kmiyashiro broccoli-plugin javascript module commonjs","author":"=kmiyashiro","date":"2014-05-21 "},{"name":"broccoli-cjsx","description":"Coffescript React JSX filter for Broccoli","url":null,"keywords":"broccoli-plugin react preprocessor compile","version":"0.0.1","words":"broccoli-cjsx coffescript react jsx filter for broccoli =ghempton broccoli-plugin react preprocessor compile","author":"=ghempton","date":"2014-09-17 "},{"name":"broccoli-clean-css","description":"CSS minifier for Broccoli with clean-css","url":null,"keywords":"broccoli-plugin css minifier minification compress postprocess optimization optimize whitespace","version":"0.2.0","words":"broccoli-clean-css css minifier for broccoli with clean-css =shinnn broccoli-plugin css minifier minification compress postprocess optimization optimize whitespace","author":"=shinnn","date":"2014-06-15 "},{"name":"broccoli-cli","description":"The broccoli command line interface","url":null,"keywords":"","version":"0.0.1","words":"broccoli-cli the broccoli command line interface =joliss","author":"=joliss","date":"2013-12-05 "},{"name":"broccoli-closure-compiler","description":"Minify JavaScript with Closure Compiler","url":null,"keywords":"broccoli-plugin minify minification uglify compress js javascript ecmascript code google closure compiler closure compiler compile","version":"1.0.0","words":"broccoli-closure-compiler minify javascript with closure compiler =sindresorhus broccoli-plugin minify minification uglify compress js javascript ecmascript code google closure compiler closure compiler compile","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-coffee","description":"CoffeeScript filter for Broccoli","url":null,"keywords":"broccoli-plugin coffeescript javascript","version":"0.1.1","words":"broccoli-coffee coffeescript filter for broccoli =joliss broccoli-plugin coffeescript javascript","author":"=joliss","date":"2014-08-28 "},{"name":"broccoli-colorguard","description":"Broccoli wrapped css-colorguard.","url":null,"keywords":"broccoli-plugin compile css preprocess preprocessor rework style lint stylesheet","version":"0.1.2","words":"broccoli-colorguard broccoli wrapped css-colorguard. =slexaxton broccoli-plugin compile css preprocess preprocessor rework style lint stylesheet","author":"=slexaxton","date":"2014-07-07 "},{"name":"broccoli-compass","description":"Sass-compass plugin for Broccoli","url":null,"keywords":"broccoli-plugin broccoli compass compiler","version":"0.1.1","words":"broccoli-compass sass-compass plugin for broccoli =g13013 broccoli-plugin broccoli compass compiler","author":"=g13013","date":"2014-09-11 "},{"name":"broccoli-concat","description":"Concatenate broccoli trees","url":null,"keywords":"broccoli-plugin concat concatenate","version":"0.0.11","words":"broccoli-concat concatenate broccoli trees =rlivsey broccoli-plugin concat concatenate","author":"=rlivsey","date":"2014-08-26 "},{"name":"broccoli-concat-filenames","description":"Concatenates (transformed) filenames into a file","url":null,"keywords":"broccoli-plugin concatenate filenames","version":"0.1.1","words":"broccoli-concat-filenames concatenates (transformed) filenames into a file =pangratz broccoli-plugin concatenate filenames","author":"=pangratz","date":"2014-04-22 "},{"name":"broccoli-concat-source-map","description":"Broccoli plugin that concats files with source maps.","url":null,"keywords":"broccoli-plugin source-map concat","version":"0.1.0","words":"broccoli-concat-source-map broccoli plugin that concats files with source maps. =krisselden broccoli-plugin source-map concat","author":"=krisselden","date":"2014-06-25 "},{"name":"broccoli-css-mqpacker","description":"Media Queries combiner for Broccoli with CSS MQPacker","url":null,"keywords":"media queries css optimization optimizer optimize postprocess replace grouping combination combine","version":"0.2.1","words":"broccoli-css-mqpacker media queries combiner for broccoli with css mqpacker =shinnn media queries css optimization optimizer optimize postprocess replace grouping combination combine","author":"=shinnn","date":"2014-07-30 "},{"name":"broccoli-css-replace-url","description":"Replace css url paths","url":null,"keywords":"broccoli-plugin css","version":"0.0.3","words":"broccoli-css-replace-url replace css url paths =ipavelpetrov broccoli-plugin css","author":"=ipavelpetrov","date":"2014-06-06 "},{"name":"broccoli-csso","description":"Minify CSS using CSSO","url":null,"keywords":"broccoli-plugin csso css min minify optimize compress","version":"1.0.0","words":"broccoli-csso minify css using csso =sindresorhus broccoli-plugin csso css min minify optimize compress","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-csssplit","description":"csssplitter for broccoli","url":null,"keywords":"IE broccoli-plugin css javascript","version":"0.0.10","words":"broccoli-csssplit csssplitter for broccoli =aboekhoff ie broccoli-plugin css javascript","author":"=aboekhoff","date":"2014-09-20 "},{"name":"broccoli-debug","description":"Broccoli debugging tools","url":null,"keywords":"broccoli-plugin debugging debugger","version":"0.1.1","words":"broccoli-debug broccoli debugging tools =joliss broccoli-plugin debugging debugger","author":"=joliss","date":"2014-04-24 "},{"name":"broccoli-defeatureify","description":"Remove specially flagged feature blocks and debug statements using Defeatureify","url":null,"keywords":"broccoli-plugin rewriting transformation defeatureify ember emberjs debug strip esprima ast","version":"1.0.0","words":"broccoli-defeatureify remove specially flagged feature blocks and debug statements using defeatureify =sindresorhus broccoli-plugin rewriting transformation defeatureify ember emberjs debug strip esprima ast","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-defs","description":"Transpile let and const to var","url":null,"keywords":"broccoli-plugin transpiler const let es6","version":"0.2.0","words":"broccoli-defs transpile let and const to var =xtian broccoli-plugin transpiler const let es6","author":"=xtian","date":"2014-07-18 "},{"name":"broccoli-dep-filter","description":"Broccoli filtered processing with dependency tracking","url":null,"keywords":"","version":"0.3.4","words":"broccoli-dep-filter broccoli filtered processing with dependency tracking =brainshave","author":"=brainshave","date":"2014-08-08 "},{"name":"broccoli-dist-es6-module","description":"Author in ES6 modules, distribute in cjs, amd, named-amd, and globals","url":null,"keywords":"","version":"0.2.1","words":"broccoli-dist-es6-module author in es6 modules, distribute in cjs, amd, named-amd, and globals =ryanflorence","author":"=ryanflorence","date":"2014-09-05 "},{"name":"broccoli-docco","description":"A broccoli plugin that generates HTML code documentation using the popular docco library.","url":null,"keywords":"broccoli broccoli-plugin","version":"0.0.12","words":"broccoli-docco a broccoli plugin that generates html code documentation using the popular docco library. =ksnyde broccoli broccoli-plugin","author":"=ksnyde","date":"2014-08-19 "},{"name":"broccoli-duplicate-watched-tree-finder","description":"A utility to find duplicated watched Broccoli trees.","url":null,"keywords":"","version":"0.1.0","words":"broccoli-duplicate-watched-tree-finder a utility to find duplicated watched broccoli trees. =sebastianseilund","author":"=sebastianseilund","date":"2014-08-27 "},{"name":"broccoli-dust","description":"Precompile Dust templates","url":null,"keywords":"broccoli-plugin dust dustjs template templates view views precompile compile","version":"1.0.0","words":"broccoli-dust precompile dust templates =sindresorhus broccoli-plugin dust dustjs template templates view views precompile compile","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-ember-emblem","description":"Filter for Broccoli that compiles Emblem templates into Ember.TEMPLATES","url":null,"keywords":"broccoli-plugin ember emblem","version":"0.1.1","words":"broccoli-ember-emblem filter for broccoli that compiles emblem templates into ember.templates =jaketrent broccoli-plugin ember emblem","author":"=jaketrent","date":"2014-05-22 "},{"name":"broccoli-ember-hbs-template-compiler","description":"ember.js precompiler for projects that use broccoli","url":null,"keywords":"Ember.js Handlebars.js Broccoli","version":"1.6.2","words":"broccoli-ember-hbs-template-compiler ember.js precompiler for projects that use broccoli =toranb ember.js handlebars.js broccoli","author":"=toranb","date":"2014-08-26 "},{"name":"broccoli-ember-i18n-precompile","description":"Ember i18n precompiler plugin for Broccoli","url":null,"keywords":"broccoli-plugin ember ember-i18n","version":"0.0.1","words":"broccoli-ember-i18n-precompile ember i18n precompiler plugin for broccoli =tdegrunt broccoli-plugin ember ember-i18n","author":"=tdegrunt","date":"2014-07-31 "},{"name":"broccoli-ember-script","description":"EmberScript filter for Broccoli","url":null,"keywords":"broccoli-plugin coffeescript emberscript javascript","version":"0.1.1","words":"broccoli-ember-script emberscript filter for broccoli =thewalkingtoast broccoli-plugin coffeescript emberscript javascript","author":"=thewalkingtoast","date":"2014-04-09 "},{"name":"broccoli-emblem-compiler","description":"Emblem.js precompiler for projects that use broccoli","url":null,"keywords":"Ember.js Handlebars.js Emblem.js Broccoli broccoli-plugin","version":"0.3.18","words":"broccoli-emblem-compiler emblem.js precompiler for projects that use broccoli =antramm ember.js handlebars.js emblem.js broccoli broccoli-plugin","author":"=antramm","date":"2014-08-21 "},{"name":"broccoli-empty-dirs","description":"Remove empty directories","url":null,"keywords":"broccoli-plugin","version":"0.1.1","words":"broccoli-empty-dirs remove empty directories =stephank broccoli-plugin","author":"=stephank","date":"2014-05-04 "},{"name":"broccoli-env","description":"Get the environment (production, development) from BROCCOLI_ENV","url":null,"keywords":"","version":"0.0.1","words":"broccoli-env get the environment (production, development) from broccoli_env =joliss","author":"=joliss","date":"2014-02-07 "},{"name":"broccoli-es-dependency-graph","description":"broccoli-es-dependency-graph\r ============================","url":null,"keywords":"broccoli broccoli-plugin ecmascript es6 AST dependency dependencies analizer","version":"0.0.1","words":"broccoli-es-dependency-graph broccoli-es-dependency-graph\r ============================ =juandopazo broccoli broccoli-plugin ecmascript es6 ast dependency dependencies analizer","author":"=juandopazo","date":"2014-07-11 "},{"name":"broccoli-es3-safe-recast","description":"broccoli filter for an es5 -> es3 recast. catch/finally -> ['catch'] & ['finally']","url":null,"keywords":"broccoli es5 es3 recast","version":"1.0.0","words":"broccoli-es3-safe-recast broccoli filter for an es5 -> es3 recast. catch/finally -> ['catch'] & ['finally'] =stefanpenner =fivetanley broccoli es5 es3 recast","author":"=stefanpenner =fivetanley","date":"2014-08-27 "},{"name":"broccoli-es6-arrow","description":"ES6 arrow functions compiled to ES5.","url":null,"keywords":"broccoli-plugin ES6 html ES5 compile","version":"0.1.1","words":"broccoli-es6-arrow es6 arrow functions compiled to es5. =hemanth broccoli-plugin es6 html es5 compile","author":"=hemanth","date":"2014-05-28 "},{"name":"broccoli-es6-concat","description":"broccoli es6 concat compatible with 0.5","url":null,"keywords":"","version":"0.0.4","words":"broccoli-es6-concat broccoli es6 concat compatible with 0.5 =alexbaizeau","author":"=alexbaizeau","date":"2014-08-13 "},{"name":"broccoli-es6-concatenator","description":"ES6 transpiler and concatenator for Broccoli","url":null,"keywords":"broccoli-plugin concatenate javascript es6 module transpile amd commonjs","version":"0.1.7","words":"broccoli-es6-concatenator es6 transpiler and concatenator for broccoli =joliss broccoli-plugin concatenate javascript es6 module transpile amd commonjs","author":"=joliss","date":"2014-07-03 "},{"name":"broccoli-es6-import-validate","description":"A Broccoli plugin for validating es6 imports","url":null,"keywords":"broccoli-plugin es6 module validate","version":"0.1.1","words":"broccoli-es6-import-validate a broccoli plugin for validating es6 imports =jgable broccoli-plugin es6 module validate","author":"=jgable","date":"2014-05-30 "},{"name":"broccoli-es6-module","keywords":"","version":[],"words":"broccoli-es6-module","author":"","date":"2014-02-23 "},{"name":"broccoli-es6-module-filter","description":"broccoli filter for es6 modules","url":null,"keywords":"broccoli-plugin javascript es6 module transpile amd commonjs","version":"0.1.9","words":"broccoli-es6-module-filter broccoli filter for es6 modules =ryanflorence broccoli-plugin javascript es6 module transpile amd commonjs","author":"=ryanflorence","date":"2014-04-07 "},{"name":"broccoli-es6-module-jstransform","description":"Transpile ES6 modules to CommonJS with es6-module-jstransform","url":null,"keywords":"broccoli-plugin ecmascript ecmascript6 es5 es6 harmony jstransform module transpiler","version":"0.1.0","words":"broccoli-es6-module-jstransform transpile es6 modules to commonjs with es6-module-jstransform =schnittstabil broccoli-plugin ecmascript ecmascript6 es5 es6 harmony jstransform module transpiler","author":"=schnittstabil","date":"2014-06-23 "},{"name":"broccoli-es6-module-transpiler","description":"Broccoli plugin for Square's ES6 Module Transpiler","url":null,"keywords":"broccoli-plugin javascript es6 modules module compile transpile amd commonjs","version":"0.2.3","words":"broccoli-es6-module-transpiler broccoli plugin for square's es6 module transpiler =mmun =rwjblue broccoli-plugin javascript es6 modules module compile transpile amd commonjs","author":"=mmun =rwjblue","date":"2014-08-28 "},{"name":"broccoli-es6-transpiler","description":"Transpile ES6 to ES5","url":null,"keywords":"broccoli-plugin es5 es6 ecmascript ecmascript6 harmony javascript js transform transformation transpile transpiler convert rewrite syntax codegen desugaring compiler","version":"1.0.1","words":"broccoli-es6-transpiler transpile es6 to es5 =sindresorhus broccoli-plugin es5 es6 ecmascript ecmascript6 harmony javascript js transform transformation transpile transpiler convert rewrite syntax codegen desugaring compiler","author":"=sindresorhus","date":"2014-09-08 "},{"name":"broccoli-esformatter","description":"JavaScript code formatter for Broccoli with esformatter","url":null,"keywords":"broccoli-plugin esformatter format guide rule adjustment coding style indent whitespace beautify","version":"0.6.0","words":"broccoli-esformatter javascript code formatter for broccoli with esformatter =shinnn broccoli-plugin esformatter format guide rule adjustment coding style indent whitespace beautify","author":"=shinnn","date":"2014-07-23 "},{"name":"broccoli-eslint","description":"broccoli filter that runs eslint","url":null,"keywords":"eslint lint broccoli validate jshint jslint esprima broccoli-plugin","version":"0.0.5","words":"broccoli-eslint broccoli filter that runs eslint =makepanic eslint lint broccoli validate jshint jslint esprima broccoli-plugin","author":"=makepanic","date":"2014-03-08 "},{"name":"broccoli-esnext","description":"JS.next-to-JS.today transpiler for Broccoli with esnext","url":null,"keywords":"broccoli-plugin language ecmascript es6 esnext harmony compiler transpiler","version":"0.3.0","words":"broccoli-esnext js.next-to-js.today transpiler for broccoli with esnext =shinnn broccoli-plugin language ecmascript es6 esnext harmony compiler transpiler","author":"=shinnn","date":"2014-09-05 "},{"name":"broccoli-export-tree","description":"Broccoli plugin to export a tree.","url":null,"keywords":"broccoli-plugin javascript","version":"0.3.2","words":"broccoli-export-tree broccoli plugin to export a tree. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-05-30 "},{"name":"broccoli-file-creator","description":"Broccoli plugin to create a file.","url":null,"keywords":"broccoli-plugin javascript","version":"0.1.0","words":"broccoli-file-creator broccoli plugin to create a file. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-04-22 "},{"name":"broccoli-file-mover","description":"Broccoli plugin to move a single file.","url":null,"keywords":"broccoli-plugin javascript","version":"0.3.6","words":"broccoli-file-mover broccoli plugin to move a single file. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-08-28 "},{"name":"broccoli-file-remover","description":"Broccoli plugin to move a single file.","url":null,"keywords":"broccoli-plugin javascript","version":"0.2.3","words":"broccoli-file-remover broccoli plugin to move a single file. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-08-28 "},{"name":"broccoli-filter","description":"Helper base class for Broccoli plugins that map input files into output files one-to-one","url":null,"keywords":"broccoli-helper filter cache","version":"0.1.6","words":"broccoli-filter helper base class for broccoli plugins that map input files into output files one-to-one =joliss broccoli-helper filter cache","author":"=joliss","date":"2014-05-03 "},{"name":"broccoli-fingerprint","description":"Fingerprint assets with broccoli","url":null,"keywords":"broccoli-plugin fingerprinting","version":"0.0.4","words":"broccoli-fingerprint fingerprint assets with broccoli =moudy broccoli-plugin fingerprinting","author":"=moudy","date":"2014-07-14 "},{"name":"broccoli-fixturify","description":"Broccoli plugin to create tree with fixturify.","url":null,"keywords":"broccoli-plugin javascript","version":"0.1.0","words":"broccoli-fixturify broccoli plugin to create tree with fixturify. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-04-22 "},{"name":"broccoli-flatten","description":"Flatten file tree for Broccoli","url":null,"keywords":"broccoli-plugin javascript flatten","version":"0.0.1","words":"broccoli-flatten flatten file tree for broccoli =h1d broccoli-plugin javascript flatten","author":"=h1d","date":"2014-04-15 "},{"name":"broccoli-fontcustom","description":"Build an svg font dynamically using fontcustom and broccoli","url":null,"keywords":"broccoli fontcustom broccoli-plugin","version":"0.0.5","words":"broccoli-fontcustom build an svg font dynamically using fontcustom and broccoli =myztiq broccoli fontcustom broccoli-plugin","author":"=myztiq","date":"2014-04-30 "},{"name":"broccoli-front-matter-filter","description":"Broccoli plugin to filter files based on parsed front matter","url":null,"keywords":"broccoli-plugin frontmatter gray-matter frontmatter front matter","version":"0.2.0","words":"broccoli-front-matter-filter broccoli plugin to filter files based on parsed front matter =adamferguson broccoli-plugin frontmatter gray-matter frontmatter front matter","author":"=adamferguson","date":"2014-09-19 "},{"name":"broccoli-ghost","description":"Generate static content using Broccoli and Ghost Theme","url":null,"keywords":"","version":"0.0.0","words":"broccoli-ghost generate static content using broccoli and ghost theme =taras","author":"=taras","date":"2014-06-07 "},{"name":"broccoli-globalize-amd","description":"Broccoli plugin that exports your module to a global","url":null,"keywords":"broccoli-plugin javascript module amd","version":"0.0.3","words":"broccoli-globalize-amd broccoli plugin that exports your module to a global =mmun broccoli-plugin javascript module amd","author":"=mmun","date":"2014-04-06 "},{"name":"broccoli-gzip","description":"Broccoli plugin to gzip files.","url":null,"keywords":"broccoli-plugin javascript gzip","version":"0.2.0","words":"broccoli-gzip broccoli plugin to gzip files. =dfreeman broccoli-plugin javascript gzip","author":"=dfreeman","date":"2014-06-22 "},{"name":"broccoli-handlebars","description":"Compile handlebars templates with helpers and dynamic contexts","url":null,"keywords":"broccoli-plugin handlebars","version":"0.0.3","words":"broccoli-handlebars compile handlebars templates with helpers and dynamic contexts =moudy broccoli-plugin handlebars","author":"=moudy","date":"2014-07-26 "},{"name":"broccoli-hbs","description":"Compile handlebars templates to html","url":null,"keywords":"broccoli-plugin handlebars hbs","version":"0.0.0","words":"broccoli-hbs compile handlebars templates to html =mbaxter broccoli-plugin handlebars hbs","author":"=mbaxter","date":"2014-04-25 "},{"name":"broccoli-html2js","description":"Converts AngularJS templates to JavaScript","url":null,"keywords":"broccoli-plugin html2js angularjs","version":"0.0.5","words":"broccoli-html2js converts angularjs templates to javascript =a-tarasyuk broccoli-plugin html2js angularjs","author":"=a-tarasyuk","date":"2014-07-12 "},{"name":"broccoli-htmlmin","description":"Minify HTML","url":null,"keywords":"broccoli-plugin minimize html markup min minify optimize compress","version":"1.1.0","words":"broccoli-htmlmin minify html =sindresorhus broccoli-plugin minimize html markup min minify optimize compress","author":"=sindresorhus","date":"2014-09-08 "},{"name":"broccoli-i18n-precompile","description":"Ember i18n handlebar precompiler for broccoli","url":null,"keywords":"ember-i18n ember-cli ember broccoli","version":"0.0.4","words":"broccoli-i18n-precompile ember i18n handlebar precompiler for broccoli =alexbaizeau ember-i18n ember-cli ember broccoli","author":"=alexbaizeau","date":"2014-08-14 "},{"name":"broccoli-iced-coffee","description":"IcedCoffeeScript compiler for broccoli","url":null,"keywords":"broccoli-plugin iced-coffee-script coffeescript language compiler transpiler altjs","version":"0.2.0","words":"broccoli-iced-coffee icedcoffeescript compiler for broccoli =shinnn broccoli-plugin iced-coffee-script coffeescript language compiler transpiler altjs","author":"=shinnn","date":"2014-04-07 "},{"name":"broccoli-imagemin","description":"Minifies either png, jpg or gif with Broccoli","url":null,"keywords":"broccoli-plugin broccoli-filter broccoli imagemin compress minify image img jpeg jpg png gif","version":"0.1.4","words":"broccoli-imagemin minifies either png, jpg or gif with broccoli =xulai broccoli-plugin broccoli-filter broccoli imagemin compress minify image img jpeg jpg png gif","author":"=xulai","date":"2014-05-05 "},{"name":"broccoli-indexify","description":"Moves `pages/foo/bar.html` to `pages/foo/bar/index.html` for prettier routes when served.","url":null,"keywords":"","version":"0.1.0","words":"broccoli-indexify moves `pages/foo/bar.html` to `pages/foo/bar/index.html` for prettier routes when served. =tboyt","author":"=tboyt","date":"2014-05-02 "},{"name":"broccoli-inspect","description":"Tools for understanding and debugging your Broccoli build","url":null,"keywords":"broccoli-plugin debugging","version":"0.0.4","words":"broccoli-inspect tools for understanding and debugging your broccoli build =davewasmer broccoli-plugin debugging","author":"=davewasmer","date":"2014-04-11 "},{"name":"broccoli-jade","description":"Compile Jade templates","url":null,"keywords":"broccoli-plugin jade html markup template tpl compile","version":"1.0.0","words":"broccoli-jade compile jade templates =sindresorhus broccoli-plugin jade html markup template tpl compile","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-js-module-formats","description":"broccoli-js-module-formats\r ==========================","url":null,"keywords":"broccoli broccoli-plugin ecmascript es6 modules analizer","version":"0.0.1","words":"broccoli-js-module-formats broccoli-js-module-formats\r ========================== =juandopazo broccoli broccoli-plugin ecmascript es6 modules analizer","author":"=juandopazo","date":"2014-07-11 "},{"name":"broccoli-jshint","description":"Broccoli plugin run JSHint on a specific tree.","url":null,"keywords":"broccoli-plugin jshint javascript","version":"0.5.1","words":"broccoli-jshint broccoli plugin run jshint on a specific tree. =rwjblue broccoli-plugin jshint javascript","author":"=rwjblue","date":"2014-06-14 "},{"name":"broccoli-jslint","description":"Plugin for broccoli to run jslint static analysis tool on javascript files","url":null,"keywords":"broccoli jslint lint static-analysis javascript broccoli-plugin","version":"0.0.4","words":"broccoli-jslint plugin for broccoli to run jslint static analysis tool on javascript files =smikes broccoli jslint lint static-analysis javascript broccoli-plugin","author":"=smikes","date":"2014-07-15 "},{"name":"broccoli-json-concat","description":"Broccoli plugin to create json object from directory structures","url":null,"keywords":"broccoli-plugin javascript","version":"0.0.4","words":"broccoli-json-concat broccoli plugin to create json object from directory structures =bcardarella broccoli-plugin javascript","author":"=bcardarella","date":"2014-06-07 "},{"name":"broccoli-jsonlint","description":"Plugin for validate JSON files","url":null,"keywords":"broccoli-plugin jsonlint json validation","version":"0.0.1","words":"broccoli-jsonlint plugin for validate json files =a-tarasyuk broccoli-plugin jsonlint json validation","author":"=a-tarasyuk","date":"2014-06-01 "},{"name":"broccoli-jstransform","description":"Broccoli plugin to transform ES6 to ES5","url":null,"keywords":"jstransform broccoli-plugin ES6 ES5 convert","version":"0.3.0","words":"broccoli-jstransform broccoli plugin to transform es6 to es5 =aexmachina jstransform broccoli-plugin es6 es5 convert","author":"=aexmachina","date":"2014-07-03 "},{"name":"broccoli-karma","description":"CLI app that wraps Broccoli's watcher and Karma's runner, so that Karma will run on Broccoli builds.","url":null,"keywords":"broccoli karma","version":"0.1.0","words":"broccoli-karma cli app that wraps broccoli's watcher and karma's runner, so that karma will run on broccoli builds. =tboyt broccoli karma","author":"=tboyt","date":"2014-04-25 "},{"name":"broccoli-kitchen-sink-helpers","description":"Collection of helpers that need to be extracted into separate packages","url":null,"keywords":"","version":"0.2.4","words":"broccoli-kitchen-sink-helpers collection of helpers that need to be extracted into separate packages =joliss","author":"=joliss","date":"2014-07-01 "},{"name":"broccoli-kss","description":"A broccoli plugin for KSS","url":null,"keywords":"kss broccoli","version":"0.1.0","words":"broccoli-kss a broccoli plugin for kss =habdelra kss broccoli","author":"=habdelra","date":"2014-05-10 "},{"name":"broccoli-less","description":"Compile LESS","url":null,"keywords":"broccoli-plugin less css preprocessor compile","version":"1.0.0","words":"broccoli-less compile less =sindresorhus broccoli-plugin less css preprocessor compile","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-less-single","description":"Single-file-output LESS compiler for Broccoli","url":null,"keywords":"broccoli-plugin less css","version":"0.1.4","words":"broccoli-less-single single-file-output less compiler for broccoli =gabrielgrant broccoli-plugin less css","author":"=gabrielgrant","date":"2014-03-27 "},{"name":"broccoli-livescript","description":"LiveScript compiler for Broccoli","url":null,"keywords":"broccoli-plugin livescript language compiler transpiler syntactic sugar altjs","version":"0.2.0","words":"broccoli-livescript livescript compiler for broccoli =shinnn broccoli-plugin livescript language compiler transpiler syntactic sugar altjs","author":"=shinnn","date":"2014-04-06 "},{"name":"broccoli-livingstyleguide","description":"LivingStyleGuide integration for Broccoli","url":null,"keywords":"broccoli-plugin livingstyleguide living style guide front-end style guide style guide sass scss css","version":"0.2.0","words":"broccoli-livingstyleguide livingstyleguide integration for broccoli =hagenburger broccoli-plugin livingstyleguide living style guide front-end style guide style guide sass scss css","author":"=hagenburger","date":"2014-09-14 "},{"name":"broccoli-load-plugins","description":"Automatically load any broccoli plugins in your package.json","url":null,"keywords":"broccoliplugin broccoli-plugin broccoli plugin load autoload automatic","version":"0.1.0","words":"broccoli-load-plugins automatically load any broccoli plugins in your package.json =jas broccoliplugin broccoli-plugin broccoli plugin load autoload automatic","author":"=jas","date":"2014-02-18 "},{"name":"broccoli-manifest","description":"A broccoli plugin automating appcache manifest file creation","url":null,"keywords":"broccoli broccoli-plugin appcache manifest ember-addon","version":"0.0.3","words":"broccoli-manifest a broccoli plugin automating appcache manifest file creation =ssured broccoli broccoli-plugin appcache manifest ember-addon","author":"=ssured","date":"2014-09-16 "},{"name":"broccoli-md","description":"Markdown to HTML","url":null,"keywords":"broccoli-plugin md html markdown compile","version":"0.1.1","words":"broccoli-md markdown to html =hemanth broccoli-plugin md html markdown compile","author":"=hemanth","date":"2014-03-29 "},{"name":"broccoli-merge-trees","description":"Broccoli plugin to merge multiple trees into one","url":null,"keywords":"broccoli-plugin merge copy","version":"0.1.4","words":"broccoli-merge-trees broccoli plugin to merge multiple trees into one =joliss broccoli-plugin merge copy","author":"=joliss","date":"2014-05-31 "},{"name":"broccoli-middleware","description":"Use Broccoli as middleware in connect apps. Useful for development... don't use this in production.","url":null,"keywords":"broccoli","version":"0.0.1","words":"broccoli-middleware use broccoli as middleware in connect apps. useful for development... don't use this in production. =moudy broccoli","author":"=moudy","date":"2014-05-11 "},{"name":"broccoli-minispade","description":"Minispade filter for Broccoli","url":null,"keywords":"broccoli-plugin minispade javascript","version":"0.0.1","words":"broccoli-minispade minispade filter for broccoli =davetheninja broccoli-plugin minispade javascript","author":"=davetheninja","date":"2014-05-19 "},{"name":"broccoli-more","description":"LESS for Broccoli with dependency tracking","url":null,"keywords":"","version":"0.3.0","words":"broccoli-more less for broccoli with dependency tracking =brainshave","author":"=brainshave","date":"2014-07-10 "},{"name":"broccoli-myth","description":"Preprocess CSS with Myth","url":null,"keywords":"broccoli-plugin compile css myth preprocess preprocessor style stylesheet","version":"0.1.1","words":"broccoli-myth preprocess css with myth =kevva broccoli-plugin compile css myth preprocess preprocessor style stylesheet","author":"=kevva","date":"2014-04-30 "},{"name":"broccoli-ng-annotate","description":"Add, remove and rebuild AngularJS dependency injection annotations.","url":null,"keywords":"broccoli-plugin ng-annotate js angularjs angular annotate minify minification uglify","version":"0.1.3","words":"broccoli-ng-annotate add, remove and rebuild angularjs dependency injection annotations. =pgilad broccoli-plugin ng-annotate js angularjs angular annotate minify minification uglify","author":"=pgilad","date":"2014-08-23 "},{"name":"broccoli-ng-classify","description":"Compile CoffeeScript classes to AngularJS modules","url":null,"keywords":"broccoli-plugin angular angularjs class coffeescript module","version":"1.0.0","words":"broccoli-ng-classify compile coffeescript classes to angularjs modules =carylandholt broccoli-plugin angular angularjs class coffeescript module","author":"=carylandholt","date":"2014-08-10 "},{"name":"broccoli-ng-min","description":"Angular ng-min filter for Broccoli","url":null,"keywords":"broccoli-plugin angular angularjs minify pre-minify ngmin","version":"0.0.3","words":"broccoli-ng-min angular ng-min filter for broccoli =jakswa broccoli-plugin angular angularjs minify pre-minify ngmin","author":"=jakswa","date":"2014-05-13 "},{"name":"broccoli-nunjucks","description":"Precompile Nunjucks templates","url":null,"keywords":"broccoli-plugin nunjucks jinja jinja2 django template templating view precompile compile html javascript","version":"1.0.0","words":"broccoli-nunjucks precompile nunjucks templates =sindresorhus broccoli-plugin nunjucks jinja jinja2 django template templating view precompile compile html javascript","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-pages","description":"Build HTML pages from Markdown and HTML fragments","url":null,"keywords":"","version":"0.2.1","words":"broccoli-pages build html pages from markdown and html fragments =taras","author":"=taras","date":"2014-09-16 "},{"name":"broccoli-pegjs","description":"PEG.js filter for Broccoli","url":null,"keywords":"broccoli-plugin pegjs javascript","version":"0.0.1","words":"broccoli-pegjs peg.js filter for broccoli =ghempton broccoli-plugin pegjs javascript","author":"=ghempton","date":"2014-09-17 "},{"name":"broccoli-pixrem","description":"Process CSS using pixrem","url":null,"keywords":"broccoli-plugin pixrem css preprocess","version":"1.0.3","words":"broccoli-pixrem process css using pixrem =real_ate broccoli-plugin pixrem css preprocess","author":"=real_ate","date":"2014-08-18 "},{"name":"broccoli-ractive","description":"This [broccoli](https://github.com/broccolijs/broccoli) plugin compiles Ractive component files. If you're not yet familiar with component files, [start here](https://github.com/ractivejs/component-spec).","url":null,"keywords":"broccoli ractive components","version":"0.2.1","words":"broccoli-ractive this [broccoli](https://github.com/broccolijs/broccoli) plugin compiles ractive component files. if you're not yet familiar with component files, [start here](https://github.com/ractivejs/component-spec). =rich_harris broccoli ractive components","author":"=rich_harris","date":"2014-08-10 "},{"name":"broccoli-react","description":"Convert Facebook React JSX files to JS","url":null,"keywords":"broccoli-plugin react preprocessor compile","version":"0.5.0","words":"broccoli-react convert facebook react jsx files to js =eddhannay broccoli-plugin react preprocessor compile","author":"=eddhannay","date":"2014-07-19 "},{"name":"broccoli-regenerator","description":"Transpile ES6 generator functions to ES5","url":null,"keywords":"broccoli-plugin generator yield coroutine rewriting transformation syntax codegen rewriting refactoring transpiler desugaring es6","version":"1.1.0","words":"broccoli-regenerator transpile es6 generator functions to es5 =sindresorhus broccoli-plugin generator yield coroutine rewriting transformation syntax codegen rewriting refactoring transpiler desugaring es6","author":"=sindresorhus","date":"2014-09-08 "},{"name":"broccoli-render-template","description":"Render templates with Broccoli (haml, jade, markdown etc...) using consolidate","url":null,"keywords":"broccoli-plugin template jade ejs handlebars mustache","version":"0.0.3","words":"broccoli-render-template render templates with broccoli (haml, jade, markdown etc...) using consolidate =rlivsey broccoli-plugin template jade ejs handlebars mustache","author":"=rlivsey","date":"2014-07-03 "},{"name":"broccoli-replace","description":"Replace text patterns with applause.","url":null,"keywords":"broccoli-plugin replace replacement pattern patterns match text string regex regexp json yaml cson flatten","version":"0.1.7","words":"broccoli-replace replace text patterns with applause. =outatime broccoli-plugin replace replacement pattern patterns match text string regex regexp json yaml cson flatten","author":"=outatime","date":"2014-06-10 "},{"name":"broccoli-replicate","description":"Duplicate a directory into one or more other paths","url":null,"keywords":"broccoli broccoli-plugin","version":"0.0.5","words":"broccoli-replicate duplicate a directory into one or more other paths =ksnyde broccoli broccoli-plugin","author":"=ksnyde","date":"2014-07-29 "},{"name":"broccoli-requirejs","description":"RequireJS plugin for Broccoli","url":null,"keywords":"","version":"0.0.2","words":"broccoli-requirejs requirejs plugin for broccoli =aaronshaf","author":"=aaronshaf","date":"2014-04-06 "},{"name":"broccoli-resin","description":"Broccoli wrapped Resin from topcoat.","url":null,"keywords":"broccoli-plugin compile css preprocess preprocessor rework style stylesheet resin topcoat","version":"0.1.0","words":"broccoli-resin broccoli wrapped resin from topcoat. =slexaxton broccoli-plugin compile css preprocess preprocessor rework style stylesheet resin topcoat","author":"=slexaxton","date":"2014-06-17 "},{"name":"broccoli-rev","description":"A Broccoli plugin for adding revision checksums to file names","url":null,"keywords":"broccoli broccoli-plugin broccoliplugin plugin rev revision","version":"0.3.0","words":"broccoli-rev a broccoli plugin for adding revision checksums to file names =mjackson broccoli broccoli-plugin broccoliplugin plugin rev revision","author":"=mjackson","date":"2014-05-07 "},{"name":"broccoli-rework","description":"Preprocess CSS with Rework","url":null,"keywords":"broccoli-plugin compile css preprocess preprocessor rework style stylesheet","version":"0.1.4","words":"broccoli-rework preprocess css with rework =kevva broccoli-plugin compile css preprocess preprocessor rework style stylesheet","author":"=kevva","date":"2014-08-08 "},{"name":"broccoli-rsvg","description":"SVG to PNG renderer for Broccoli","url":null,"keywords":"broccoli-plugin svg rsvg","version":"0.2.4","words":"broccoli-rsvg svg to png renderer for broccoli =floatboth broccoli-plugin svg rsvg","author":"=floatboth","date":"2014-08-05 "},{"name":"broccoli-ruby-sass","description":"Broccoli plugin that compiles Sass using the Ruby-based compiler","url":null,"keywords":"broccoli-plugin sass scss css ruby","version":"0.2.0","words":"broccoli-ruby-sass broccoli plugin that compiles sass using the ruby-based compiler =joefiorini broccoli-plugin sass scss css ruby","author":"=joefiorini","date":"2014-07-10 "},{"name":"broccoli-sane-watcher","description":"Alternative watcher that uses sane module instead of polling","url":null,"keywords":"broccoli watch watcher","version":"0.0.6","words":"broccoli-sane-watcher alternative watcher that uses sane module instead of polling =krisselden =stefanpenner broccoli watch watcher","author":"=krisselden =stefanpenner","date":"2014-08-20 "},{"name":"broccoli-sass","description":"Libsass-based Sass compiler for Broccoli","url":null,"keywords":"broccoli-plugin sass scss css libsass","version":"0.2.2","words":"broccoli-sass libsass-based sass compiler for broccoli =joliss broccoli-plugin sass scss css libsass","author":"=joliss","date":"2014-08-19 "},{"name":"broccoli-sass-image-compiler","description":"Compress images to Base64 Data URIs in variables and output to SCSS file","url":null,"keywords":"Broccoli SASS Images Base64","version":"0.1.4","words":"broccoli-sass-image-compiler compress images to base64 data uris in variables and output to scss file =blesh broccoli sass images base64","author":"=blesh","date":"2014-07-08 "},{"name":"broccoli-sass2scss","description":"Sass to Scss transpiler for Broccoli","url":null,"keywords":"broccoli-plugin sass scss css sass2scss","version":"0.1.3","words":"broccoli-sass2scss sass to scss transpiler for broccoli =j-mcnally broccoli-plugin sass scss css sass2scss","author":"=j-mcnally","date":"2014-04-26 "},{"name":"broccoli-sassdoc","description":"SassDoc compiler for Broccoli","url":null,"keywords":"broccoli-plugin sass scss doc documentation","version":"0.1.0","words":"broccoli-sassdoc sassdoc compiler for broccoli =pascalduez broccoli-plugin sass scss doc documentation","author":"=pascalduez","date":"2014-08-07 "},{"name":"broccoli-scss-lint","description":"Broccoli plugin for validate .scss files","url":null,"keywords":"broccoli-plugin scss-lint scss validation","version":"0.0.4","words":"broccoli-scss-lint broccoli plugin for validate .scss files =a-tarasyuk broccoli-plugin scss-lint scss validation","author":"=a-tarasyuk","date":"2014-09-11 "},{"name":"broccoli-select","description":"A Broccoli plugin for selecting files based on glob patterns","url":null,"keywords":"broccoli select build","version":"0.1.0","words":"broccoli-select a broccoli plugin for selecting files based on glob patterns =mjackson broccoli select build","author":"=mjackson","date":"2014-05-06 "},{"name":"broccoli-shallow-tree","description":"Create a tree with files but WITHOUT subdirectories","url":null,"keywords":"broccoli broccoli-plugin","version":"0.0.2","words":"broccoli-shallow-tree create a tree with files but without subdirectories =ksnyde broccoli broccoli-plugin","author":"=ksnyde","date":"2014-08-17 "},{"name":"broccoli-sibilant","url":null,"keywords":"broccoli-plugin sibilant","version":"0.0.2","words":"broccoli-sibilant =joefiorini broccoli-plugin sibilant","author":"=joefiorini","date":"2014-06-16 "},{"name":"broccoli-site","description":"Broccoli based static site generator","url":null,"keywords":"","version":"0.0.1","words":"broccoli-site broccoli based static site generator =moudy","author":"=moudy","date":"2014-07-23 "},{"name":"broccoli-source-map","description":"A Broccoli plugin for inlining or extracting sourcemaps","url":null,"keywords":"broccoli-plugin sourcemap","version":"0.1.2","words":"broccoli-source-map a broccoli plugin for inlining or extracting sourcemaps =floatboth broccoli-plugin sourcemap","author":"=floatboth","date":"2014-08-15 "},{"name":"broccoli-spelunk","description":"Flatten a folder to a .js/.json representation of its contents, a la [spelunk](http://github.com/Rich-Harris/spelunk).","url":null,"keywords":"broccoli spelunk flatten","version":"0.1.2","words":"broccoli-spelunk flatten a folder to a .js/.json representation of its contents, a la [spelunk](http://github.com/rich-harris/spelunk). =rich_harris broccoli spelunk flatten","author":"=rich_harris","date":"2014-07-17 "},{"name":"broccoli-sprite","description":"Broccoli plugin for CSS image sprite generation","url":null,"keywords":"broccoli-plugin broccoli ember-cli image-sprite image sprite spritesheet css sass scss less stylus","version":"0.0.6","words":"broccoli-sprite broccoli plugin for css image sprite generation =bguiz broccoli-plugin broccoli ember-cli image-sprite image sprite spritesheet css sass scss less stylus","author":"=bguiz","date":"2014-08-04 "},{"name":"broccoli-spritesmith","description":"Broccoli sass/scss spritesmith plugins","url":null,"keywords":"","version":"0.0.9","words":"broccoli-spritesmith broccoli sass/scss spritesmith plugins =hysios","author":"=hysios","date":"2014-08-24 "},{"name":"broccoli-static-compiler","description":"Broccoli compiler to copy static files","url":null,"keywords":"broccoli-plugin files","version":"0.1.4","words":"broccoli-static-compiler broccoli compiler to copy static files =joliss broccoli-plugin files","author":"=joliss","date":"2014-05-03 "},{"name":"broccoli-stencil","description":"HTML templating with includes for broccoli","url":null,"keywords":"","version":"0.3.2","words":"broccoli-stencil html templating with includes for broccoli =brainshave","author":"=brainshave","date":"2014-07-10 "},{"name":"broccoli-string-replace","description":"Broccoli plugin to replace a matched string with a replacement.","url":null,"keywords":"broccoli-plugin javascript","version":"0.0.2","words":"broccoli-string-replace broccoli plugin to replace a matched string with a replacement. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-07-11 "},{"name":"broccoli-strip-debug","description":"Strip console and debugger statements from JavaScript code","url":null,"keywords":"broccoli-plugin strip remove delete clean debug debugger console log logging js javascript ecmascript ast esprima","version":"1.0.0","words":"broccoli-strip-debug strip console and debugger statements from javascript code =sindresorhus broccoli-plugin strip remove delete clean debug debugger console log logging js javascript ecmascript ast esprima","author":"=sindresorhus","date":"2014-08-02 "},{"name":"broccoli-strip-json-comments","description":"Strip comments from JSON. Lets you use comments in your JSON files!","url":null,"keywords":"broccoli-plugin json strip remove delete trim comments multiline parse config configuration conf settings util env environment","version":"1.0.0","words":"broccoli-strip-json-comments strip comments from json. lets you use comments in your json files! =sindresorhus broccoli-plugin json strip remove delete trim comments multiline parse config configuration conf settings util env environment","author":"=sindresorhus","date":"2014-08-02 "},{"name":"broccoli-styl","description":"Preprocess CSS with Styl","url":null,"keywords":"broccoli-plugin compile css preprocess preprocessor styl style stylesheet","version":"0.1.3","words":"broccoli-styl preprocess css with styl =kevva broccoli-plugin compile css preprocess preprocessor styl style stylesheet","author":"=kevva","date":"2014-04-30 "},{"name":"broccoli-styleguide","description":"Build an HTML styleguide from CSS w/ Markdown","url":null,"keywords":"","version":"0.2.1","words":"broccoli-styleguide build an html styleguide from css w/ markdown =mars-substantial","author":"=mars-substantial","date":"2014-07-28 "},{"name":"broccoli-stylus","description":"Compile Stylus","url":null,"keywords":"broccoli-plugin stylus css preprocessor compile","version":"1.1.0","words":"broccoli-stylus compile stylus =sindresorhus broccoli-plugin stylus css preprocessor compile","author":"=sindresorhus","date":"2014-09-08 "},{"name":"broccoli-stylus-single","description":"Single-file-output Stylus compiler for Broccoli","url":null,"keywords":"broccoli-plugin less css","version":"0.2.0","words":"broccoli-stylus-single single-file-output stylus compiler for broccoli =gabrielgrant broccoli-plugin less css","author":"=gabrielgrant","date":"2014-09-11 "},{"name":"broccoli-svg-concatenator","description":"A Broccoli tree that concatenates all SVG files in a tree into a hash exported on window.","url":null,"keywords":"","version":"0.1.0","words":"broccoli-svg-concatenator a broccoli tree that concatenates all svg files in a tree into a hash exported on window. =sebastianseilund","author":"=sebastianseilund","date":"2014-08-27 "},{"name":"broccoli-svgo","description":"Minify SVG using SVGO","url":null,"keywords":"broccoli-plugin svgo svg image img min minify optimize compress","version":"1.0.0","words":"broccoli-svgo minify svg using svgo =sindresorhus broccoli-plugin svgo svg image img min minify optimize compress","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-sweetjs","description":"Transpile Sweet.js macros","url":null,"keywords":"broccoli-plugin sweet.js sweet macro macros compile transpile","version":"1.0.1","words":"broccoli-sweetjs transpile sweet.js macros =sindresorhus =floatboth =jlongster broccoli-plugin sweet.js sweet macro macros compile transpile","author":"=sindresorhus =floatboth =jlongster","date":"2014-09-08 "},{"name":"broccoli-swig","description":"Broccoli-Swig filter","url":null,"keywords":"broccoli-plugin swig","version":"0.0.8","words":"broccoli-swig broccoli-swig filter =morishani broccoli-plugin swig","author":"=morishani","date":"2014-02-25 "},{"name":"broccoli-taco","description":"Broccoli based static site generator","url":null,"keywords":"","version":"0.0.3","words":"broccoli-taco broccoli based static site generator =moudy","author":"=moudy","date":"2014-07-29 "},{"name":"broccoli-template","description":"Generic template filter for Broccoli","url":null,"keywords":"broccoli-plugin template javascript","version":"0.1.1","words":"broccoli-template generic template filter for broccoli =joliss broccoli-plugin template javascript","author":"=joliss","date":"2014-04-11 "},{"name":"broccoli-template-builder","description":"Compile client-side templates into 1 JavaScript file.","url":null,"keywords":"templates broccoli-plugin","version":"0.0.4","words":"broccoli-template-builder compile client-side templates into 1 javascript file. =moudy templates broccoli-plugin","author":"=moudy","date":"2014-05-30 "},{"name":"broccoli-template-compiler","description":"ember.js precompiler for projects that use broccoli","url":null,"keywords":"Ember.js Handlebars.js Broccoli","version":"1.4.1","words":"broccoli-template-compiler ember.js precompiler for projects that use broccoli =toranb ember.js handlebars.js broccoli","author":"=toranb","date":"2014-03-28 "},{"name":"broccoli-themer","description":"Generate JSON hashmap of css selectors for theming.","url":null,"keywords":"broccoli-plugin broccoli hash theme assets theming","version":"0.0.3","words":"broccoli-themer generate json hashmap of css selectors for theming. =speedmanly broccoli-plugin broccoli hash theme assets theming","author":"=speedmanly","date":"2014-06-17 "},{"name":"broccoli-timepiece","description":"Command line application using Broccoli to rebuild on file changes.","url":null,"keywords":"broccoli-plugin javascript","version":"0.2.1","words":"broccoli-timepiece command line application using broccoli to rebuild on file changes. =rwjblue broccoli-plugin javascript","author":"=rwjblue","date":"2014-06-20 "},{"name":"broccoli-traceur","description":"Traceur is a JavaScript.next to JavaScript-of-today compiler","url":null,"keywords":"broccoli-plugin traceur rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 ES.next harmony compiler transpiler","version":"0.9.0","words":"broccoli-traceur traceur is a javascript.next to javascript-of-today compiler =sindresorhus broccoli-plugin traceur rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 es.next harmony compiler transpiler","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-transform","description":"Helper base class for Broccoli plugins that transform an input tree into an output tree.","url":null,"keywords":"broccoli-helper","version":"0.1.1","words":"broccoli-transform helper base class for broccoli plugins that transform an input tree into an output tree. =joliss broccoli-helper","author":"=joliss","date":"2014-02-25 "},{"name":"broccoli-typescript","description":"TypeScript compiler for Broccoli","url":null,"keywords":"broccoli-plugin typescript tsc language compiler transpiler altjs","version":"0.4.0","words":"broccoli-typescript typescript compiler for broccoli =shinnn broccoli-plugin typescript tsc language compiler transpiler altjs","author":"=shinnn","date":"2014-04-29 "},{"name":"broccoli-uglify-js","description":"UglifyJS2 filter for Broccoli","url":null,"keywords":"broccoli-plugin javascript uglify minify","version":"0.1.3","words":"broccoli-uglify-js uglifyjs2 filter for broccoli =joliss broccoli-plugin javascript uglify minify","author":"=joliss","date":"2014-04-11 "},{"name":"broccoli-uncss","description":"Remove unused CSS with UnCSS","url":null,"keywords":"broccoli-plugin minimize html css min minify optimize compress redundant moot remove","version":"1.0.0","words":"broccoli-uncss remove unused css with uncss =sindresorhus broccoli-plugin minimize html css min minify optimize compress redundant moot remove","author":"=sindresorhus","date":"2014-08-14 "},{"name":"broccoli-unwatched-tree","description":"Broccoli utlility for creating Trees that are not watched by the standard Broccoli::Watcher, but behave like standard trees.","url":null,"keywords":"broccoli-plugin","version":"0.1.1","words":"broccoli-unwatched-tree broccoli utlility for creating trees that are not watched by the standard broccoli::watcher, but behave like standard trees. =rwjblue broccoli-plugin","author":"=rwjblue","date":"2014-05-12 "},{"name":"broccoli-vendor","description":"Broccoli plugin to find non bower vendor directories","url":null,"keywords":"broccoli-plugin vendor","version":"0.1.0","words":"broccoli-vendor broccoli plugin to find non bower vendor directories =samsinite broccoli-plugin vendor","author":"=samsinite","date":"2014-05-09 "},{"name":"broccoli-vulcanize","description":"Broccoli plugin for Polymer Vulcanize tool","url":null,"keywords":"broccoli-plugin broccoli polymer vulcanize vulcan web components concat concatenate transform","version":"1.0.2","words":"broccoli-vulcanize broccoli plugin for polymer vulcanize tool =mbykovskyy broccoli-plugin broccoli polymer vulcanize vulcan web components concat concatenate transform","author":"=mbykovskyy","date":"2014-09-02 "},{"name":"broccoli-vulcanize-html-imports","description":"Broccoli plugin for vulcanizing HTML imports with Polymer Vulcanize tool","url":null,"keywords":"broccoli-plugin broccoli polymer vulcanize vulcan web components concat concatenate transform html imports templates","version":"0.0.2","words":"broccoli-vulcanize-html-imports broccoli plugin for vulcanizing html imports with polymer vulcanize tool =mbykovskyy broccoli-plugin broccoli polymer vulcanize vulcan web components concat concatenate transform html imports templates","author":"=mbykovskyy","date":"2014-09-18 "},{"name":"broccoli-watched-tree","description":"Broccoli utlility for creating Trees for directories to be watched but not generate any files.","url":null,"keywords":"broccoli-plugin","version":"0.1.2","words":"broccoli-watched-tree broccoli utlility for creating trees for directories to be watched but not generate any files. =rwjblue broccoli-plugin","author":"=rwjblue","date":"2014-05-13 "},{"name":"broccoli-webp","description":"JPEG/PNG to WebP converter for Broccoli","url":null,"keywords":"broccoli-plugin webp cwebp image png jpeg jpg convert","version":"0.1.3","words":"broccoli-webp jpeg/png to webp converter for broccoli =floatboth broccoli-plugin webp cwebp image png jpeg jpg convert","author":"=floatboth","date":"2014-08-05 "},{"name":"broccoli-webpack","description":"A Broccoli plugin for webpack","url":null,"keywords":"broccoli-plugin webpack","version":"0.1.1","words":"broccoli-webpack a broccoli plugin for webpack =floatboth broccoli-plugin webpack","author":"=floatboth","date":"2014-08-05 "},{"name":"broccoli-wrap","description":"Wrap filter for Broccoli","url":null,"keywords":"broccoli-plugin javascript wrap","version":"0.0.2","words":"broccoli-wrap wrap filter for broccoli =h1d broccoli-plugin javascript wrap","author":"=h1d","date":"2014-04-21 "},{"name":"broccoli-writer","description":"Helper base class for Broccoli plugins that write output files","url":null,"keywords":"broccoli-helper","version":"0.1.1","words":"broccoli-writer helper base class for broccoli plugins that write output files =joliss broccoli-helper","author":"=joliss","date":"2014-04-02 "},{"name":"broccoli-xml2json","description":"xml2json","url":null,"keywords":"broccoli-plugin xml json convert","version":"0.1.0","words":"broccoli-xml2json xml2json =hemanth broccoli-plugin xml json convert","author":"=hemanth","date":"2014-05-28 "},{"name":"broccoli-yuidoc","description":"YUIDoc generator plugin for broccoli.","url":null,"keywords":"broccoli-plugin yuidoc","version":"1.3.1","words":"broccoli-yuidoc yuidoc generator plugin for broccoli. =ayu broccoli-plugin yuidoc","author":"=ayu","date":"2014-08-18 "},{"name":"broccoli-zetzer","description":"Broccoli plugin for Zetzer","url":null,"keywords":"broccoli-plugin templating markdown dot HTML generation generating HTML templates partials includes","version":"2.0.0-alpha2","words":"broccoli-zetzer broccoli plugin for zetzer =brainshave broccoli-plugin templating markdown dot html generation generating html templates partials includes","author":"=brainshave","date":"2014-07-29 "},{"name":"Brocket","description":"A self-hosting and self-extensible (meta)class system for JavaScript","url":null,"keywords":"","version":"0.0.2","words":"brocket a self-hosting and self-extensible (meta)class system for javascript =drolsky","author":"=drolsky","date":"2012-01-11 "},{"name":"brocolli-ng-classify","description":"Compile CoffeeScript classes to AngularJS modules","url":null,"keywords":"broccoliplugin angular angularjs class coffeescript module","version":"0.1.0","words":"brocolli-ng-classify compile coffeescript classes to angularjs modules =carylandholt broccoliplugin angular angularjs class coffeescript module","author":"=carylandholt","date":"2014-07-26 "},{"name":"brocolli-yuidoc","keywords":"","version":[],"words":"brocolli-yuidoc","author":"","date":"2014-05-16 "},{"name":"brodo","description":"a minimal, lightweight and fast ajax library","url":null,"keywords":"brodo ajax async","version":"0.1.0","words":"brodo a minimal, lightweight and fast ajax library =giulyquinto brodo ajax async","author":"=giulyquinto","date":"2014-04-23 "},{"name":"brofist","description":"Minimal BDD test runner that plays along nicely with Browserify.","url":null,"keywords":"","version":"0.3.1","words":"brofist minimal bdd test runner that plays along nicely with browserify. =killdream","author":"=killdream","date":"2013-06-13 "},{"name":"brofist-browser","description":"Browser reporter for brofist tests.","url":null,"keywords":"brofist testing reporter brofist-reporter","version":"0.3.0","words":"brofist-browser browser reporter for brofist tests. =killdream brofist testing reporter brofist-reporter","author":"=killdream","date":"2013-06-13 "},{"name":"brofist-cli","description":"Command line runner for Brofist.","url":null,"keywords":"brofist runner testing","version":"0.2.0","words":"brofist-cli command line runner for brofist. =killdream brofist runner testing","author":"=killdream","date":"2013-06-13 "},{"name":"brofist-minimal","description":"A minimal test reporter for Brofist.","url":null,"keywords":"brofist testing reporter brofist-reporter","version":"0.2.0","words":"brofist-minimal a minimal test reporter for brofist. =killdream brofist testing reporter brofist-reporter","author":"=killdream","date":"2013-06-13 "},{"name":"brofist-tap","description":"TAP reporter for Brofist.","url":null,"keywords":"testing tap brofist brofist-reporter","version":"0.2.0","words":"brofist-tap tap reporter for brofist. =killdream testing tap brofist brofist-reporter","author":"=killdream","date":"2013-06-13 "},{"name":"broke","description":"Vowsjs layer for flexible unit and integration tests.","url":null,"keywords":"testframework unit tests tests integration tests","version":"0.0.5","words":"broke vowsjs layer for flexible unit and integration tests. =zyndiecate testframework unit tests tests integration tests","author":"=zyndiecate","date":"2011-12-07 "},{"name":"brokenbin","url":null,"keywords":"","version":"0.0.2","words":"brokenbin =papandreou","author":"=papandreou","date":"2011-08-24 "},{"name":"broker","description":"Express/Connect middleware that serves local or remote static files","url":null,"keywords":"divshot superstatic send serve proxy","version":"1.0.1","words":"broker express/connect middleware that serves local or remote static files =scottcorgan divshot superstatic send serve proxy","author":"=scottcorgan","date":"2014-09-17 "},{"name":"brokowski","description":"RESTful publish/subscribe toolkit including broker, publisher and subscriber","url":null,"keywords":"rest pub/sub broker publisher subscriber","version":"0.1.8","words":"brokowski restful publish/subscribe toolkit including broker, publisher and subscriber =horsed rest pub/sub broker publisher subscriber","author":"=horsed","date":"2014-02-27 "},{"name":"brokr","description":"Websocket RPC+PUB/SUB library","url":null,"keywords":"pubsub rpc rmi websocket","version":"0.6.1","words":"brokr websocket rpc+pub/sub library =tudborg pubsub rpc rmi websocket","author":"=tudborg","date":"2013-07-19 "},{"name":"bromockapis","description":"Mock APIs.","url":null,"keywords":"mock api","version":"0.0.4","words":"bromockapis mock apis. =jeremyosborne mock api","author":"=jeremyosborne","date":"2014-03-15 "},{"name":"bromote","description":"Tool to setup and require remote scripts with browserify.","url":null,"keywords":"browserify remote script load head async url","version":"0.2.1","words":"bromote tool to setup and require remote scripts with browserify. =thlorenz browserify remote script load head async url","author":"=thlorenz","date":"2014-05-15 "},{"name":"bronson","description":"Bronson is a real time browser messaging framework with serverside integration.","url":null,"keywords":"","version":"0.5.0","words":"bronson bronson is a real time browser messaging framework with serverside integration. =originate","author":"=originate","date":"2014-01-20 "},{"name":"bronto","description":"Bully for redis","url":null,"keywords":"redis bully election distributed","version":"0.1.0","words":"bronto bully for redis =hugowetterberg redis bully election distributed","author":"=hugowetterberg","date":"2013-12-10 "},{"name":"brony","keywords":"","version":[],"words":"brony","author":"","date":"2014-03-31 "},{"name":"brood","description":"A container for spawn, provides the ability to manage and communicate with spawned child_processes","url":null,"keywords":"child_process spawn exec fork","version":"0.1.4","words":"brood a container for spawn, provides the ability to manage and communicate with spawned child_processes =jcppman child_process spawn exec fork","author":"=jcppman","date":"2014-07-02 "},{"name":"broody-promises","description":"Broody implementation of Promises/A+","url":null,"keywords":"promises a+ stub synchronous emulation","version":"0.2.3","words":"broody-promises broody implementation of promises/a+ =gobwas promises a+ stub synchronous emulation","author":"=gobwas","date":"2014-08-10 "},{"name":"brook","description":"stream of events","url":null,"keywords":"stream engine","version":"0.0.3","words":"brook stream of events =openmason stream engine","author":"=openmason","date":"2012-10-13 "},{"name":"brooklyn","description":"A web application framework for Backbone.js (+Marionette) and Parse.","url":null,"keywords":"web app parse backbone marionette","version":"0.0.1","words":"brooklyn a web application framework for backbone.js (+marionette) and parse. =nporteschaikin web app parse backbone marionette","author":"=nporteschaikin","date":"2014-05-06 "},{"name":"brooklynintegers","description":"NodeJS api for brooklynintegers.com the Hella-beautiful artisanally hand-crafted integers as a service.","url":null,"keywords":"integers artisanal","version":"0.0.1","words":"brooklynintegers nodejs api for brooklynintegers.com the hella-beautiful artisanally hand-crafted integers as a service. =reconbot integers artisanal","author":"=reconbot","date":"2012-09-14 "},{"name":"broom","description":"Application level flow-control library","url":null,"keywords":"control flow application","version":"0.1.2","words":"broom application level flow-control library =bolgovr control flow application","author":"=bolgovr","date":"2012-09-18 "},{"name":"broomstick","description":"Lightweight streaming and in-memory caching static file middleware for Director","url":null,"keywords":"","version":"0.0.2","words":"broomstick lightweight streaming and in-memory caching static file middleware for director =ecto","author":"=ecto","date":"2012-01-13 "},{"name":"broproxy","description":"broproxy =========","url":null,"keywords":"proxy simple http https tunnel","version":"0.0.2","words":"broproxy broproxy ========= =framp proxy simple http https tunnel","author":"=framp","date":"2014-07-25 "},{"name":"broquire","description":"Require that returns different values in the browser than node and avoids the node module being browserified.","url":null,"keywords":"browserify require","version":"0.3.0","words":"broquire require that returns different values in the browser than node and avoids the node module being browserified. =mikeal browserify require","author":"=mikeal","date":"2013-04-29 "},{"name":"brot","description":"Color Mandelbrot in CLI","url":null,"keywords":"","version":"0.0.4","words":"brot color mandelbrot in cli =peterbraden","author":"=peterbraden","date":"2013-10-11 "},{"name":"brout","description":"stdout and stderr for browsers","url":null,"keywords":"stdout stderr browser browserify browserify-transform","version":"1.0.0","words":"brout stdout and stderr for browsers =mantoni stdout stderr browser browserify browserify-transform","author":"=mantoni","date":"2014-08-06 "},{"name":"brow","description":"෴ A browserver proxy for node.js ෴","url":null,"keywords":"websocket http server browser webhook","version":"0.0.4","words":"brow ෴ a browserver proxy for node.js ෴ =jed websocket http server browser webhook","author":"=jed","date":"2012-10-13 "},{"name":"brow-client","description":"෴ A node.js HTTP server in your browser ෴","url":null,"keywords":"","version":"0.0.3","words":"brow-client ෴ a node.js http server in your browser ෴ =jed","author":"=jed","date":"2012-08-27 "},{"name":"brow-route","description":"A simple hash based router for modern web applications","url":null,"keywords":"browser hash route routing","version":"0.0.7","words":"brow-route a simple hash based router for modern web applications =tinco browser hash route routing","author":"=tinco","date":"2014-08-06 "},{"name":"brow-route.js","keywords":"","version":[],"words":"brow-route.js","author":"","date":"2014-08-06 "},{"name":"broware","description":"Browify your HTTP","url":null,"keywords":"http bro","version":"0.1.0","words":"broware browify your http =pboos http bro","author":"=pboos","date":"2012-12-14 "},{"name":"browbeat","description":"Elect a master browser window.","url":null,"keywords":"browser browserify bully localStorage","version":"0.0.1","words":"browbeat elect a master browser window. =simme browser browserify bully localstorage","author":"=simme","date":"2014-03-07 "},{"name":"browjadify","description":"Inject compiled jade templates as functions in browserify modules","url":null,"keywords":"browserify-transform jade browserify","version":"2.3.4","words":"browjadify inject compiled jade templates as functions in browserify modules =bengourley browserify-transform jade browserify","author":"=bengourley","date":"2014-08-12 "},{"name":"browjadify-compile","description":"The function browjadify uses to compile jade templates for the browser","url":null,"keywords":"","version":"0.0.2","words":"browjadify-compile the function browjadify uses to compile jade templates for the browser =bengourley","author":"=bengourley","date":"2014-06-25 "},{"name":"browscap","description":"PHP's get_browser/browscap.ini for Node","url":null,"keywords":"","version":"0.2.0","words":"browscap php's get_browser/browscap.ini for node =dangrossman","author":"=dangrossman","date":"2014-06-10 "},{"name":"browse","description":"Terminal commands to launch your preferred browser (or any app) in full-screen mode","url":null,"keywords":"","version":"0.3.1","words":"browse terminal commands to launch your preferred browser (or any app) in full-screen mode =75lb","author":"=75lb","date":"2014-07-12 "},{"name":"browse-project","description":"browse to projects repository page","url":null,"keywords":"","version":"1.0.0","words":"browse-project browse to projects repository page =jameskyburz","author":"=jameskyburz","date":"2014-08-05 "},{"name":"browsearify","description":"rewrite a lite version of sea.js to live load browserified javascripts","url":null,"keywords":"browserify seajs","version":"0.0.1","words":"browsearify rewrite a lite version of sea.js to live load browserified javascripts =undozen browserify seajs","author":"=undozen","date":"2014-07-30 "},{"name":"browsehappy","description":"browsehappy port for NodeJS","url":null,"keywords":"","version":"0.1.0","words":"browsehappy browsehappy port for nodejs =zaggino","author":"=zaggino","date":"2014-02-26 "},{"name":"browsem","description":"Browser launcher in the cloud.","url":null,"keywords":"","version":"0.0.2","words":"browsem browser launcher in the cloud. =airportyh","author":"=airportyh","date":"2013-05-11 "},{"name":"browsenpm","description":"Browse packages, users, code, stats and more the public npm registry in style.","url":null,"keywords":"Browse packages users code stats npm registry","version":"0.5.1","words":"browsenpm browse packages, users, code, stats and more the public npm registry in style. =npm-probe =swaagie =jcrugzz =v1 =indexzero browse packages users code stats npm registry","author":"=npm-probe =swaagie =jcrugzz =V1 =indexzero","date":"2014-09-01 "},{"name":"browser","description":"browsing urls with cookies, that is, we can scrape with authenticated pages!","url":null,"keywords":"","version":"0.2.6","words":"browser browsing urls with cookies, that is, we can scrape with authenticated pages! =shinout","author":"=shinout","date":"2013-06-02 "},{"name":"browser-agents","description":"An exported list of browser user agent strings","url":null,"keywords":"browser agent useragent","version":"0.1.0","words":"browser-agents an exported list of browser user agent strings =nlf browser agent useragent","author":"=nlf","date":"2014-07-16 "},{"name":"browser-automation","description":"Simple library for automating browser interactions","url":null,"keywords":"browser automation test","version":"0.0.1","words":"browser-automation simple library for automating browser interactions =yguan browser automation test","author":"=yguan","date":"2014-07-19 "},{"name":"browser-badge","description":"generate browser version compatibility badges","url":null,"keywords":"browser badge png compatibility version","version":"2.0.0","words":"browser-badge generate browser version compatibility badges =substack browser badge png compatibility version","author":"=substack","date":"2014-04-16 "},{"name":"browser-badge-cached","description":"generate browser version compatibility badges or serve them from cache","url":null,"keywords":"browser badge png compatibility version cache","version":"0.0.7","words":"browser-badge-cached generate browser version compatibility badges or serve them from cache =pkrumins browser badge png compatibility version cache","author":"=pkrumins","date":"2014-04-16 "},{"name":"browser-bar","url":null,"keywords":"","version":"0.0.1","words":"browser-bar =robdodson","author":"=robdodson","date":"2014-01-28 "},{"name":"browser-baz","url":null,"keywords":"","version":"0.0.2","words":"browser-baz =robdodson","author":"=robdodson","date":"2014-01-28 "},{"name":"browser-build","description":"Makes commonjs modules available in the browser via window.require('module-name')","url":null,"keywords":"commonjs-everywhere browserify browser require Javascript Coffee Coffeescript","version":"0.5.5","words":"browser-build makes commonjs modules available in the browser via window.require('module-name') =krisnye commonjs-everywhere browserify browser require javascript coffee coffeescript","author":"=krisnye","date":"2013-06-13 "},{"name":"browser-builtins","description":"Builtins that were extracted from node-browser-resolve on which browserify depends","url":null,"keywords":"resolve browser","version":"3.2.0","words":"browser-builtins builtins that were extracted from node-browser-resolve on which browserify depends =alexgorbatchev =andreasmadsen resolve browser","author":"=alexgorbatchev =andreasmadsen","date":"2014-07-21 "},{"name":"browser-bundle-deps","description":"walk the dependency graph of a browser bundle entry file and return it as a json stream. Supports both AMD and CommonJS (node-style) modules.","url":null,"keywords":"dependency graph browser require module exports json amd commonjs","version":"0.0.1","words":"browser-bundle-deps walk the dependency graph of a browser bundle entry file and return it as a json stream. supports both amd and commonjs (node-style) modules. =jpka dependency graph browser require module exports json amd commonjs","author":"=jpka","date":"2013-05-14 "},{"name":"browser-check","description":"Check if client browser matches rules defined with semver syntax","url":null,"keywords":"express middleware browsers ie8","version":"0.0.0","words":"browser-check check if client browser matches rules defined with semver syntax =noumansaleem express middleware browsers ie8","author":"=noumansaleem","date":"2014-02-13 "},{"name":"browser-cli","description":"html render in your shell","url":null,"keywords":"browser shell","version":"0.0.3","words":"browser-cli html render in your shell =yorkie browser shell","author":"=yorkie","date":"2014-02-22 "},{"name":"browser-client","description":"Detect browser, version, platform and device","url":null,"keywords":"","version":"0.1.4","words":"browser-client detect browser, version, platform and device =vdemedes","author":"=vdemedes","date":"2013-05-31 "},{"name":"browser-cookie-lite","description":"Get and set the cookies associated with the current document in browser","url":null,"keywords":"browser cookie litejs","version":"1.0.2","words":"browser-cookie-lite get and set the cookies associated with the current document in browser =lauriro browser cookie litejs","author":"=lauriro","date":"2014-09-02 "},{"name":"browser-cookie-lite-ender","description":"Cookie setter/getter for browser","url":null,"keywords":"browser cookie litejs","version":"0.2.0","words":"browser-cookie-lite-ender cookie setter/getter for browser =craigdub browser cookie litejs","author":"=craigdub","date":"2014-01-11 "},{"name":"browser-dedupe","description":"Dedupes packages with identical names and version numbers match based on a given requirement.","url":null,"keywords":"","version":"0.1.0","words":"browser-dedupe dedupes packages with identical names and version numbers match based on a given requirement. =thlorenz","author":"=thlorenz","date":"2013-08-25 "},{"name":"browser-detection","description":"browser-detection [![Build Status](https://travis-ci.org/sub2home/browser-detection.png?branch=master)](https://travis-ci.org/sub2home/browser-detection) ========================","url":null,"keywords":"","version":"0.3.3","words":"browser-detection browser-detection [![build status](https://travis-ci.org/sub2home/browser-detection.png?branch=master)](https://travis-ci.org/sub2home/browser-detection) ======================== =schickling","author":"=schickling","date":"2014-07-29 "},{"name":"browser-driver","description":"a server to capture and manage browsers","url":null,"keywords":"test browser driver","version":"0.3.0","words":"browser-driver a server to capture and manage browsers =phg test browser driver","author":"=phg","date":"2013-12-04 "},{"name":"browser-editor-test","description":"This is what it is about","url":null,"keywords":"","version":"1.0.0","words":"browser-editor-test this is what it is about =juliangruber","author":"=juliangruber","date":"2013-11-12 "},{"name":"browser-emitter","description":"A event emitter for browser","url":null,"keywords":"util async pipe chain function","version":"0.4.0","words":"browser-emitter a event emitter for browser =ystskm util async pipe chain function","author":"=ystskm","date":"2014-09-18 "},{"name":"browser-env","description":"Share process.env variables with the browser","url":null,"keywords":"","version":"0.1.2","words":"browser-env share process.env variables with the browser =camshaft","author":"=camshaft","date":"2013-02-15 "},{"name":"browser-event","description":"Create and trigger DOM Event on specified element","url":null,"keywords":"","version":"0.0.2","words":"browser-event create and trigger dom event on specified element =oliamb","author":"=oliamb","date":"2013-06-27 "},{"name":"browser-event-lite","description":"Event helper for browser","url":null,"keywords":"browser event litejs","version":"0.1.4","words":"browser-event-lite event helper for browser =lauriro browser event litejs","author":"=lauriro","date":"2014-03-10 "},{"name":"browser-events","description":"Event emitters in the browser","url":null,"keywords":"browser events emitters","version":"0.0.1","words":"browser-events event emitters in the browser =jorgezaccaro browser events emitters","author":"=jorgezaccaro","date":"2014-03-22 "},{"name":"browser-export","description":"Sharing of client side and server side code solved once and for all.","url":null,"keywords":"javascript asset management client-side depenency management modules commonjs require","version":"0.0.33","words":"browser-export sharing of client side and server side code solved once and for all. =charlottegore javascript asset management client-side depenency management modules commonjs require","author":"=charlottegore","date":"2012-10-01 "},{"name":"browser-filesaver","description":"Cross-browser implementation of W3C saveAs API","url":null,"keywords":"file save polyfill","version":"1.0.0","words":"browser-filesaver cross-browser implementation of w3c saveas api =tmpvar file save polyfill","author":"=tmpvar","date":"2014-07-31 "},{"name":"browser-foo","description":"A brwoser foo","url":null,"keywords":"","version":"0.0.4","words":"browser-foo a brwoser foo =robdodson","author":"=robdodson","date":"2014-01-28 "},{"name":"browser-forms","description":"Polished form validation interaction in the browser. Built on caolan/forms.","url":null,"keywords":"","version":"0.0.2","words":"browser-forms polished form validation interaction in the browser. built on caolan/forms. =hurrymaplelad","author":"=hurrymaplelad","date":"2013-04-04 "},{"name":"browser-fs","description":"``` _ __ | |__ _ __ _____ _____ ___ _ __ / _|___ | '_ \\| '__/ _ \\ \\ /\\ / / __|/ _ \\ '__|____| |_/ __| | |_) | | | (_) \\ V V /\\__ \\ __/ | |_____| _\\__ \\ |_.__/|_| \\___/ \\_/\\_/ |___/\\___|_| ","url":null,"keywords":"","version":"0.0.4","words":"browser-fs ``` _ __ | |__ _ __ _____ _____ ___ _ __ / _|___ | '_ \\| '__/ _ \\ \\ /\\ / / __|/ _ \\ '__|____| |_/ __| | |_) | | | (_) \\ v v /\\__ \\ __/ | |_____| _\\__ \\ |_.__/|_| \\___/ \\_/\\_/ |___/\\___|_| =kumavis","author":"=kumavis","date":"2014-07-07 "},{"name":"browser-get","description":"IE8+ GET requests for the browser with an ES6 Promise interface.","url":null,"keywords":"browser-get browserify get xmlhttprequest ajax promise","version":"0.1.1","words":"browser-get ie8+ get requests for the browser with an es6 promise interface. =contolini browser-get browserify get xmlhttprequest ajax promise","author":"=contolini","date":"2014-08-08 "},{"name":"browser-harness","description":"Browser Harness ===============","url":null,"keywords":"","version":"0.0.58","words":"browser-harness browser harness =============== =scriby","author":"=scriby","date":"2014-05-28 "},{"name":"browser-history-lite","description":"History helper for browser","url":null,"keywords":"browser history litejs","version":"0.1.1","words":"browser-history-lite history helper for browser =lauriro browser history litejs","author":"=lauriro","date":"2014-09-16 "},{"name":"browser-http","description":"Simple (but advanced) HTTP for browser","url":null,"keywords":"http client browser ajax url","version":"3.0.1","words":"browser-http simple (but advanced) http for browser =sakren http client browser ajax url","author":"=sakren","date":"2014-05-31 "},{"name":"browser-id-verify","description":"Verify BrowserID assertion","url":null,"keywords":"","version":"0.0.2","words":"browser-id-verify verify browserid assertion =connrs","author":"=connrs","date":"2013-09-18 "},{"name":"browser-inception","description":"Views that stack like OS X time machine.","url":null,"keywords":"time machine","version":"0.1.4","words":"browser-inception views that stack like os x time machine. =koopa time machine","author":"=koopa","date":"2014-08-06 "},{"name":"browser-is","description":"Simple yet powerful way to detect browsers with callbacks!","url":null,"keywords":"","version":"0.0.2","words":"browser-is simple yet powerful way to detect browsers with callbacks! =lafikl","author":"=lafikl","date":"2012-09-27 "},{"name":"browser-jquery","description":"JavaScript library for DOM operations","url":null,"keywords":"","version":"1.10.2","words":"browser-jquery javascript library for dom operations =gbraad","author":"=gbraad","date":"2014-02-13 "},{"name":"browser-jquery-mobile","description":"Touch-Optimized Web Framework for Smartphones & Tablets","url":null,"keywords":"","version":"1.4.1","words":"browser-jquery-mobile touch-optimized web framework for smartphones & tablets =gbraad","author":"=gbraad","date":"2014-02-13 "},{"name":"browser-js","description":"A sugar for your browser.","url":null,"keywords":"browser sugar","version":"1.1.0","words":"browser-js a sugar for your browser. =kud browser sugar","author":"=kud","date":"2014-09-09 "},{"name":"browser-key","description":"simple localstorage encrypted PKI storage, using forge","url":null,"keywords":"","version":"0.0.1","words":"browser-key simple localstorage encrypted pki storage, using forge =rynomad","author":"=rynomad","date":"2014-05-12 "},{"name":"browser-keymap","description":"browserify module to convert keydown events to string","url":null,"keywords":"browserify","version":"0.0.1","words":"browser-keymap browserify module to convert keydown events to string =sentientwaffle browserify","author":"=sentientwaffle","date":"2014-02-20 "},{"name":"browser-keymap-lite","keywords":"","version":[],"words":"browser-keymap-lite","author":"","date":"2014-05-16 "},{"name":"browser-language","description":"grab browser language and store on cookie","url":null,"keywords":"browser language cookie i18n","version":"1.2.7","words":"browser-language grab browser language and store on cookie =hex7c0 browser language cookie i18n","author":"=hex7c0","date":"2014-09-01 "},{"name":"browser-launcher","description":"detect and launch browser versions, headlessly or otherwise","url":null,"keywords":"browser headless phantom chrome firefox chromium safari ie osx windows","version":"1.0.0","words":"browser-launcher detect and launch browser versions, headlessly or otherwise =substack browser headless phantom chrome firefox chromium safari ie osx windows","author":"=substack","date":"2014-09-03 "},{"name":"browser-launcher2","description":"Detect, launch and stop browser versions","url":null,"keywords":"browser headless phantom chrome firefox chromium safari ie opera osx windows","version":"0.4.2","words":"browser-launcher2 detect, launch and stop browser versions =cksource browser headless phantom chrome firefox chromium safari ie opera osx windows","author":"=cksource","date":"2014-09-10 "},{"name":"browser-lights","description":"Lights along the top of the browser, to give basic status information","url":null,"keywords":"","version":"0.6.4","words":"browser-lights lights along the top of the browser, to give basic status information =forbesmyster","author":"=forbesmyster","date":"2014-05-22 "},{"name":"browser-list","description":"Print all browsers installed","url":null,"keywords":"browser list","version":"0.0.3","words":"browser-list print all browsers installed =evanlucas browser list","author":"=evanlucas","date":"2014-06-16 "},{"name":"browser-log","description":"A dead simple logger for the browser","url":null,"keywords":"","version":"0.0.2","words":"browser-log a dead simple logger for the browser =raynos","author":"=raynos","date":"2012-08-17 "},{"name":"browser-log-stream","description":"Render a text stream progressively to the browser","url":null,"keywords":"browser log stream live progressive rendering","version":"1.0.0","words":"browser-log-stream render a text stream progressively to the browser =mafintosh browser log stream live progressive rendering","author":"=mafintosh","date":"2014-08-25 "},{"name":"browser-logger","description":"Displays Node.js server-side logs in your browser console.","url":null,"keywords":"","version":"1.0.0","words":"browser-logger displays node.js server-side logs in your browser console. =ethanl","author":"=ethanl","date":"2012-08-26 "},{"name":"browser-logos","description":"A collection of SVG logos for different web-browsers","url":null,"keywords":"","version":"2.1.1","words":"browser-logos a collection of svg logos for different web-browsers =forbeslindesay","author":"=forbeslindesay","date":"2013-01-24 "},{"name":"browser-menu","description":"A browser-friendly implementation of substack's terminal-menu","url":null,"keywords":"browser menu terminal workshop ansi 80s ibm","version":"1.0.1","words":"browser-menu a browser-friendly implementation of substack's terminal-menu =hughsk browser menu terminal workshop ansi 80s ibm","author":"=hughsk","date":"2014-08-11 "},{"name":"browser-module-cache","description":"Caches browserify-cdn modules using level.js","url":null,"keywords":"browserify cdn levelup","version":"0.1.3","words":"browser-module-cache caches browserify-cdn modules using level.js =shama browserify cdn levelup","author":"=shama","date":"2014-03-12 "},{"name":"browser-module-sandbox","description":"uses browserify-cdn to run node code in an iframe","url":null,"keywords":"","version":"1.3.7","words":"browser-module-sandbox uses browserify-cdn to run node code in an iframe =maxogden","author":"=maxogden","date":"2014-08-09 "},{"name":"browser-pack","description":"pack node-style source files from a json stream into a browser bundle","url":null,"keywords":"browser bundle commonjs commonj-esque exports module.exports require","version":"3.1.1","words":"browser-pack pack node-style source files from a json stream into a browser bundle =substack browser bundle commonjs commonj-esque exports module.exports require","author":"=substack","date":"2014-07-25 "},{"name":"browser-pack-with-deps","description":"Replacement for [browser-pack](https://github.com/substack/browser-pack) which collects dependencies while doing a browserify build.","url":null,"keywords":"","version":"0.1.1","words":"browser-pack-with-deps replacement for [browser-pack](https://github.com/substack/browser-pack) which collects dependencies while doing a browserify build. =jwalton","author":"=jwalton","date":"2014-01-22 "},{"name":"browser-pdf-support","description":"detects support for rendering PDF in browser","url":null,"keywords":"pdf detect ie internet explorer chrome safari firefox adobe acrobat reader","version":"0.1.1","words":"browser-pdf-support detects support for rendering pdf in browser =refractalize pdf detect ie internet explorer chrome safari firefox adobe acrobat reader","author":"=refractalize","date":"2014-08-15 "},{"name":"browser-perf","description":"Measure browser rendering performance metrics","url":null,"keywords":"browser-perf rendering telemetry chromium performance high performance web sites metrics monitoring web development webperf","version":"0.1.20","words":"browser-perf measure browser rendering performance metrics =axemclion browser-perf rendering telemetry chromium performance high performance web sites metrics monitoring web development webperf","author":"=axemclion","date":"2014-08-13 "},{"name":"browser-process-hrtime","description":"Shim for process.hrtime in the browser","url":null,"keywords":"","version":"0.0.2","words":"browser-process-hrtime shim for process.hrtime in the browser =kumavis","author":"=kumavis","date":"2014-01-12 "},{"name":"browser-refresh","description":"Node.js module to enable server restart and browser restart in response to file modifications","url":null,"keywords":"browser refresh live coding reload watch","version":"1.0.0-beta","words":"browser-refresh node.js module to enable server restart and browser restart in response to file modifications =pnidem browser refresh live coding reload watch","author":"=pnidem","date":"2014-08-20 "},{"name":"browser-refresh-taglib","description":"Taglib to enable browser page refresh in response to file modifications on the server","url":null,"keywords":"browser refresh live coding reload watch taglib","version":"0.1.0-beta","words":"browser-refresh-taglib taglib to enable browser page refresh in response to file modifications on the server =pnidem browser refresh live coding reload watch taglib","author":"=pnidem","date":"2014-06-06 "},{"name":"browser-reload","description":"Reload web pages on change","url":null,"keywords":"","version":"1.0.1","words":"browser-reload reload web pages on change =mantoni","author":"=mantoni","date":"2013-12-01 "},{"name":"browser-repl","description":"CLI utility to set up a remote browser repl.","url":null,"keywords":"","version":"0.3.0","words":"browser-repl cli utility to set up a remote browser repl. =rauchg","author":"=rauchg","date":"2014-04-09 "},{"name":"browser-request","description":"Browser port of the Node.js 'request' package","url":null,"keywords":"request http browser browserify","version":"0.3.2","words":"browser-request browser port of the node.js 'request' package =jhs =maxogden request http browser browserify","author":"=jhs =maxogden","date":"2014-07-16 "},{"name":"browser-require","description":"Use CommonJS and NPM modules from the browser","url":null,"keywords":"","version":"0.1.6","words":"browser-require use commonjs and npm modules from the browser =bnoguchi","author":"=bnoguchi","date":"2011-03-29 "},{"name":"browser-resolve","description":"resolve which handles browser field support in package.json","url":null,"keywords":"resolve browser","version":"1.3.2","words":"browser-resolve resolve which handles browser field support in package.json =shtylman =substack resolve browser","author":"=shtylman =substack","date":"2014-07-30 "},{"name":"browser-resolve-sync","description":"synchronous resolve algorithm with browser field support","url":null,"keywords":"resolve browser","version":"1.0.0","words":"browser-resolve-sync synchronous resolve algorithm with browser field support =fgnass resolve browser","author":"=fgnass","date":"2014-03-12 "},{"name":"browser-router","description":"A simple router for one page browser apps","url":null,"keywords":"router browser client one-page app","version":"0.1.4","words":"browser-router a simple router for one page browser apps =ericvicenti router browser client one-page app","author":"=ericvicenti","date":"2014-04-16 "},{"name":"browser-run","description":"Transform stream that executes JavaScript it receives in a real browser and outputs console output","url":null,"keywords":"browser stream phantomjs test headless duplex","version":"0.4.0","words":"browser-run transform stream that executes javascript it receives in a real browser and outputs console output =juliangruber browser stream phantomjs test headless duplex","author":"=juliangruber","date":"2014-08-12 "},{"name":"browser-sanitize-html","description":"Sanitize html, for browser environments","url":null,"keywords":"sanitize html","version":"0.0.0","words":"browser-sanitize-html sanitize html, for browser environments =juliangruber sanitize html","author":"=juliangruber","date":"2013-12-08 "},{"name":"browser-search","description":"Server sided indexing, browser sided search","url":null,"keywords":"","version":"0.9.0","words":"browser-search server sided indexing, browser sided search =tzbob","author":"=tzbob","date":"2012-09-27 "},{"name":"browser-serialport","description":"Robots in the browser. Just like node-serialport but for browser/chrome apps.","url":null,"keywords":"serial firmata nodebots chromebots browserbots robot robots","version":"1.0.6","words":"browser-serialport robots in the browser. just like node-serialport but for browser/chrome apps. =garrows serial firmata nodebots chromebots browserbots robot robots","author":"=garrows","date":"2014-05-22 "},{"name":"browser-soupselect","description":"Adds CSS selector support to htmlparser for scraping activities - port of soupselect (python). Browser package contains htmlparser and soupselect","url":null,"keywords":"","version":"0.2.1","words":"browser-soupselect adds css selector support to htmlparser for scraping activities - port of soupselect (python). browser package contains htmlparser and soupselect =jsmarkus","author":"=jsmarkus","date":"2012-02-27 "},{"name":"browser-split","description":"Cross browser String#split implementation","url":null,"keywords":"split browser browserify regexp","version":"0.0.1","words":"browser-split cross browser string#split implementation =juliangruber split browser browserify regexp","author":"=juliangruber","date":"2013-04-16 "},{"name":"browser-stack-parser","description":"Parses stack traces from browsers, and tries to extract as much information from them as possible","url":null,"keywords":"","version":"0.0.3","words":"browser-stack-parser parses stack traces from browsers, and tries to extract as much information from them as possible =rakeshpai","author":"=rakeshpai","date":"2014-06-15 "},{"name":"browser-sticky","keywords":"","version":[],"words":"browser-sticky","author":"","date":"2014-06-18 "},{"name":"browser-storage","description":"Normalizes local storage behavior for the browser and node","url":null,"keywords":"browser storage local local-storage browserify session session-storage","version":"0.0.2","words":"browser-storage normalizes local storage behavior for the browser and node =jp browser storage local local-storage browserify session session-storage","author":"=jp","date":"2014-07-07 "},{"name":"browser-stream","description":"pipe streams through Socket.io","url":null,"keywords":"","version":"0.1.10","words":"browser-stream pipe streams through socket.io =dominictarr","author":"=dominictarr","date":"2012-06-23 "},{"name":"browser-sync","description":"Live CSS Reload & Browser Syncing","url":null,"keywords":"browser sync css live reload sync","version":"1.3.7","words":"browser-sync live css reload & browser syncing =shakyshane browser sync css live reload sync","author":"=shakyshane","date":"2014-09-17 "},{"name":"browser-sync-client","description":"Client-side scripts for BrowserSync","url":null,"keywords":"","version":"0.3.2","words":"browser-sync-client client-side scripts for browsersync =shakyshane","author":"=shakyshane","date":"2014-09-11 "},{"name":"browser-sync-connect","description":"connect to browser sync without copying the script snippets to the html source","url":null,"keywords":"browser-sync browsersync connect script","version":"0.3.1","words":"browser-sync-connect connect to browser sync without copying the script snippets to the html source =soenkekluth browser-sync browsersync connect script","author":"=soenkekluth","date":"2014-09-01 "},{"name":"browser-sync-control-panel","description":"Control Panel for BrowserSync","url":null,"keywords":"","version":"0.0.5","words":"browser-sync-control-panel control panel for browsersync =shakyshane","author":"=shakyshane","date":"2014-04-27 "},{"name":"browser-sync-ejs","description":"ejs middleware for browser-sync or connect","url":null,"keywords":"ejs middleware browser connect","version":"0.2.2","words":"browser-sync-ejs ejs middleware for browser-sync or connect =soenkekluth ejs middleware browser connect","author":"=soenkekluth","date":"2014-09-17 "},{"name":"browser-tabs","description":"Gets the open Tabs of Browsers","url":null,"keywords":"Browser Tabs","version":"0.0.2","words":"browser-tabs gets the open tabs of browsers =littlehelicase browser tabs","author":"=littlehelicase","date":"2014-08-24 "},{"name":"browser-terminal","description":"pipe a shell into an interactive browser terminal","url":null,"keywords":"browser shell terminal command-line gui","version":"0.0.2","words":"browser-terminal pipe a shell into an interactive browser terminal =substack browser shell terminal command-line gui","author":"=substack","date":"2013-09-13 "},{"name":"browser-terminal-js","description":"js console to use with browser-terminal","url":null,"keywords":"browser-terminal js-console","version":"0.0.1","words":"browser-terminal-js js console to use with browser-terminal =jbenet browser-terminal js-console","author":"=jbenet","date":"2014-05-13 "},{"name":"browser-test","description":"Streamlined browser test runner","url":null,"keywords":"test browser mocha test-agent","version":"0.0.0-alpha.2","words":"browser-test streamlined browser test runner =lights-of-apollo test browser mocha test-agent","author":"=lights-of-apollo","date":"2014-05-08 "},{"name":"browser-token-machine","description":"open a url, call a callback when user enters info","url":null,"keywords":"Browser open oauth token reply","version":"0.1.0","words":"browser-token-machine open a url, call a callback when user enters info =wlaurance browser open oauth token reply","author":"=wlaurance","date":"2012-11-30 "},{"name":"browser-type","description":"get browser type and version.","url":null,"keywords":"browser type","version":"0.0.1","words":"browser-type get browser type and version. =brighthas browser type","author":"=brighthas","date":"2013-07-20 "},{"name":"browser-tz","description":"Timezone specific manipulation of datetime strings","url":null,"keywords":"","version":"0.3.6","words":"browser-tz timezone specific manipulation of datetime strings =raynos","author":"=raynos","date":"2014-01-18 "},{"name":"browser-unix","description":"unix in the browser","url":null,"keywords":"unix browser shell bash browserify fs","version":"0.2.0","words":"browser-unix unix in the browser =substack unix browser shell bash browserify fs","author":"=substack","date":"2013-10-18 "},{"name":"browser-unpack","description":"parse a bundle generated by browser-pack","url":null,"keywords":"browserify bundle inverse invert unpack","version":"1.0.0","words":"browser-unpack parse a bundle generated by browser-pack =substack browserify bundle inverse invert unpack","author":"=substack","date":"2014-08-15 "},{"name":"browser-upgrade","description":"Sugar over selenium webdriver","url":null,"keywords":"selenium webdriver automation test","version":"0.2.1","words":"browser-upgrade sugar over selenium webdriver =micahasmith selenium webdriver automation test","author":"=micahasmith","date":"2014-01-16 "},{"name":"browser-upgrade-lite","description":"Implement EcmaScript 5 methods for older browsers","url":null,"keywords":"browser litejs","version":"1.1.0","words":"browser-upgrade-lite implement ecmascript 5 methods for older browsers =lauriro browser litejs","author":"=lauriro","date":"2014-09-12 "},{"name":"browser-workshopper","description":"A browser-based node workshopper framework","url":null,"keywords":"","version":"0.0.8","words":"browser-workshopper a browser-based node workshopper framework =lakenen","author":"=lakenen","date":"2014-09-03 "},{"name":"browser-workshopper-exercise","keywords":"","version":[],"words":"browser-workshopper-exercise","author":"","date":"2014-07-15 "},{"name":"browser-workshopper-menu","keywords":"","version":[],"words":"browser-workshopper-menu","author":"","date":"2014-07-15 "},{"name":"browser-workshopper-progress","keywords":"","version":[],"words":"browser-workshopper-progress","author":"","date":"2014-07-15 "},{"name":"browser-workshopper-sidebar","keywords":"","version":[],"words":"browser-workshopper-sidebar","author":"","date":"2014-07-15 "},{"name":"browser.css","description":"Awesome CSS and HTML browser window for debuting apps.","url":null,"keywords":"scss css browser browser window","version":"0.0.1","words":"browser.css awesome css and html browser window for debuting apps. =johno scss css browser browser window","author":"=johno","date":"2014-08-23 "},{"name":"browser_fingerprint","description":"Uniquely identify browsers","url":null,"keywords":"browser fingerprint session browserFingerprint browser_fingerprint","version":"0.0.5","words":"browser_fingerprint uniquely identify browsers =evantahler browser fingerprint session browserfingerprint browser_fingerprint","author":"=evantahler","date":"2014-08-07 "},{"name":"browserable","description":"Node module to browser compatible module","url":null,"keywords":"browserable","version":"0.0.1","words":"browserable node module to browser compatible module =gabrieleds browserable","author":"=gabrieleds","date":"2014-04-21 "},{"name":"browserbox","description":"IMAP client for browsers.","url":null,"keywords":"IMAP","version":"0.3.11","words":"browserbox imap client for browsers. =felixhammerl =andris =tanx imap","author":"=felixhammerl =andris =tanx","date":"2014-09-12 "},{"name":"browserbuild","description":"Browserbuild allows you to write code for the browser that leverages `require`, `module` and `exports`, but that gets exposed as a global.","url":null,"keywords":"","version":"0.7.0","words":"browserbuild browserbuild allows you to write code for the browser that leverages `require`, `module` and `exports`, but that gets exposed as a global. =rauchg","author":"=rauchg","date":"2013-05-29 "},{"name":"browsercam","description":"Use your browser as video input","url":null,"keywords":"","version":"0.1.1","words":"browsercam use your browser as video input =hitsthings","author":"=hitsthings","date":"2013-02-09 "},{"name":"browserchannel","description":"Google BrowserChannel server for NodeJS","url":null,"keywords":"","version":"2.0.0","words":"browserchannel google browserchannel server for nodejs =josephg","author":"=josephg","date":"2014-07-01 "},{"name":"browserchannel-middleware","description":"Google closure's browserchannel server implementation","url":null,"keywords":"browserchannel express","version":"0.0.2","words":"browserchannel-middleware google closure's browserchannel server implementation =msiviero browserchannel express","author":"=msiviero","date":"2013-12-23 "},{"name":"browserdj","description":"DJ mixer for web browser","url":null,"keywords":"webaudio audio mixer dtm dj","version":"1.0.5","words":"browserdj dj mixer for web browser =sl2 webaudio audio mixer dtm dj","author":"=sl2","date":"2014-06-01 "},{"name":"browserevent","description":"Plugin for the WebdriverIO project to listen on client side browser events","url":null,"keywords":"webdriverio webdriverjs webdriver selenium eventhandling eventlistener addEventListener removeEventListener browserevent browser event","version":"0.1.0","words":"browserevent plugin for the webdriverio project to listen on client side browser events =christian-bromann webdriverio webdriverjs webdriver selenium eventhandling eventlistener addeventlistener removeeventlistener browserevent browser event","author":"=christian-bromann","date":"2014-06-18 "},{"name":"browserid-certifier","description":"A process that creates user certificates described in the BrowserID protocol - for use in your projects","url":null,"keywords":"","version":"0.0.1","words":"browserid-certifier a process that creates user certificates described in the browserid protocol - for use in your projects =lloyd","author":"=lloyd","date":"2013-05-25 "},{"name":"browserid-keys","description":"Key management for BrowserID Identity Providers","url":null,"keywords":"","version":"0.0.0","words":"browserid-keys key management for browserid identity providers =stomlinson","author":"=stomlinson","date":"2013-09-09 "},{"name":"browserid-local-verify","description":"A node.js verification library for local verification of BrowserID assertions.","url":null,"keywords":"","version":"0.0.11","words":"browserid-local-verify a node.js verification library for local verification of browserid assertions. =lloyd =gene_wood =rfkelly =fmarier","author":"=lloyd =gene_wood =rfkelly =fmarier","date":"2014-09-05 "},{"name":"browserid-service-verify","description":"Verifies BrowserID assertion by using free verification service in browserid.org","url":null,"keywords":"","version":"1.0.0","words":"browserid-service-verify verifies browserid assertion by using free verification service in browserid.org =cheery","author":"=Cheery","date":"2012-04-13 "},{"name":"browserid-verifier","description":"A node library to verify assertions","url":null,"keywords":"","version":"0.0.4","words":"browserid-verifier a node library to verify assertions =lloyd","author":"=lloyd","date":"2012-03-02 "},{"name":"browserid-verify","description":"Verify BrowserID assertions.","url":null,"keywords":"persona browserid verify verifier mozilla","version":"0.1.2","words":"browserid-verify verify browserid assertions. =chilts persona browserid verify verifier mozilla","author":"=chilts","date":"2013-09-13 "},{"name":"browserified-select2","description":"Browserified Select2.","url":null,"keywords":"","version":"3.5.1","words":"browserified-select2 browserified select2. =rhobot","author":"=rhobot","date":"2014-08-11 "},{"name":"browserify","description":"browser-side require() the node way","url":null,"keywords":"browser require commonjs commonj-esque bundle npm javascript","version":"5.12.0","words":"browserify browser-side require() the node way =substack browser require commonjs commonj-esque bundle npm javascript","author":"=substack","date":"2014-09-19 "},{"name":"browserify-0.6","description":"browser-side require() for js directories and npm modules","url":null,"keywords":"browser require middleware bundle npm coffee javascript","version":"1.14.5","words":"browserify-0.6 browser-side require() for js directories and npm modules =prabhakhar browser require middleware bundle npm coffee javascript","author":"=prabhakhar","date":"2012-08-08 "},{"name":"browserify-adventure","description":"learn browserify with this educational adventure","url":null,"keywords":"browserify education nodeschool workshop edutainment","version":"1.7.4","words":"browserify-adventure learn browserify with this educational adventure =substack browserify education nodeschool workshop edutainment","author":"=substack","date":"2014-08-15 "},{"name":"browserify-angular","description":"AngularJS Browserify-compliant distribution","url":null,"keywords":"angular angularjs commonjs require","version":"1.3.0","words":"browserify-angular angularjs browserify-compliant distribution =mtfranchetto angular angularjs commonjs require","author":"=mtfranchetto","date":"2014-09-14 "},{"name":"browserify-angular-animate","description":"The `ngAnimate` module provides support for JavaScript, CSS3 transition and CSS3 keyframe animation hooks within existing core and custom directives.","url":null,"keywords":"","version":"1.2.18","words":"browserify-angular-animate the `nganimate` module provides support for javascript, css3 transition and css3 keyframe animation hooks within existing core and custom directives. =cflynn07","author":"=cflynn07","date":"2014-06-26 "},{"name":"browserify-angular-injector","description":"This browserify plugin is meant to solve an annoying problem of minification and dependency injection in angular.js.","url":null,"keywords":"browserify angular angularjs minification di","version":"1.0.2","words":"browserify-angular-injector this browserify plugin is meant to solve an annoying problem of minification and dependency injection in angular.js. =alexgorbatchev browserify angular angularjs minification di","author":"=alexgorbatchev","date":"2014-05-21 "},{"name":"browserify-angular-mocks","url":null,"keywords":"","version":"0.0.0","words":"browserify-angular-mocks =cflynn07","author":"=cflynn07","date":"2014-06-25 "},{"name":"browserify-as-a-service","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"browserify-as-a-service error: no readme.md file found! =grncdr","author":"=grncdr","date":"2013-06-09 "},{"name":"browserify-assets","description":"finds and transforms the assets (stylesheets) in your browserify-based app","url":null,"keywords":"","version":"0.1.3","words":"browserify-assets finds and transforms the assets (stylesheets) in your browserify-based app =jsdf","author":"=jsdf","date":"2014-07-23 "},{"name":"browserify-bignum","description":"A browserify implementation of node-bignum","url":null,"keywords":"arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","version":"1.3.0-2","words":"browserify-bignum a browserify implementation of node-bignum =innoying arbitrary precision arithmetic big number decimal float biginteger bigdecimal bignumber bigint bignum","author":"=innoying","date":"2014-01-12 "},{"name":"browserify-blented","description":"browser-side require() the node way // with useful errors","url":null,"keywords":"browser require commonjs commonj-esque bundle npm javascript","version":"2.32.2","words":"browserify-blented browser-side require() the node way // with useful errors =blented browser require commonjs commonj-esque bundle npm javascript","author":"=blented","date":"2013-11-16 "},{"name":"browserify-boilerplate","description":"====================== browserify-boilerplate ======================","url":null,"keywords":"","version":"0.1.0","words":"browserify-boilerplate ====================== browserify-boilerplate ====================== =diwank","author":"=diwank","date":"2013-07-05 "},{"name":"browserify-brunch","description":"Browserify + Brunch","url":null,"keywords":"","version":"1.7.1","words":"browserify-brunch browserify + brunch =mikewhy","author":"=mikewhy","date":"2014-07-22 "},{"name":"browserify-buffertools","description":"A JavaScript implementation of node-buffertools to work in the browser","url":null,"keywords":"buffer buffers browserify","version":"1.0.2","words":"browserify-buffertools a javascript implementation of node-buffertools to work in the browser =maraoz buffer buffers browserify","author":"=maraoz","date":"2014-02-19 "},{"name":"browserify-bundle-factory","description":"Makes programmattically building browserify bundles super-easy","url":null,"keywords":"","version":"0.1.1","words":"browserify-bundle-factory makes programmattically building browserify bundles super-easy =grncdr","author":"=grncdr","date":"2013-06-11 "},{"name":"browserify-bypass","description":"browserify middleware to declare alternative requires for the browser","url":null,"keywords":"browserify middleware alternative conditional require browser","version":"0.1.0","words":"browserify-bypass browserify middleware to declare alternative requires for the browser =jhnns browserify middleware alternative conditional require browser","author":"=jhnns","date":"2012-06-18 "},{"name":"browserify-cache","description":"Easily cache Browserify bundles","url":null,"keywords":"","version":"0.2.1","words":"browserify-cache easily cache browserify bundles =bminer","author":"=bminer","date":"2012-06-28 "},{"name":"browserify-cache-api","description":"api for caching and reusing discovered dependencies for browserify","url":null,"keywords":"","version":"0.1.2","words":"browserify-cache-api api for caching and reusing discovered dependencies for browserify =jsdf","author":"=jsdf","date":"2014-07-23 "},{"name":"browserify-cached","description":"A production cache for browserify.","url":null,"keywords":"","version":"1.0.0","words":"browserify-cached a production cache for browserify. =juliangruber","author":"=juliangruber","date":"2013-08-12 "},{"name":"browserify-cdn","description":"[![Build Status](https://travis-ci.org/jesusabdullah/browserify-cdn.png?branch=master)](https://travis-ci.org/jesusabdullah/browserify-cdn)","url":null,"keywords":"","version":"0.3.2","words":"browserify-cdn [![build status](https://travis-ci.org/jesusabdullah/browserify-cdn.png?branch=master)](https://travis-ci.org/jesusabdullah/browserify-cdn) =jesusabdullah =maxogden","author":"=jesusabdullah =maxogden","date":"2014-03-18 "},{"name":"browserify-chrome","description":"Tool for creating managing the creation of Chrome Apps with Browserify","url":null,"keywords":"","version":"0.0.0","words":"browserify-chrome tool for creating managing the creation of chrome apps with browserify =kinlan","author":"=kinlan","date":"2012-10-31 "},{"name":"browserify-compile-templates","description":"Compiles templates from HTML script tags into CommonJS modules in a browserify transform","url":null,"keywords":"template browserify browserify-transform transform underscore","version":"0.1.3","words":"browserify-compile-templates compiles templates from html script tags into commonjs modules in a browserify transform =robrichard template browserify browserify-transform transform underscore","author":"=robrichard","date":"2014-09-10 "},{"name":"browserify-configify","description":"Browserify transform for applying parameters in JSON configurations","url":null,"keywords":"browserify","version":"0.0.2","words":"browserify-configify browserify transform for applying parameters in json configurations =laurisvan browserify","author":"=laurisvan","date":"2014-08-30 "},{"name":"browserify-data","description":"browserify transform to compile data files.","url":null,"keywords":"browserify data json cson yaml plugin transform","version":"0.2.0","words":"browserify-data browserify transform to compile data files. =redhotvengeance browserify data json cson yaml plugin transform","author":"=redhotvengeance","date":"2014-07-15 "},{"name":"browserify-defs","description":"defs transform for browserify","url":null,"keywords":"browserify browserify-transform defs","version":"0.1.0","words":"browserify-defs defs transform for browserify =kl0tl browserify browserify-transform defs","author":"=kl0tl","date":"2014-08-18 "},{"name":"browserify-deoptimizer","description":"Transforms browserify bundles into a collection of single files","url":null,"keywords":"browserify bundle ie internet explorer","version":"1.1.1","words":"browserify-deoptimizer transforms browserify bundles into a collection of single files =domenic browserify bundle ie internet explorer","author":"=domenic","date":"2013-08-14 "},{"name":"browserify-derequire","keywords":"","version":[],"words":"browserify-derequire","author":"","date":"2014-08-26 "},{"name":"browserify-detector","description":"Detect if JavaScript was prepared with Browserify","url":null,"keywords":"browserify detector","version":"0.0.1","words":"browserify-detector detect if javascript was prepared with browserify =wlaurance browserify detector","author":"=wlaurance","date":"2014-02-11 "},{"name":"browserify-dev-bundler","description":"On-demand browserify bundler middleware for development with watchify support","url":null,"keywords":"browserify watchify bundler middleware on demand development","version":"0.3.2","words":"browserify-dev-bundler on-demand browserify bundler middleware for development with watchify support =bmharris browserify watchify bundler middleware on demand development","author":"=bmharris","date":"2014-07-22 "},{"name":"browserify-dev-middleware","description":"Middleware to compile browserify files on request for development purpose.","url":null,"keywords":"browserify middleware assets","version":"0.0.5","words":"browserify-dev-middleware middleware to compile browserify files on request for development purpose. =craigspaeth browserify middleware assets","author":"=craigspaeth","date":"2013-11-22 "},{"name":"browserify-dustjs","description":"browserify transform for dustjs template files","url":null,"keywords":"browserify browserify-transform transform plugin js dustjs","version":"0.0.3","words":"browserify-dustjs browserify transform for dustjs template files =hashanp browserify browserify-transform transform plugin js dustjs","author":"=hashanp","date":"2014-09-16 "},{"name":"browserify-eco","description":"browserify v2 plugin for eco templates","url":null,"keywords":"https://github.com/latentflip/ecoify","version":"0.2.4","words":"browserify-eco browserify v2 plugin for eco templates =latentflip https://github.com/latentflip/ecoify","author":"=latentflip","date":"2013-06-06 "},{"name":"browserify-ejs","description":"Browserify transform plugin for EJS templates","url":null,"keywords":"browserify ejs transform","version":"0.0.2","words":"browserify-ejs browserify transform plugin for ejs templates =unfold browserify ejs transform","author":"=unfold","date":"2013-06-13 "},{"name":"browserify-es6-modules","description":"Compile Browserify imports through ES6 Module Transpiler","url":null,"keywords":"","version":"0.1.1","words":"browserify-es6-modules compile browserify imports through es6 module transpiler =tboyt","author":"=tboyt","date":"2014-03-09 "},{"name":"browserify-experiment-dep-a","url":null,"keywords":"","version":"0.1.0","words":"browserify-experiment-dep-a =nick.heiner","author":"=nick.heiner","date":"2013-12-05 "},{"name":"browserify-experiment-dep-b","description":"","url":null,"keywords":"","version":"0.1.0","words":"browserify-experiment-dep-b =nick.heiner","author":"=nick.heiner","date":"2013-12-05 "},{"name":"browserify-experiment-dep-c","description":"","url":null,"keywords":"","version":"0.1.0","words":"browserify-experiment-dep-c =nick.heiner","author":"=nick.heiner","date":"2013-12-05 "},{"name":"browserify-express","description":"browserify v2 middleware for express","url":null,"keywords":"browserify express middleware watcher","version":"0.1.4","words":"browserify-express browserify v2 middleware for express =dstrek browserify express middleware watcher","author":"=dstrek","date":"2013-12-11 "},{"name":"browserify-extendscript","description":"Enables Browsefify to work with Adobe ExtendScript","url":null,"keywords":"browserify-plugin extendscript adobe illustrator indesign photoshop","version":"0.1.0","words":"browserify-extendscript enables browsefify to work with adobe extendscript =danielmooore browserify-plugin extendscript adobe illustrator indesign photoshop","author":"=danielmooore","date":"2014-04-19 "},{"name":"browserify-file","description":"require text files","url":null,"keywords":"browserify html file","version":"0.0.1","words":"browserify-file require text files =shtylman browserify html file","author":"=shtylman","date":"2014-05-06 "},{"name":"browserify-files","description":"browserify-files ================","url":null,"keywords":"","version":"0.0.1","words":"browserify-files browserify-files ================ =architectd","author":"=architectd","date":"2012-11-02 "},{"name":"browserify-fs","description":"fs for the browser using level-filesystem and browserify","url":null,"keywords":"browserify fs level filesystem","version":"1.0.0","words":"browserify-fs fs for the browser using level-filesystem and browserify =mafintosh browserify fs level filesystem","author":"=mafintosh","date":"2014-04-14 "},{"name":"browserify-ftw","description":"Upgrade your app from requireJS AMD to commonJS module format via an automated refactor step in order to browserify it.","url":null,"keywords":"browserify browserify-tool refactor upgrade commonJS requireJS","version":"0.7.1","words":"browserify-ftw upgrade your app from requirejs amd to commonjs module format via an automated refactor step in order to browserify it. =thlorenz browserify browserify-tool refactor upgrade commonjs requirejs","author":"=thlorenz","date":"2014-06-21 "},{"name":"browserify-fullscreen","description":"Browserify module for the HTML5 Fullscreen API","url":null,"keywords":"","version":"0.0.0","words":"browserify-fullscreen browserify module for the html5 fullscreen api =coverslide","author":"=coverslide","date":"2013-03-08 "},{"name":"browserify-getopts","description":"Helper for options passing in browserified modules","url":null,"keywords":"browserify","version":"0.0.1","words":"browserify-getopts helper for options passing in browserified modules =daleharvey browserify","author":"=daleharvey","date":"2013-09-01 "},{"name":"browserify-global-shim","description":"Browserify transform for replacing modules with global variables","url":null,"keywords":"","version":"1.0.0","words":"browserify-global-shim browserify transform for replacing modules with global variables =rluba","author":"=rluba","date":"2014-01-26 "},{"name":"browserify-graph","description":"Print a graph of all modules a file depends on","url":null,"keywords":"browserify dependencies dependency graph","version":"0.0.0","words":"browserify-graph print a graph of all modules a file depends on =conradz browserify dependencies dependency graph","author":"=conradz","date":"2013-11-28 "},{"name":"browserify-gulp-starter","description":"A starter project that uses both browserify and gulp in its build toolchain.\nIncludes demo apps for AngularJs and Famo.us","url":null,"keywords":"build browserify gulp seed starter angularjs famous","version":"0.0.3","words":"browserify-gulp-starter a starter project that uses both browserify and gulp in its build toolchain.\nincludes demo apps for angularjs and famo.us =bguiz build browserify gulp seed starter angularjs famous","author":"=bguiz","date":"2014-08-31 "},{"name":"browserify-handbook","description":"how to build modular applications with browserify","url":null,"keywords":"documentation guide handbook browserify","version":"1.6.0","words":"browserify-handbook how to build modular applications with browserify =substack documentation guide handbook browserify","author":"=substack","date":"2014-08-12 "},{"name":"browserify-handlebars","description":"browserify transform for handlebars template files","url":null,"keywords":"browserify handlebars transform","version":"0.2.0","words":"browserify-handlebars browserify transform for handlebars template files =dlmanning browserify handlebars transform","author":"=dlmanning","date":"2013-12-26 "},{"name":"browserify-hogan","description":"Browserify transform plugin for Hogan.js templates","url":null,"keywords":"browserify hogan mustache transform browserify-transform","version":"0.3.0","words":"browserify-hogan browserify transform plugin for hogan.js templates =unfold =callumlocke browserify hogan mustache transform browserify-transform","author":"=unfold =callumlocke","date":"2014-07-29 "},{"name":"browserify-html-bindify","description":"browserify-html-bindify","url":null,"keywords":"","version":"0.2.0","words":"browserify-html-bindify browserify-html-bindify =riim","author":"=riim","date":"2014-09-14 "},{"name":"browserify-htmlr","description":"Browserify transform for html/underscore templates","url":null,"keywords":"","version":"0.0.3","words":"browserify-htmlr browserify transform for html/underscore templates =pr1ntr","author":"=pr1ntr","date":"2013-05-24 "},{"name":"browserify-incremental","description":"Incremental rebuild for browserify","url":null,"keywords":"","version":"0.1.2","words":"browserify-incremental incremental rebuild for browserify =jsdf","author":"=jsdf","date":"2014-07-23 "},{"name":"browserify-istanbul","description":"A browserify transform for the istanbul code coverage tool","url":null,"keywords":"browserify coverage istanbul","version":"0.1.2","words":"browserify-istanbul a browserify transform for the istanbul code coverage tool =devongovett browserify coverage istanbul","author":"=devongovett","date":"2014-08-13 "},{"name":"browserify-jade","description":"browserify v2 plugin for jade with sourcemaps support","url":null,"keywords":"browserify v2 jade plugin transform source maps sourcemaps","version":"0.1.2","words":"browserify-jade browserify v2 plugin for jade with sourcemaps support =sidorares =alexstrat browserify v2 jade plugin transform source maps sourcemaps","author":"=sidorares =alexstrat","date":"2014-09-19 "},{"name":"browserify-jide-template","description":"A Browserify transform for jide.js templates.","url":null,"keywords":"browserify transform browserify-transform jide jidejs","version":"1.0.0","words":"browserify-jide-template a browserify transform for jide.js templates. =pago browserify transform browserify-transform jide jidejs","author":"=pago","date":"2014-01-27 "},{"name":"browserify-jquery","description":"jQuery: The Write Less, Do More, JavaScript Library (packaged for Node.JS)","url":null,"keywords":"util dom jquery","version":"1.6.3","words":"browserify-jquery jquery: the write less, do more, javascript library (packaged for node.js) =cjroebuck util dom jquery","author":"=cjroebuck","date":"2011-10-07 "},{"name":"browserify-length","description":"Lists modules in a Browserify bundle by their length and percentage","url":null,"keywords":"browserify","version":"0.0.0","words":"browserify-length lists modules in a browserify bundle by their length and percentage =azer browserify","author":"=azer","date":"2014-06-15 "},{"name":"browserify-livescript","description":"browserify v2 plugin for livescript","url":null,"keywords":"livescript browserify v2 plugin transform","version":"0.0.2","words":"browserify-livescript browserify v2 plugin for livescript =coachshea livescript browserify v2 plugin transform","author":"=coachshea","date":"2014-03-19 "},{"name":"browserify-loader","description":"Another CommonJS Loader","url":null,"keywords":"commonjs module loader browserify","version":"0.2.0","words":"browserify-loader another commonjs loader =island205 commonjs module loader browserify","author":"=island205","date":"2014-08-22 "},{"name":"browserify-middleware","description":"express middleware for browserify v2","url":null,"keywords":"browserify v2 middleware express connect","version":"3.0.1","words":"browserify-middleware express middleware for browserify v2 =forbeslindesay browserify v2 middleware express connect","author":"=forbeslindesay","date":"2014-07-15 "},{"name":"browserify-mime","description":"A comprehensive library for mime-type mapping (with browserify support)","url":null,"keywords":"util mime browserify","version":"1.2.9","words":"browserify-mime a comprehensive library for mime-type mapping (with browserify support) =coverslide util mime browserify","author":"=coverslide","date":"2013-03-09 "},{"name":"browserify-minify-module-paths","description":"Take your browserify output, run it through this to compress all the require statements. So require('something') becomes require(1)","url":null,"keywords":"browserify minification","version":"0.0.5","words":"browserify-minify-module-paths take your browserify output, run it through this to compress all the require statements. so require('something') becomes require(1) =dduck browserify minification","author":"=dduck","date":"2014-05-09 "},{"name":"browserify-mustache","description":"Browserify transform plugin for mustache templates","url":null,"keywords":"browserify mustache transform browserify-transform","version":"0.0.2","words":"browserify-mustache browserify transform plugin for mustache templates =hashanp browserify mustache transform browserify-transform","author":"=hashanp","date":"2014-09-17 "},{"name":"browserify-ng-html2js","description":"Browserify transform to compile angular templates into angular modules","url":null,"keywords":"","version":"0.2.0","words":"browserify-ng-html2js browserify transform to compile angular templates into angular modules =javoire","author":"=javoire","date":"2014-08-20 "},{"name":"browserify-ngannotate","description":"A browserify transform that uses ng-annotate to add dependency injection annotations to your AngularJS source code, preparing it for minification.","url":null,"keywords":"browserify browserify-transform angular ng-annotate annotate ngmin ng","version":"0.2.0","words":"browserify-ngannotate a browserify transform that uses ng-annotate to add dependency injection annotations to your angularjs source code, preparing it for minification. =omsmith =olov browserify browserify-transform angular ng-annotate annotate ngmin ng","author":"=omsmith =olov","date":"2014-09-16 "},{"name":"browserify-ngmin","description":"browserify transform version of ngmin","url":null,"keywords":"browserify ngmin angularjs angular","version":"0.1.0","words":"browserify-ngmin browserify transform version of ngmin =tec27 browserify ngmin angularjs angular","author":"=tec27","date":"2014-04-19 "},{"name":"browserify-on-the-fly","description":"interface to load packages from npm, browserify them and serve them via http/websocket","keywords":"","version":[],"words":"browserify-on-the-fly interface to load packages from npm, browserify them and serve them via http/websocket =robertkrahn","author":"=robertkrahn","date":"2013-11-30 "},{"name":"browserify-override","description":"Browserify middleware for local overrides","url":null,"keywords":"","version":"0.0.9","words":"browserify-override browserify middleware for local overrides =willscott","author":"=willscott","date":"2013-07-13 "},{"name":"browserify-pegjs","description":"Browserify v2 plugin for PegJS files.","url":null,"keywords":"pegjs browserify v2 js plugin transform","version":"0.8.0-2","words":"browserify-pegjs browserify v2 plugin for pegjs files. =mrgalaxy pegjs browserify v2 js plugin transform","author":"=mrgalaxy","date":"2014-05-11 "},{"name":"browserify-plain-jade","description":"browserify transform to compile Jade templates to HTML, leaving the parser behind.","url":null,"keywords":"browserify jade templates plugin transform","version":"0.2.0","words":"browserify-plain-jade browserify transform to compile jade templates to html, leaving the parser behind. =redhotvengeance browserify jade templates plugin transform","author":"=redhotvengeance","date":"2013-09-29 "},{"name":"browserify-precompiled","description":"browser-side require() the node way","url":null,"keywords":"browser require commonjs commonj-esque bundle npm javascript","version":"5.9.1-precompiled2","words":"browserify-precompiled browser-side require() the node way =raynos browser require commonjs commonj-esque bundle npm javascript","author":"=raynos","date":"2014-07-27 "},{"name":"browserify-properties","description":"Allow JAVA.properties files to Browserified","url":null,"keywords":"browserify properties java.properties","version":"0.0.0","words":"browserify-properties allow java.properties files to browserified =nowells browserify properties java.properties","author":"=nowells","date":"2014-02-06 "},{"name":"browserify-requireify","description":"Require any type of file when using browserify","url":null,"keywords":"require browserify","version":"0.1.1","words":"browserify-requireify require any type of file when using browserify =tmont require browserify","author":"=tmont","date":"2014-09-13 "},{"name":"browserify-rift-templ","description":"A browserify transform for rift-templ files","url":null,"keywords":"","version":"1.0.0","words":"browserify-rift-templ a browserify transform for rift-templ files =riim","author":"=riim","date":"2014-09-17 "},{"name":"browserify-server","description":"Browserify bundling + static server in one!","url":null,"keywords":"","version":"2.1.18","words":"browserify-server browserify bundling + static server in one! =raynos","author":"=raynos","date":"2013-01-30 "},{"name":"browserify-shader","description":"Super simple WebGL shader loader plugin for browserify","url":null,"keywords":"shader webgl vertex fragment browserify transform","version":"0.0.2","words":"browserify-shader super simple webgl shader loader plugin for browserify =mere shader webgl vertex fragment browserify transform","author":"=mere","date":"2014-05-14 "},{"name":"browserify-shim","description":"Makes CommonJS-incompatible modules browserifyable.","url":null,"keywords":"browserify browserify-transform shim global globals transform window commonjs","version":"3.7.0","words":"browserify-shim makes commonjs-incompatible modules browserifyable. =thlorenz browserify browserify-transform shim global globals transform window commonjs","author":"=thlorenz","date":"2014-08-24 "},{"name":"browserify-shim-dependency","description":"easier way to create dependencies for browserify-shim","url":null,"keywords":"","version":"0.0.2","words":"browserify-shim-dependency easier way to create dependencies for browserify-shim =nmccready","author":"=nmccready","date":"2014-08-16 "},{"name":"browserify-single-file","description":"Runs browserify transforms/plugins on a single file. Useful for make pipeline tasks.","url":null,"keywords":"browserify transform plugin run cli single file make parallel","version":"0.3.0","words":"browserify-single-file runs browserify transforms/plugins on a single file. useful for make pipeline tasks. =tootallnate browserify transform plugin run cli single file make parallel","author":"=tootallnate","date":"2014-08-27 "},{"name":"browserify-smith","description":"Agent Smith for Browserify, includes transforms for LESS, Jade and CoffeeScript transforms.","url":null,"keywords":"browserify coffeescript less jade","version":"1.0.2","words":"browserify-smith agent smith for browserify, includes transforms for less, jade and coffeescript transforms. =alexgorbatchev browserify coffeescript less jade","author":"=alexgorbatchev","date":"2014-05-21 "},{"name":"browserify-sse","description":"A Browserify friendly polyfill for Server Sent Events","url":null,"keywords":"","version":"0.1.0","words":"browserify-sse a browserify friendly polyfill for server sent events =hij1nx","author":"=hij1nx","date":"2013-11-25 "},{"name":"browserify-string","description":"Run browserify over a string or an inline function","url":null,"keywords":"browser browserify string function","version":"1.1.0","words":"browserify-string run browserify over a string or an inline function =eugeneware browser browserify string function","author":"=eugeneware","date":"2014-09-11 "},{"name":"browserify-summary","description":"What's in your bundle?","url":null,"keywords":"","version":"0.1.0","words":"browserify-summary what's in your bundle? =christophercliff","author":"=christophercliff","date":"2014-01-06 "},{"name":"browserify-swap","description":"A transform that swaps out modules according to a config in your package.json selected via an environment variable.","url":null,"keywords":"browserify browserify-transform transform swap stub mock substitute test development","version":"0.2.1","words":"browserify-swap a transform that swaps out modules according to a config in your package.json selected via an environment variable. =thlorenz browserify browserify-transform transform swap stub mock substitute test development","author":"=thlorenz","date":"2014-01-21 "},{"name":"browserify-testability","description":"Testing utility for replacing dependencies with mock versions at test-time, without modifying the original source.","url":null,"keywords":"testing util testability","version":"1.0.0-a.2","words":"browserify-testability testing utility for replacing dependencies with mock versions at test-time, without modifying the original source. =joshua.toenyes testing util testability","author":"=joshua.toenyes","date":"2014-09-16 "},{"name":"browserify-three-math","description":"Math modules from THREE.js","url":null,"keywords":"three.js math vector matrix euler quaterion box line triangle spline sphere plane frustrum color","version":"0.0.6-7.1","words":"browserify-three-math math modules from three.js =charlottegore three.js math vector matrix euler quaterion box line triangle spline sphere plane frustrum color","author":"=charlottegore","date":"2014-06-22 "},{"name":"browserify-through","description":"Handy dandy helper to assist you with writing Browserify transforms.","url":null,"keywords":"browserify transform","version":"1.0.1","words":"browserify-through handy dandy helper to assist you with writing browserify transforms. =alexgorbatchev browserify transform","author":"=alexgorbatchev","date":"2014-05-21 "},{"name":"browserify-tls","description":"Let you use nodejs tls module in browserify via node-forge ","url":null,"keywords":"browserify forge node tls","version":"0.0.2","words":"browserify-tls let you use nodejs tls module in browserify via node-forge =hackwaly browserify forge node tls","author":"=hackwaly","date":"2014-07-22 "},{"name":"browserify-transform","description":"Runs a browserify transform on a single file. Useful for make pipeline tasks.","url":null,"keywords":"browserify transform run cli single file make parallel","version":"0.1.1","words":"browserify-transform runs a browserify transform on a single file. useful for make pipeline tasks. =tootallnate browserify transform run cli single file make parallel","author":"=tootallnate","date":"2014-08-26 "},{"name":"browserify-transform-tools","description":"Utilities for writing browserify transforms.","url":null,"keywords":"browserify transform utilities","version":"1.2.1","words":"browserify-transform-tools utilities for writing browserify transforms. =jwalton browserify transform utilities","author":"=jwalton","date":"2014-01-20 "},{"name":"browserify-typescript","description":"Browserify typescript transcoder","url":null,"keywords":"browserify typescript","version":"0.0.1","words":"browserify-typescript browserify typescript transcoder =kjv browserify typescript","author":"=kjv","date":"2014-03-03 "},{"name":"browserify-watcher","description":"watches a set of js files, bundles each with browserify into a bundle. uses browserify 1.x, currently.","url":null,"keywords":"browserify watch","version":"2.1.1","words":"browserify-watcher watches a set of js files, bundles each with browserify into a bundle. uses browserify 1.x, currently. =dtrejo browserify watch","author":"=dtrejo","date":"2013-04-07 "},{"name":"browserify-widget","description":"Easily create html widgets with browserify","url":null,"keywords":"browserify widget react","version":"0.1.0","words":"browserify-widget easily create html widgets with browserify =maxgfeller browserify widget react","author":"=maxgfeller","date":"2014-07-02 "},{"name":"browserify-xcharts","description":"A D3-based library for building custom charts and graphs.","url":null,"keywords":"chart d3.js d3 svg tenXer","version":"0.3.3","words":"browserify-xcharts a d3-based library for building custom charts and graphs. =antonamurskiy chart d3.js d3 svg tenxer","author":"=antonamurskiy","date":"2013-11-22 "},{"name":"browserify-zepto","description":"Browserify version of Zepto","url":null,"keywords":"zepto browserify browser","version":"1.1.4","words":"browserify-zepto browserify version of zepto =42loops zepto browserify browser","author":"=42loops","date":"2014-07-08 "},{"name":"browserify-zlib","description":"Full zlib module for browserify","url":null,"keywords":"zlib browserify","version":"0.1.4","words":"browserify-zlib full zlib module for browserify =devongovett zlib browserify","author":"=devongovett","date":"2014-04-18 "},{"name":"browserifyer","description":"Automagicly browserify your scripts as you edit them.","url":null,"keywords":"browserify watcher automatic","version":"0.0.9","words":"browserifyer automagicly browserify your scripts as you edit them. =mauricebutler browserify watcher automatic","author":"=mauricebutler","date":"2013-07-15 "},{"name":"browserifymagic","description":"more magical browserify middleware.","url":null,"keywords":"browserify connect union express middleware","version":"1.1.1","words":"browserifymagic more magical browserify middleware. =nathan7 browserify connect union express middleware","author":"=nathan7","date":"2012-12-10 "},{"name":"browserijade","description":"A Browserify middleware that pre-compiles Jade templates on the server and uses the light-weight Jade runtime made for the browser to render them on the client.","url":null,"keywords":"browserify middleware jade template view","version":"0.5.7","words":"browserijade a browserify middleware that pre-compiles jade templates on the server and uses the light-weight jade runtime made for the browser to render them on the client. =edmellum browserify middleware jade template view","author":"=edmellum","date":"2012-10-25 "},{"name":"browseris","description":"Ask questions about the browser in Express.","url":null,"keywords":"browser useragent detection mobile tablet desktop","version":"1.1.0","words":"browseris ask questions about the browser in express. =evanhahn browser useragent detection mobile tablet desktop","author":"=evanhahn","date":"2013-05-17 "},{"name":"browserjet","description":"headless webkit browser","url":null,"keywords":"","version":"0.1.0","words":"browserjet headless webkit browser =briankircho","author":"=briankircho","date":"2013-10-01 "},{"name":"browserjs","description":"浏览器自动化测试工具","url":null,"keywords":"","version":"0.1.32","words":"browserjs 浏览器自动化测试工具 =uitest","author":"=uitest","date":"2014-08-07 "},{"name":"browserkthx","description":"Encourage your users to update their browser via a simple middleware.","url":null,"keywords":"","version":"0.0.2","words":"browserkthx encourage your users to update their browser via a simple middleware. =shtylman","author":"=shtylman","date":"2013-01-23 "},{"name":"browserlib","description":"Wrappers around common browser-based functionality.","url":null,"keywords":"browser event css","version":"1.0.1","words":"browserlib wrappers around common browser-based functionality. =jeffharrell browser event css","author":"=jeffharrell","date":"2014-06-21 "},{"name":"browserman","description":"test you code in real browsers","url":null,"keywords":"","version":"0.1.2","words":"browserman test you code in real browsers =ltebean","author":"=ltebean","date":"2014-06-11 "},{"name":"browserman-client","description":"test you code in real browsers","url":null,"keywords":"test browser","version":"0.1.2","words":"browserman-client test you code in real browsers =ltebean test browser","author":"=ltebean","date":"2014-08-07 "},{"name":"browserman-server","keywords":"","version":[],"words":"browserman-server","author":"","date":"2014-04-30 "},{"name":"browsermob-proxy","description":"Javascript bindings for the browsermob-proxy","url":null,"keywords":"selenium test testing proxy tests har","version":"1.0.6","words":"browsermob-proxy javascript bindings for the browsermob-proxy =zzo selenium test testing proxy tests har","author":"=zzo","date":"2014-08-21 "},{"name":"browsermob-proxy-api","description":"NodeJS bindings for controlling a browsermob-proxy instance (creating ports, HARs, etc)","url":null,"keywords":"nodejs browsermob-proxy API HAR test","version":"0.1.2","words":"browsermob-proxy-api nodejs bindings for controlling a browsermob-proxy instance (creating ports, hars, etc) =jmangs nodejs browsermob-proxy api har test","author":"=jmangs","date":"2014-03-19 "},{"name":"browsermodules","description":"package node module style files for the browser","url":null,"keywords":"node modules browser","version":"0.0.1","words":"browsermodules package node module style files for the browser =bonuspunkt node modules browser","author":"=bonuspunkt","date":"2013-08-20 "},{"name":"browsernizr","description":"Modernizr wrapper for use with browserify","url":null,"keywords":"modernizr modernizer browserify","version":"1.0.2","words":"browsernizr modernizr wrapper for use with browserify =jnordberg modernizr modernizer browserify","author":"=jnordberg","date":"2013-11-28 "},{"name":"browsernizr2","description":"Modernizr wrapper for use with browserify","url":null,"keywords":"modernizr modernizer browserify","version":"1.0.5","words":"browsernizr2 modernizr wrapper for use with browserify =devongovett modernizr modernizer browserify","author":"=devongovett","date":"2014-06-23 "},{"name":"browseroverflow","description":"An all-in-one library for launching BrowserStack browsers.","url":null,"keywords":"","version":"0.1.0","words":"browseroverflow an all-in-one library for launching browserstack browsers. =airportyh =jfromaniello","author":"=airportyh =jfromaniello","date":"2013-11-21 "},{"name":"browsers","description":"A simple browser driver.","url":null,"keywords":"browser driver","version":"1.0.2","words":"browsers a simple browser driver. =kangpangpang =fool2fish browser driver","author":"=kangpangpang =fool2fish","date":"2014-05-29 "},{"name":"browsersavefile","description":"This module will save a blob/file from the browser.","url":null,"keywords":"browser save file browserify","version":"0.0.1","words":"browsersavefile this module will save a blob/file from the browser. =mikkoh browser save file browserify","author":"=mikkoh","date":"2014-09-05 "},{"name":"browserscreenshot","description":"A command line interface to get screenshots from BrowserStack's Screenshot API","url":null,"keywords":"","version":"0.1.3","words":"browserscreenshot a command line interface to get screenshots from browserstack's screenshot api =alaguna","author":"=alaguna","date":"2013-07-15 "},{"name":"browserstack","description":"A client for working with the BrowserStack API.","url":null,"keywords":"","version":"1.1.0","words":"browserstack a client for working with the browserstack api. =scott.gonzalez","author":"=scott.gonzalez","date":"2014-09-17 "},{"name":"browserstack-cli","description":"A command line interface for the BrowserStack API.","url":null,"keywords":"","version":"0.3.1","words":"browserstack-cli a command line interface for the browserstack api. =dbrans =airportyh =jfromaniello","author":"=dbrans =airportyh =jfromaniello","date":"2014-01-07 "},{"name":"browserstack-protractor","description":"A wrapper to start browserstack local before protractor test are running.","url":null,"keywords":"browserstack protractor angular test testing","version":"0.0.5","words":"browserstack-protractor a wrapper to start browserstack local before protractor test are running. =engerim browserstack protractor angular test testing","author":"=engerim","date":"2014-08-07 "},{"name":"browserstack-runner","description":"A command line interface to run browser tests over BrowserStack","url":null,"keywords":"","version":"0.1.14","words":"browserstack-runner a command line interface to run browser tests over browserstack =browserstack","author":"=browserstack","date":"2014-05-21 "},{"name":"browserstack-test","description":"Run your unit tests automatically on BrowserStack","url":null,"keywords":"BrowserStack test Mocha Jasmine","version":"0.2.10","words":"browserstack-test run your unit tests automatically on browserstack =bramstein browserstack test mocha jasmine","author":"=bramstein","date":"2013-08-27 "},{"name":"browserstack-webdriver","description":"BrowserStack WebDriver JavaScript bindings with keep alive support","url":null,"keywords":"automation selenium testing webdriver webdriverjs","version":"2.41.1","words":"browserstack-webdriver browserstack webdriver javascript bindings with keep alive support =browserstack automation selenium testing webdriver webdriverjs","author":"=browserstack","date":"2014-04-05 "},{"name":"browserstack-workers","description":"A library for creating workers on BrowserStack and retrieving results","url":null,"keywords":"browserstack worker","version":"0.2.5","words":"browserstack-workers a library for creating workers on browserstack and retrieving results =bramstein browserstack worker","author":"=bramstein","date":"2013-08-27 "},{"name":"browserstackapi","description":"Talk to the browserStackApi","url":null,"keywords":"url browserStack","version":"0.1.3","words":"browserstackapi talk to the browserstackapi =pranay url browserstack","author":"=pranay","date":"2013-12-28 "},{"name":"browserstacklocal","description":"Binaries for support BrowserStack local tunneling","url":null,"keywords":"BrowserStack local binaries tunnel","version":"0.0.4","words":"browserstacklocal binaries for support browserstack local tunneling =mczolko browserstack local binaries tunnel","author":"=mczolko","date":"2014-05-21 "},{"name":"browserstacktunnel-wrapper","description":"A Node.js wrapper for the BrowserStack java tunnel client ","url":null,"keywords":"BrowserStack BrowserStackTunnel spawn child_process","version":"1.3.0","words":"browserstacktunnel-wrapper a node.js wrapper for the browserstack java tunnel client =pghalliday browserstack browserstacktunnel spawn child_process","author":"=pghalliday","date":"2014-06-02 "},{"name":"browserstig","description":"Browser Automation without Selenium.","url":null,"keywords":"Automation Browser Automation Browser Testing Browser Functional Testing","version":"0.1.2","words":"browserstig browser automation without selenium. =justspamjustin automation browser automation browser testing browser functional testing","author":"=justspamjustin","date":"2013-12-17 "},{"name":"browsersync-ssi","description":"SSI (Server Side Includes) Middleware for Browser-Sync","url":null,"keywords":"SSI browsersync browser-sync gulp grunt Server Side Includes","version":"0.2.2","words":"browsersync-ssi ssi (server side includes) middleware for browser-sync =soenkekluth ssi browsersync browser-sync gulp grunt server side includes","author":"=soenkekluth","date":"2014-09-15 "},{"name":"browsertab","description":"Track which tabs are visible and most-recently-used.","url":null,"keywords":"","version":"0.0.3","words":"browsertab track which tabs are visible and most-recently-used. =mjpizz","author":"=mjpizz","date":"2014-08-28 "},{"name":"browsertap","description":"apuppet =======","url":null,"keywords":"","version":"0.0.1","words":"browsertap apuppet ======= =architectd","author":"=architectd","date":"2013-05-12 "},{"name":"browsertap.com","keywords":"","version":[],"words":"browsertap.com","author":"","date":"2014-03-02 "},{"name":"browserType","description":"to determine the browser type, this is a middleware of connect.","url":null,"keywords":"","version":"0.2.0","words":"browsertype to determine the browser type, this is a middleware of connect. =brighthas","author":"=brighthas","date":"2012-06-16 "},{"name":"browservefy","description":"quicky http server to test out browserify changes rapidly","url":null,"keywords":"simplehttpserver browserify","version":"0.0.10","words":"browservefy quicky http server to test out browserify changes rapidly =chrisdickinson simplehttpserver browserify","author":"=chrisdickinson","date":"2013-03-25 "},{"name":"browserver","description":"෴ A browserver proxy for node.js ෴","url":null,"keywords":"websocket http server browser webhook","version":"0.1.2","words":"browserver ෴ a browserver proxy for node.js ෴ =jed websocket http server browser webhook","author":"=jed","date":"2012-08-29 "},{"name":"browserver-client","description":"෴ A node.js HTTP server in your browser ෴","url":null,"keywords":"","version":"0.1.3","words":"browserver-client ෴ a node.js http server in your browser ෴ =jed","author":"=jed","date":"2013-05-17 "},{"name":"browserver-router","description":"A platform-agnostic router for HTTP listeners that follow the node.js spec","url":null,"keywords":"browser server http router","version":"0.1.1","words":"browserver-router a platform-agnostic router for http listeners that follow the node.js spec =jed browser server http router","author":"=jed","date":"2012-09-01 "},{"name":"browserverify","description":"Browserify directory server","url":null,"keywords":"browserify server","version":"0.0.3","words":"browserverify browserify directory server =lapple browserify server","author":"=lapple","date":"2013-11-07 "},{"name":"browserx","description":"Web browser for node.js","url":null,"keywords":"browser http html web","version":"1.0.1","words":"browserx web browser for node.js =pkrumins browser http html web","author":"=pkrumins","date":"2012-02-01 "},{"name":"browsewithme","description":"Navega por Internet en grupo con browsewithme","url":null,"keywords":"cobrowsing","version":"0.0.1","words":"browsewithme navega por internet en grupo con browsewithme =joker-x cobrowsing","author":"=joker-x","date":"2013-01-28 "},{"name":"browsify","description":"Batch convert CommonJS modules into browser compatible ones","url":null,"keywords":"","version":"0.0.4","words":"browsify batch convert commonjs modules into browser compatible ones =brentlintner","author":"=brentlintner","date":"2014-08-16 "},{"name":"browsy","description":"manipulate the client DOM over socket.io","url":null,"keywords":"browser gui socket.io realtime client model","version":"0.0.2","words":"browsy manipulate the client dom over socket.io =ehremo browser gui socket.io realtime client model","author":"=ehremo","date":"2013-10-17 "},{"name":"broxy","description":"Simple proxy script, to make it easy to set up a quick HTTP(s) proxy from the command line","url":null,"keywords":"","version":"1.0.1","words":"broxy simple proxy script, to make it easy to set up a quick http(s) proxy from the command line =coverslide","author":"=coverslide","date":"2013-09-18 "},{"name":"brozula","description":"Lua VM for running luajit bytecode in JavaScript","url":null,"keywords":"lua vm bytecode","version":"0.0.2","words":"brozula lua vm for running luajit bytecode in javascript =creationix lua vm bytecode","author":"=creationix","date":"2012-12-05 "},{"name":"brph-mean-auth","description":"An auth solution for the MEAN stack.","url":null,"keywords":"","version":"0.3.1","words":"brph-mean-auth an auth solution for the mean stack. =bericp1","author":"=bericp1","date":"2014-07-06 "},{"name":"brph-mean-auth-server","keywords":"","version":[],"words":"brph-mean-auth-server","author":"","date":"2014-06-24 "},{"name":"brpkg","description":"inlines required package.json","url":null,"keywords":"browserify package.json require plugin static asset bundle","version":"0.1.0","words":"brpkg inlines required package.json =curvedmark browserify package.json require plugin static asset bundle","author":"=curvedmark","date":"2013-05-10 "},{"name":"brreg","description":"Look up data from the Norwegian Entity Registry","url":null,"keywords":"","version":"0.0.4","words":"brreg look up data from the norwegian entity registry =zrrrzzt","author":"=zrrrzzt","date":"2014-06-03 "},{"name":"brstar","description":"Browserify transform to preprocess static input brfs-style with your own modules.","url":null,"keywords":"brfs inline browserify-transform source modify replace custom","version":"0.1.0","words":"brstar browserify transform to preprocess static input brfs-style with your own modules. =hughsk brfs inline browserify-transform source modify replace custom","author":"=hughsk","date":"2014-03-14 "},{"name":"brt","description":"Browser Tools: command-line tools for browsers","url":null,"keywords":"command-line browsers browser extensions utilities","version":"0.0.1","words":"brt browser tools: command-line tools for browsers =bat command-line browsers browser extensions utilities","author":"=bat","date":"2011-05-16 "},{"name":"brtapsauce","description":"Browserify TAP test runner for SauceLabs","url":null,"keywords":"saucelabs tap test browserify","version":"0.3.0","words":"brtapsauce browserify tap test runner for saucelabs =rvagg saucelabs tap test browserify","author":"=rvagg","date":"2014-01-07 "},{"name":"bruce-github-example","description":"Get a list of github user repos","url":null,"keywords":"github repos github user repos","version":"0.0.2","words":"bruce-github-example get a list of github user repos =brucewhealton github repos github user repos","author":"=brucewhealton","date":"2013-08-01 "},{"name":"brucedown","description":"A near-perfect GitHub style Markdown to HTML converter","url":null,"keywords":"markdown gfm","version":"1.0.1","words":"brucedown a near-perfect github style markdown to html converter =rvagg markdown gfm","author":"=rvagg","date":"2014-09-16 "},{"name":"bruiser","description":"A global browser for node.js that fools isolated js/jquery scripts into thinking they're running in the browser","url":null,"keywords":"browser testing","version":"0.0.3-alpha","words":"bruiser a global browser for node.js that fools isolated js/jquery scripts into thinking they're running in the browser =khrome browser testing","author":"=khrome","date":"2013-12-18 "},{"name":"brunch","description":"A lightweight approach to building HTML5 applications with emphasis on elegance and simplicity","url":null,"keywords":"assembler builder stack chaplin backbone ember angular html5","version":"1.7.16","words":"brunch a lightweight approach to building html5 applications with emphasis on elegance and simplicity =tosh =nikgraf =paulmillr =es128 assembler builder stack chaplin backbone ember angular html5","author":"=tosh =nikgraf =paulmillr =es128","date":"2014-09-13 "},{"name":"brunch-extensions","description":"Official brunch extensions. Adds support of many languages to brunch.","url":null,"keywords":"","version":"0.2.2","words":"brunch-extensions official brunch extensions. adds support of many languages to brunch. =paulmillr","author":"=paulmillr","date":"2012-04-16 "},{"name":"brunch-pleeease","description":"Adds Pleeease support to Brunch.","url":null,"keywords":"postcss brunch postprocessor pleeease","version":"1.0.0","words":"brunch-pleeease adds pleeease support to brunch. =iamvdo postcss brunch postprocessor pleeease","author":"=iamvdo","date":"2014-08-29 "},{"name":"brunch-scab","description":"Brunch 'SCAB' - brunch skeleton with SASS, CoffeeScript, Angular and Bootstrap","url":null,"keywords":"","version":"1.0.1","words":"brunch-scab brunch 'scab' - brunch skeleton with sass, coffeescript, angular and bootstrap =jakubburkiewicz","author":"=jakubburkiewicz","date":"2014-03-18 "},{"name":"brunch-signature","description":"A Brunch plugin that generates a unique signature as part of the brunch build process.","url":null,"keywords":"","version":"1.0.1","words":"brunch-signature a brunch plugin that generates a unique signature as part of the brunch build process. =mutewinter","author":"=mutewinter","date":"2013-11-21 "},{"name":"brunch-snockets","description":"Adds support for Sprockets-style requires in CoffeeScript to brunch.","url":null,"keywords":"","version":"0.1.5","words":"brunch-snockets adds support for sprockets-style requires in coffeescript to brunch. =kevinrobinson","author":"=kevinrobinson","date":"2013-03-29 "},{"name":"brunch-with-ember-and-bootstrap","description":"A Brunch skeleton for developing clean Ember applications with CoffeeScript, Stylus, Twitter Bootstrap and Font Awesome","url":null,"keywords":"brunch skeleton ember ember-data coffeescript stylus bootstrap normalize font awesome","version":"0.4.2-1","words":"brunch-with-ember-and-bootstrap a brunch skeleton for developing clean ember applications with coffeescript, stylus, twitter bootstrap and font awesome =huafu brunch skeleton ember ember-data coffeescript stylus bootstrap normalize font awesome","author":"=huafu","date":"2013-09-27 "},{"name":"bruno","description":"A little CMS with speed of creation in mind","url":null,"keywords":"","version":"0.0.0","words":"bruno a little cms with speed of creation in mind =camshaft","author":"=CamShaft","date":"2012-06-20 "},{"name":"bruno_hubot-scripts","description":"Allows you to opt in to a variety of scripts","url":null,"keywords":"hubot plugin scripts campfire bot robot","version":"2.0.6","words":"bruno_hubot-scripts allows you to opt in to a variety of scripts =bruno hubot plugin scripts campfire bot robot","author":"=bruno","date":"2011-12-22 "},{"name":"brush","description":"a brush is remotely like a mustache except it isn't","url":null,"keywords":"mustache","version":"1.0.1","words":"brush a brush is remotely like a mustache except it isn't =nathan7 mustache","author":"=nathan7","date":"2013-01-03 "},{"name":"brushes.js","description":"HTML5 canvas brushes","url":null,"keywords":"","version":"0.0.2","words":"brushes.js html5 canvas brushes =jimschubert","author":"=jimschubert","date":"2011-10-04 "},{"name":"brushtail","description":"JS AST rewriter for tail call elimination","url":null,"keywords":"tco tail-call","version":"0.0.1","words":"brushtail js ast rewriter for tail call elimination =puffnfresh tco tail-call","author":"=puffnfresh","date":"2013-07-24 "},{"name":"brusque","keywords":"","version":[],"words":"brusque","author":"","date":"2014-04-05 "},{"name":"brutal","description":"Brutal is a sprite sheet generator for specific use-cases","url":null,"keywords":"","version":"0.0.1","words":"brutal brutal is a sprite sheet generator for specific use-cases =davidglivar","author":"=davidglivar","date":"2014-03-24 "},{"name":"brute","description":"minimalist rootfs building utilities (for initramfs and such)","url":null,"keywords":"","version":"1.0.2","words":"brute minimalist rootfs building utilities (for initramfs and such) =nathan7","author":"=nathan7","date":"2014-03-31 "},{"name":"brutee","description":"One of the smallest permutation-generators out there.","url":null,"keywords":"bruteforce permutation brute brutee","version":"1.0.0","words":"brutee one of the smallest permutation-generators out there. =einfallstoll bruteforce permutation brute brutee","author":"=einfallstoll","date":"2014-01-13 "},{"name":"bryan-faceplate","description":"Node.js wrapper for facebook auth/api","url":null,"keywords":"facebook","version":"0.0.1","words":"bryan-faceplate node.js wrapper for facebook auth/api =bryanwood facebook","author":"=bryanwood","date":"2013-08-15 "},{"name":"brz","description":"simple wrapper around npm that automagically updates package.json dependencies","url":null,"keywords":"npm wrapper dependency dependencies package.json command tool","version":"0.0.0","words":"brz simple wrapper around npm that automagically updates package.json dependencies =mintplant npm wrapper dependency dependencies package.json command tool","author":"=mintplant","date":"2012-08-01 "},{"name":"bs","description":"Generates a shim for a given browser","url":null,"keywords":"html html5 shim es5 es6 compatibility useragent","version":"0.1.0","words":"bs generates a shim for a given browser =marcello html html5 shim es5 es6 compatibility useragent","author":"=marcello","date":"2013-02-24 "},{"name":"bs-html-injector","description":"Inject HTML changes without reloading the browser. Requires an existing page with at a `` tag.","url":null,"keywords":"","version":"0.0.2","words":"bs-html-injector inject html changes without reloading the browser. requires an existing page with at a `` tag. =shakyshane","author":"=shakyshane","date":"2014-08-10 "},{"name":"bs-lightbox","description":"A lightbox gallery plugin for Bootstrap 3 based on the Modal plugin.","url":null,"keywords":"lightbox gallery bootstrap jquery modal plugin","version":"1.0.1","words":"bs-lightbox a lightbox gallery plugin for bootstrap 3 based on the modal plugin. =starydzolero lightbox gallery bootstrap jquery modal plugin","author":"=starydzolero","date":"2014-06-18 "},{"name":"bs-oauth","keywords":"","version":[],"words":"bs-oauth","author":"","date":"2014-08-25 "},{"name":"bs-snippet-injector","description":"Write & Remove the BrowserSync Snippet to a file","url":null,"keywords":"browser sync","version":"0.0.7","words":"bs-snippet-injector write & remove the browsersync snippet to a file =shakyshane browser sync","author":"=shakyshane","date":"2014-08-10 "},{"name":"bs58","description":"Base 58 encoding / decoding","url":null,"keywords":"base58 bitcoin crypto crytography decode decoding encode encoding litecoin","version":"1.2.1","words":"bs58 base 58 encoding / decoding =jp =midnightlightning =sidazhang =nadav base58 bitcoin crypto crytography decode decoding encode encoding litecoin","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-07-24 "},{"name":"bs58check","description":"A straightforward implementation of base58-check encoding","url":null,"keywords":"base58 base58check bitcoin bs58 decode decoding encode encoding litecoin","version":"1.0.1","words":"bs58check a straightforward implementation of base58-check encoding =dcousens base58 base58check bitcoin bs58 decode decoding encode encoding litecoin","author":"=dcousens","date":"2014-07-25 "},{"name":"bs64","description":"Base 64 encoding.","url":null,"keywords":"crytography crypto bitcoin base64 encoding decoding encode decode litecoin","version":"0.1.0","words":"bs64 base 64 encoding. =jp =midnightlightning =sidazhang crytography crypto bitcoin base64 encoding decoding encode decode litecoin","author":"=jp =midnightlightning =sidazhang","date":"2014-02-05 "},{"name":"bsb-parser","description":"Simple BSB Parser","url":null,"keywords":"bsb kap parser peg","version":"1.0.0","words":"bsb-parser simple bsb parser =mlegenhausen bsb kap parser peg","author":"=mlegenhausen","date":"2014-09-16 "},{"name":"bscoords","description":"Get location based on (MCC, MNC, LAC, CellID) using Google, Yandex, OpenCellID and Mozilla Location Service","url":null,"keywords":"bts base station opencellid mozilla location service mozlocation location google yandex gsm umts lte geolocation coordinate latitude longitude cellid lac cid mcc mnc","version":"0.0.1","words":"bscoords get location based on (mcc, mnc, lac, cellid) using google, yandex, opencellid and mozilla location service =rukolonist bts base station opencellid mozilla location service mozlocation location google yandex gsm umts lte geolocation coordinate latitude longitude cellid lac cid mcc mnc","author":"=rukolonist","date":"2014-05-23 "},{"name":"bscss","description":"Browser-specific CSS","url":null,"keywords":"css transform browser","version":"0.0.7","words":"bscss browser-specific css =stoyan css transform browser","author":"=stoyan","date":"2014-06-25 "},{"name":"bsdiff","description":"Bindings to bsdiff","url":null,"keywords":"","version":"0.0.1","words":"bsdiff bindings to bsdiff =mikepb","author":"=mikepb","date":"2012-02-23 "},{"name":"bsdiff-bin","description":"binary diff using bsdiff and bspatch. binaries included for windows","url":null,"keywords":"bsdiff bspatch binary-diff diff","version":"0.1.0","words":"bsdiff-bin binary diff using bsdiff and bspatch. binaries included for windows =matthiasg bsdiff bspatch binary-diff diff","author":"=matthiasg","date":"2013-04-22 "},{"name":"bsdiff4","description":"BSDiff/BSPatch port for node.js","url":null,"keywords":"bsdiff bspatch diff patch","version":"0.0.2","words":"bsdiff4 bsdiff/bspatch port for node.js =bacchusrx bsdiff bspatch diff patch","author":"=bacchusrx","date":"2012-04-24 "},{"name":"bsearch","description":"Binary Search for JavaScript","url":null,"keywords":"","version":"0.1.1","words":"bsearch binary search for javascript =dtinth","author":"=dtinth","date":"2013-02-02 "},{"name":"bselect","description":"The select decorator component that was missing for Twitter Bootstrap.","url":null,"keywords":"","version":"0.3.3","words":"bselect the select decorator component that was missing for twitter bootstrap. =gustavohenke","author":"=gustavohenke","date":"2014-02-02 "},{"name":"bsh","description":"the last shell i ever want to use, kitchen sink soon to follow","url":null,"keywords":"shell information aggregation information management","version":"0.0.2","words":"bsh the last shell i ever want to use, kitchen sink soon to follow =heath shell information aggregation information management","author":"=heath","date":"2012-12-04 "},{"name":"bsjs","description":"OpenSource JavaScript library","url":null,"keywords":"library","version":"0.5.4","words":"bsjs opensource javascript library =tipjs library","author":"=tipjs","date":"2014-07-28 "},{"name":"bsl","description":"Bsl HTML5 Framework for Mobile","url":null,"keywords":"","version":"1.1.3","words":"bsl bsl html5 framework for mobile =yezhiming =juno5460","author":"=yezhiming =juno5460","date":"2013-07-17 "},{"name":"bson","description":"A bson parser for node.js and the browser","url":null,"keywords":"mongodb bson parser","version":"0.2.15","words":"bson a bson parser for node.js and the browser =octave =christkv mongodb bson parser","author":"=octave =christkv","date":"2014-09-04 "},{"name":"bson-ton","description":"BSON/MongoDB types for ton","url":null,"keywords":"","version":"0.0.1","words":"bson-ton bson/mongodb types for ton =fractal","author":"=fractal","date":"2012-05-20 "},{"name":"bsonstream","description":"A BSON parsing stream, will emit all childs of the main list","url":null,"keywords":"bson stream mongodb","version":"0.1.1","words":"bsonstream a bson parsing stream, will emit all childs of the main list =eaterofcode bson stream mongodb","author":"=eaterofcode","date":"2014-01-21 "},{"name":"bsp-grunt","description":"Standard set of Grunt configurations for Brightspot projects.","url":null,"keywords":"brightspot grunt","version":"1.0.8","words":"bsp-grunt standard set of grunt configurations for brightspot projects. =hyoolim brightspot grunt","author":"=hyoolim","date":"2014-08-21 "},{"name":"bsprite","description":"A node module for generating and serving bsprites over node http, express or Hapi","url":null,"keywords":"sprite node express","version":"0.0.0","words":"bsprite a node module for generating and serving bsprites over node http, express or hapi =mtharrison sprite node express","author":"=mtharrison","date":"2014-08-03 "},{"name":"bsproof","description":"Blind solvency proof","url":null,"keywords":"bitcoin solvency proof","version":"0.0.1","words":"bsproof blind solvency proof =olalonde bitcoin solvency proof","author":"=olalonde","date":"2014-03-19 "},{"name":"bsss","description":"README.md","url":null,"keywords":"","version":"0.1.3","words":"bsss readme.md =bekzod","author":"=bekzod","date":"2013-04-10 "},{"name":"bstwitter","keywords":"","version":[],"words":"bstwitter","author":"","date":"2012-06-21 "},{"name":"bswagger","description":"Generate customizable swagger definitions for your Baucis REST API.","url":null,"keywords":"baucis REST RESTful API plugin swagger documentation","version":"0.2.11","words":"bswagger generate customizable swagger definitions for your baucis rest api. =j.sedlan baucis rest restful api plugin swagger documentation","author":"=j.sedlan","date":"2014-03-28 "},{"name":"bsync","description":"Async++","url":null,"keywords":"async parallel flow","version":"0.0.7","words":"bsync async++ =circuithub async parallel flow","author":"=circuithub","date":"2013-07-18 "},{"name":"bsync-fibers","description":"Extremely easy fibers/futures library (using node-fibers). Also wraps caolan/async functions for better fiber-ized syntax.","url":null,"keywords":"async asynchronous fibers synchronous coffee coffee-script coffeescript callback collections","version":"0.1.2","words":"bsync-fibers extremely easy fibers/futures library (using node-fibers). also wraps caolan/async functions for better fiber-ized syntax. =brynb async asynchronous fibers synchronous coffee coffee-script coffeescript callback collections","author":"=brynb","date":"2012-11-30 "},{"name":"bt","description":"Detect content-type from Buffer data.","url":null,"keywords":"buffer-type content-type buffer type filetype file extension buffer type","version":"0.0.1","words":"bt detect content-type from buffer data. =fengmk2 buffer-type content-type buffer type filetype file extension buffer type","author":"=fengmk2","date":"2013-08-12 "},{"name":"btakita-esvalidate","description":"A CLI for esvalidate","url":null,"keywords":"","version":"0.0.1","words":"btakita-esvalidate a cli for esvalidate =btakita","author":"=btakita","date":"2013-03-14 "},{"name":"btakita-jasmine-ajax","description":"A library for faking Ajax responses in your Jasmine suite","url":null,"keywords":"","version":"0.1.0","words":"btakita-jasmine-ajax a library for faking ajax responses in your jasmine suite =btakita","author":"=btakita","date":"2013-09-24 "},{"name":"btakita-jsdom","description":"A JavaScript implementation of the DOM and HTML standards","url":null,"keywords":"dom html whatwg w3c","version":"0.11.1","words":"btakita-jsdom a javascript implementation of the dom and html standards =btakita dom html whatwg w3c","author":"=btakita","date":"2014-06-25 "},{"name":"btc","description":"a command-line bitcoin price board for geeks","url":null,"keywords":"btc bitcoin","version":"0.0.4","words":"btc a command-line bitcoin price board for geeks =turing btc bitcoin","author":"=turing","date":"2013-12-10 "},{"name":"btc-address","description":"Manage Bitcoin addresses","url":null,"keywords":"cryptography crypto bitcoin litecoin currency cryptocurrency","version":"0.4.0","words":"btc-address manage bitcoin addresses =jp =vbuterin =midnightlightning =sidazhang =nadav cryptography crypto bitcoin litecoin currency cryptocurrency","author":"=jp =vbuterin =midnightlightning =sidazhang =nadav","date":"2014-04-28 "},{"name":"btc-e","description":"btc-e.com API client for node.js","url":null,"keywords":"btc-e btc ltc bitcoin litecoin","version":"0.0.16","words":"btc-e btc-e.com api client for node.js =pskupinski btc-e btc ltc bitcoin litecoin","author":"=pskupinski","date":"2014-06-22 "},{"name":"btc-ex-api","description":"API for interacting with Bitcoin exchanges","url":null,"keywords":"","version":"0.0.1","words":"btc-ex-api api for interacting with bitcoin exchanges =er88","author":"=er88","date":"2011-07-16 "},{"name":"btc-opcode","description":"Opcode support for Bitcoin.","url":null,"keywords":"crytography crypto bitcoin opcode","version":"0.0.1","words":"btc-opcode opcode support for bitcoin. =jp =midnightlightning =sidazhang =nadav crytography crypto bitcoin opcode","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-04-28 "},{"name":"btc-p2p","description":"Manage a network of Bitcoin peers","url":null,"keywords":"p2p network bitcoin peers cryptography","version":"0.2.0","words":"btc-p2p manage a network of bitcoin peers =midnightlightning =jp =sidazhang p2p network bitcoin peers cryptography","author":"=midnightlightning =jp =sidazhang","date":"2014-02-05 "},{"name":"btc-script","description":"Script support for Bitcoin.","url":null,"keywords":"crytography crypto bitcoin script currency","version":"0.1.10","words":"btc-script script support for bitcoin. =jp =midnightlightning =sidazhang =nadav crytography crypto bitcoin script currency","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-05-14 "},{"name":"btc-ticker","description":"Simple wrapper for ticker queries to a few common bitcoin exchanges.","url":null,"keywords":"","version":"0.0.3","words":"btc-ticker simple wrapper for ticker queries to a few common bitcoin exchanges. =reecer","author":"=reecer","date":"2014-01-25 "},{"name":"btc-transaction","description":"Create, parse, serialize Bitcoin transactions.","url":null,"keywords":"crytography crypto bitcoin script currency transaction","version":"0.1.7","words":"btc-transaction create, parse, serialize bitcoin transactions. =jp =midnightlightning =sidazhang =nadav crytography crypto bitcoin script currency transaction","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-05-07 "},{"name":"btcc","description":"比特币中国的API","url":null,"keywords":"btcchina","version":"0.0.1","words":"btcc 比特币中国的api =kasuganosora btcchina","author":"=kasuganosora","date":"2013-12-08 "},{"name":"btcchina","description":"BTCchina REST API wrapper","url":null,"keywords":"btcchina btc bitcoin exchange","version":"0.0.2","words":"btcchina btcchina rest api wrapper =mvr btcchina btc bitcoin exchange","author":"=mvr","date":"2013-12-21 "},{"name":"btcd","description":"NodeJS client for btcd WebSocket API","url":null,"keywords":"bitcoin btcd","version":"0.0.5","words":"btcd nodejs client for btcd websocket api =nadav bitcoin btcd","author":"=nadav","date":"2014-05-06 "},{"name":"btce","description":"BTC-E Trading API","url":null,"keywords":"btc-e btce bitcoin btc trading api litecoin ltc","version":"0.4.4","words":"btce btc-e trading api =petermrg btc-e btce bitcoin btc trading api litecoin ltc","author":"=petermrg","date":"2013-12-15 "},{"name":"btce-api","description":"Node.js client for the btc-e API","url":null,"keywords":"btc-e btce btc ltc bitcoin litecoin","version":"2.1.2","words":"btce-api node.js client for the btc-e api =nsblenin btc-e btce btc ltc bitcoin litecoin","author":"=nsblenin","date":"2014-05-06 "},{"name":"btce-deal","description":"BTC-E API Wrapper","url":null,"keywords":"btc-e btce bitcoin btc trade public api litecoin ltc coin","version":"0.1.1","words":"btce-deal btc-e api wrapper =solomein btc-e btce bitcoin btc trade public api litecoin ltc coin","author":"=solomein","date":"2014-06-08 "},{"name":"btcprogress","description":"Bitcoin progress meter for backing open source projects","url":null,"keywords":"","version":"0.1.0","words":"btcprogress bitcoin progress meter for backing open source projects =ralphtheninja","author":"=ralphtheninja","date":"2013-06-22 "},{"name":"btcreader","description":"bitcoin-reader is an attempt to aggregate bitcoin prices from various markets and share them via socket.io.","url":null,"keywords":"","version":"0.1.0","words":"btcreader bitcoin-reader is an attempt to aggregate bitcoin prices from various markets and share them via socket.io. =mkuklis","author":"=mkuklis","date":"2014-01-13 "},{"name":"bter","description":"simple bter api client","url":null,"keywords":"bter bitcoin litecoin dogecoin cryptocurrency trading crypto exchange doge btc","version":"0.0.6","words":"bter simple bter api client =opfl bter bitcoin litecoin dogecoin cryptocurrency trading crypto exchange doge btc","author":"=opfl","date":"2014-07-23 "},{"name":"bthread","description":"Bitcoin based message thread","url":null,"keywords":"bcoin bitcoin thread messaging forum blog","version":"0.5.0","words":"bthread bitcoin based message thread =indutny bcoin bitcoin thread messaging forum blog","author":"=indutny","date":"2014-05-23 "},{"name":"btl","description":"","url":null,"keywords":"","version":"0.0.0","words":"btl =tbranyen","author":"=tbranyen","date":"2013-08-08 "},{"name":"btle.js","description":"Native Bluetooth LE Node.js module for Linux","url":null,"keywords":"bluetooth bluetooth_le","version":"0.2.1","words":"btle.js native bluetooth le node.js module for linux =jacklund bluetooth bluetooth_le","author":"=jacklund","date":"2013-10-31 "},{"name":"btn-api","description":"btn-api","url":null,"keywords":"","version":"0.1.0","words":"btn-api btn-api =flybyme","author":"=flybyme","date":"2013-08-18 "},{"name":"btns","description":"A small css module for building responsive buttons","url":null,"keywords":"gulp performance css sass buttons animations front-end html5 template","version":"1.0.1","words":"btns a small css module for building responsive buttons =mrmrs gulp performance css sass buttons animations front-end html5 template","author":"=mrmrs","date":"2014-07-26 "},{"name":"btoa","description":"btoa for Node.JS (it's a one-liner)","url":null,"keywords":"btoa browser","version":"1.1.2","words":"btoa btoa for node.js (it's a one-liner) =coolaj86 btoa browser","author":"=coolaj86","date":"2014-05-20 "},{"name":"btoa-atob","description":"CLI tools to convert files and stdin into and from base64.","url":null,"keywords":"base64 btoa atob convert cli tools","version":"0.1.2","words":"btoa-atob cli tools to convert files and stdin into and from base64. =jussi-kalliokoski base64 btoa atob convert cli tools","author":"=jussi-kalliokoski","date":"2012-02-13 "},{"name":"btoa-umd","description":"A UMD module for btoa()","url":null,"keywords":"umd btoa base64 ascii binary","version":"0.6.6","words":"btoa-umd a umd module for btoa() =t1st3 umd btoa base64 ascii binary","author":"=t1st3","date":"2014-09-01 "},{"name":"btparse","description":"Very fast way for parse torrent files. With C++ implementation, based on libtorrent.","url":null,"keywords":"torrent bittorrent parser c++ bencoder bdecoder bencode bdecode","version":"0.1.0","words":"btparse very fast way for parse torrent files. with c++ implementation, based on libtorrent. =reklatsmasters torrent bittorrent parser c++ bencoder bdecoder bencode bdecode","author":"=reklatsmasters","date":"2014-06-09 "},{"name":"btree","description":"asynchronous copy-on-write btree","url":null,"keywords":"btree async copy-on-write cow asynchronous database big data b-tree data structure","version":"1.0.1","words":"btree asynchronous copy-on-write btree =mra btree async copy-on-write cow asynchronous database big data b-tree data structure","author":"=mra","date":"2012-10-06 "},{"name":"btreejs","description":"A ridiculously lean B-tree of variable orders in plain JavaScript. Closure-compiled using advanced optimizations, 100% typed code.","url":null,"keywords":"","version":"0.3.0","words":"btreejs a ridiculously lean b-tree of variable orders in plain javascript. closure-compiled using advanced optimizations, 100% typed code. =dcode","author":"=dcode","date":"2013-09-11 "},{"name":"btsync","description":"BitTorrent Sync - API","url":null,"keywords":"BitTorrent Sync btsync api","version":"0.2.0","words":"btsync bittorrent sync - api =whoami bittorrent sync btsync api","author":"=whoami","date":"2014-04-14 "},{"name":"btsync-api","description":"Bittorent Sync API Client","url":null,"keywords":"bittorent sync api client","version":"0.2.0","words":"btsync-api bittorent sync api client =bencevans bittorent sync api client","author":"=bencevans","date":"2013-11-08 "},{"name":"btsync-config","keywords":"","version":[],"words":"btsync-config","author":"","date":"2014-04-21 "},{"name":"bttn","description":"construct click functionality around an element","url":null,"keywords":"bttn button click","version":"0.0.5","words":"bttn construct click functionality around an element =bumblehead bttn button click","author":"=bumblehead","date":"2013-12-18 "},{"name":"bttnsys","description":"construct click functionality around grouped elements","url":null,"keywords":"bttnsys button system menu navigation click","version":"0.0.3","words":"bttnsys construct click functionality around grouped elements =bumblehead bttnsys button system menu navigation click","author":"=bumblehead","date":"2013-12-16 "},{"name":"bttrfly","description":"Social mass texting.","url":null,"keywords":"sms","version":"0.4.0","words":"bttrfly social mass texting. =tkazec sms","author":"=tkazec","date":"2013-10-24 "},{"name":"bubble","description":"Domains for the poor man. Flow-control for cascading callbacks. Error handling. Aborts groups of callbacks. With timeouts.","url":null,"keywords":"","version":"0.1.0","words":"bubble domains for the poor man. flow-control for cascading callbacks. error handling. aborts groups of callbacks. with timeouts. =pgte","author":"=pgte","date":"2012-03-21 "},{"name":"bubble-boy","description":"Modifies JavaScript code to sandbox all global variable declarations and references.","url":null,"keywords":"falafel burrito dsl ast modification sandbox","version":"0.4.4","words":"bubble-boy modifies javascript code to sandbox all global variable declarations and references. =alexgorbatchev falafel burrito dsl ast modification sandbox","author":"=alexgorbatchev","date":"2014-01-18 "},{"name":"bubble-heads","description":"Easy circle avatars for your latest as-a-service app.","url":null,"keywords":"","version":"1.0.0","words":"bubble-heads easy circle avatars for your latest as-a-service app. =drk","author":"=drk","date":"2013-09-10 "},{"name":"bubble-sort","description":"Bubble sort","url":null,"keywords":"sort algorithm bubble sort","version":"0.1.0","words":"bubble-sort bubble sort =tristanls sort algorithm bubble sort","author":"=tristanls","date":"2013-07-18 "},{"name":"bubble-stream-error","description":"Bubble errors from an array of streams to a master/top stream","url":null,"keywords":"bubble error stream stream-error bubble-stream-error","version":"0.0.1","words":"bubble-stream-error bubble errors from an array of streams to a master/top stream =alessioalex bubble error stream stream-error bubble-stream-error","author":"=alessioalex","date":"2013-07-01 "},{"name":"bubble_babble","description":"Bubble Babble encoding","url":null,"keywords":"bubble babble encode encrypt ssh","version":"0.1.0","words":"bubble_babble bubble babble encoding =miningold bubble babble encode encrypt ssh","author":"=miningold","date":"2014-01-24 "},{"name":"bubblechart","description":"BubbleChart is a JavaScript module for the comparative visualization of two dimensional data in a bubble chart.","url":null,"keywords":"","version":"1.1.2","words":"bubblechart bubblechart is a javascript module for the comparative visualization of two dimensional data in a bubble chart. =jondavidjohn","author":"=jondavidjohn","date":"2013-10-18 "},{"name":"bubbleroute","description":"A simple bubble router","url":null,"keywords":"router","version":"0.0.0","words":"bubbleroute a simple bubble router =jrosendahl router","author":"=jrosendahl","date":"2014-05-16 "},{"name":"bubbles","description":"Show response times as bubbles!","url":null,"keywords":"","version":"0.0.4","words":"bubbles show response times as bubbles! =koopa","author":"=koopa","date":"2014-06-19 "},{"name":"bubpubsub","description":"a pubsub system with bubbling, replies and persistence","url":null,"keywords":"pubsub events publish subscribe bubbling persistence","version":"0.10.0","words":"bubpubsub a pubsub system with bubbling, replies and persistence =itsatony pubsub events publish subscribe bubbling persistence","author":"=itsatony","date":"2014-09-04 "},{"name":"buccina","description":"A node.js module for parsing ASN1 files","url":null,"keywords":"","version":"0.0.1","words":"buccina a node.js module for parsing asn1 files =no9","author":"=no9","date":"2012-10-08 "},{"name":"bucheron","description":"Contributor Model for Webmaker","url":null,"keywords":"","version":"0.2.1","words":"bucheron contributor model for webmaker =cadecairos =jbuck","author":"=cadecairos =jbuck","date":"2014-07-08 "},{"name":"buck","description":"var $ = require('buck'); // who needs buck anyway?","url":null,"keywords":"$ jquery jquip dom nodejs Deferred promise","version":"0.1.0","words":"buck var $ = require('buck'); // who needs buck anyway? =zipang $ jquery jquip dom nodejs deferred promise","author":"=zipang","date":"2012-11-14 "},{"name":"bucker","description":"super easy logging module","url":null,"keywords":"log hapi express connect","version":"1.0.11","words":"bucker super easy logging module =nlf =latentflip log hapi express connect","author":"=nlf =latentflip","date":"2014-07-29 "},{"name":"bucket","description":"a s3 library that uses deferred callbacks","url":null,"keywords":"","version":"0.0.1","words":"bucket a s3 library that uses deferred callbacks =alexbosworth","author":"=alexbosworth","date":"2011-09-10 "},{"name":"bucket-array","description":"This is a simple JavaScript cache buffer aka Bucket","url":null,"keywords":"","version":"0.0.5","words":"bucket-array this is a simple javascript cache buffer aka bucket =ekryski","author":"=ekryski","date":"2013-06-11 "},{"name":"bucket-assets","description":"Uploads a folder of static assets to an s3 bucket with convenient assumptions.","url":null,"keywords":"s3 assets bucket","version":"0.0.6","words":"bucket-assets uploads a folder of static assets to an s3 bucket with convenient assumptions. =craigspaeth s3 assets bucket","author":"=craigspaeth","date":"2013-12-20 "},{"name":"bucket-copy","description":"Copy Amazon S3 bucket objects to another bucket.","url":null,"keywords":"amazon aws s3 bucket copy","version":"0.3.0","words":"bucket-copy copy amazon s3 bucket objects to another bucket. =scottcorgan amazon aws s3 bucket copy","author":"=scottcorgan","date":"2013-04-16 "},{"name":"bucket-files","description":"Stream all files for a given bucket directory on Amazon S3","url":null,"keywords":"aws S3 amazon bucket","version":"0.3.3","words":"bucket-files stream all files for a given bucket directory on amazon s3 =scottcorgan aws s3 amazon bucket","author":"=scottcorgan","date":"2013-09-25 "},{"name":"bucket-list","description":"Get a file list from an Amazon S3 bucket.","url":null,"keywords":"aws amazon s3","version":"0.3.3","words":"bucket-list get a file list from an amazon s3 bucket. =scottcorgan aws amazon s3","author":"=scottcorgan","date":"2013-07-24 "},{"name":"bucket-node","description":"Incremental file storage","url":null,"keywords":"persistant storage json","version":"0.0.6","words":"bucket-node incremental file storage =fixerfrasse persistant storage json","author":"=fixerfrasse","date":"2014-06-01 "},{"name":"bucket-rename-dir","description":"Rename directories for Amazon S3 objects.","url":null,"keywords":"amazon s3 directories rename","version":"0.3.1","words":"bucket-rename-dir rename directories for amazon s3 objects. =scottcorgan amazon s3 directories rename","author":"=scottcorgan","date":"2013-07-25 "},{"name":"bucket-sort","description":"Bucket sort","url":null,"keywords":"sort algorithm bucket sort","version":"0.1.1","words":"bucket-sort bucket sort =tristanls sort algorithm bucket sort","author":"=tristanls","date":"2013-07-23 "},{"name":"bucket-zip","description":"Download a directory from an Amazon S3 bucket as zip file.","url":null,"keywords":"amazon aws s3 zip","version":"0.3.4","words":"bucket-zip download a directory from an amazon s3 bucket as zip file. =scottcorgan amazon aws s3 zip","author":"=scottcorgan","date":"2014-02-26 "},{"name":"bucketful","description":"Deploys websites to Amazon S3","url":null,"keywords":"","version":"0.15.2","words":"bucketful deploys websites to amazon s3 =jakobm","author":"=jakobm","date":"2014-09-15 "},{"name":"bucketful-loopia","description":"Loopia DNS-plugin for bucketful","url":null,"keywords":"","version":"0.1.1","words":"bucketful-loopia loopia dns-plugin for bucketful =jakobm","author":"=jakobm","date":"2013-12-19 "},{"name":"buckets","description":"Manage content better.","url":null,"keywords":"cms node js javascript mongo","version":"0.0.6","words":"buckets manage content better. =davidkaneda cms node js javascript mongo","author":"=davidkaneda","date":"2014-09-15 "},{"name":"buckets-datetime","description":"DateTime FieldType for Buckets CMS","url":null,"keywords":"","version":"0.0.1","words":"buckets-datetime datetime fieldtype for buckets cms =davidkaneda","author":"=davidkaneda","date":"2014-08-17 "},{"name":"buckets-ds","description":"A simple library for handling buckets and storing the data in those buckets.","url":null,"keywords":"buckets","version":"0.0.4","words":"buckets-ds a simple library for handling buckets and storing the data in those buckets. =jasonlotito buckets","author":"=jasonlotito","date":"2014-07-16 "},{"name":"buckets-location","description":"Location FieldType for Buckets CMS","url":null,"keywords":"","version":"0.0.4","words":"buckets-location location fieldtype for buckets cms =davidkaneda","author":"=davidkaneda","date":"2014-09-07 "},{"name":"buckets-markdown","description":"Markdown FieldType for Buckets CMS.","url":null,"keywords":"","version":"0.0.4","words":"buckets-markdown markdown fieldtype for buckets cms. =davidkaneda","author":"=davidkaneda","date":"2014-09-03 "},{"name":"buckets-truncate","description":"buckets-truncate ================","url":null,"keywords":"","version":"0.0.1","words":"buckets-truncate buckets-truncate ================ =davidkaneda","author":"=davidkaneda","date":"2014-07-09 "},{"name":"buckle","description":"Pure JS ZIP extractor, that preserves file attributes.","url":null,"keywords":"unzip unpack zip extract pure chmod permissions","version":"0.0.3","words":"buckle pure js zip extractor, that preserves file attributes. =tomas unzip unpack zip extract pure chmod permissions","author":"=tomas","date":"2014-09-19 "},{"name":"bucks","description":"Async utilities for node and the browser. (amd support) ","url":null,"keywords":"browser node async","version":"0.8.3","words":"bucks async utilities for node and the browser. (amd support) =fkei =suemasa =layzie browser node async","author":"=fkei =suemasa =layzie","date":"2014-05-29 "},{"name":"bucky","description":"Collect performance data from the client and node","url":null,"keywords":"","version":"0.2.4","words":"bucky collect performance data from the client and node =hs =zackbloom","author":"=hs =zackbloom","date":"2014-03-03 "},{"name":"bucky-server","description":"Server to collect stats from the client","url":null,"keywords":"","version":"0.4.1","words":"bucky-server server to collect stats from the client =hs =zackbloom","author":"=hs =zackbloom","date":"2014-08-25 "},{"name":"bud","description":"Minimalistic Task Manager","url":null,"keywords":"task tasking","version":"1.0.4","words":"bud minimalistic task manager =azer task tasking","author":"=azer","date":"2014-06-08 "},{"name":"bud-backend","description":"Example backend server for Bud","url":null,"keywords":"","version":"0.7.0","words":"bud-backend example backend server for bud =fedor.indutny =indutny","author":"=fedor.indutny =indutny","date":"2014-09-15 "},{"name":"bud-tls","description":"Bud - TLS Terminator","url":null,"keywords":"bud tls openssl","version":"0.32.0","words":"bud-tls bud - tls terminator =fedor.indutny =indutny bud tls openssl","author":"=fedor.indutny =indutny","date":"2014-09-15 "},{"name":"budbee-ember-support","description":"i18n support for Ember using ember-i18n and accounting.js","url":null,"keywords":"ember-addon","version":"0.2.0","words":"budbee-ember-support i18n support for ember using ember-i18n and accounting.js =vicvicvic ember-addon","author":"=vicvicvic","date":"2014-08-14 "},{"name":"buddha","description":"Simple interface with zendesk.","url":null,"keywords":"zendesk","version":"1.0.0","words":"buddha simple interface with zendesk. =roylines zendesk","author":"=roylines","date":"2012-03-22 "},{"name":"buddy","description":"A simple build tool for js/css/html projects.","url":null,"keywords":"build buildtool modules javascript coffeescript css styus less handlebars dust jade twig","version":"1.3.3","words":"buddy a simple build tool for js/css/html projects. =popeindustries build buildtool modules javascript coffeescript css styus less handlebars dust jade twig","author":"=popeindustries","date":"2014-04-01 "},{"name":"buddy-browser","description":"Browser reporter for buddy tests.","url":null,"keywords":"buddy testing reporter buddy-reporter","version":"0.1.1","words":"buddy-browser browser reporter for buddy tests. =killdream buddy testing reporter buddy-reporter","author":"=killdream","date":"2013-05-05 "},{"name":"buddy-cli","description":"The command-line bootstrapper for buddy(1).","url":null,"keywords":"cli build buildtool","version":"0.10.3","words":"buddy-cli the command-line bootstrapper for buddy(1). =popeindustries cli build buildtool","author":"=popeindustries","date":"2014-09-17 "},{"name":"buddy-dependencies","description":"A simple dependency management tool for Buddy projects.","url":null,"keywords":"dependency installer buddy","version":"0.2.2","words":"buddy-dependencies a simple dependency management tool for buddy projects. =popeindustries dependency installer buddy","author":"=popeindustries","date":"2014-01-10 "},{"name":"buddy-minimal","description":"A minimal test reporter for buddy.","url":null,"keywords":"buddy testing reporter","version":"0.1.1","words":"buddy-minimal a minimal test reporter for buddy. =killdream buddy testing reporter","author":"=killdream","date":"2013-05-05 "},{"name":"buddy-sdk","description":"The JS SDK for Buddy Platform","url":null,"keywords":"","version":"3.0.2","words":"buddy-sdk the js sdk for buddy platform =lrdcasimir","author":"=lrdcasimir","date":"2014-08-22 "},{"name":"buddy-server","description":"A simple asset server and livereload server for Buddy projects.","url":null,"keywords":"server livereload","version":"0.4.4","words":"buddy-server a simple asset server and livereload server for buddy projects. =popeindustries server livereload","author":"=popeindustries","date":"2014-03-31 "},{"name":"buddy-tap","description":"TAP reporter for Buddy.","url":null,"keywords":"testing tap buddy","version":"0.1.0","words":"buddy-tap tap reporter for buddy. =killdream testing tap buddy","author":"=killdream","date":"2013-05-05 "},{"name":"buddy-term","description":"Pretty command line output for the Buddy build framework.","url":null,"keywords":"terminal","version":"0.2.2","words":"buddy-term pretty command line output for the buddy build framework. =popeindustries terminal","author":"=popeindustries","date":"2014-01-08 "},{"name":"buddy.js","description":"Magic number detector for javascript","url":null,"keywords":"magic number constant detection detect sniffer cli tool","version":"0.6.0","words":"buddy.js magic number detector for javascript =danielstjules magic number constant detection detect sniffer cli tool","author":"=danielstjules","date":"2014-08-20 "},{"name":"budgetsms","description":"Sending SMS messages via budgetSMS service","url":null,"keywords":"sms","version":"0.0.3","words":"budgetsms sending sms messages via budgetsms service =sponnet sms","author":"=sponnet","date":"2014-09-08 "},{"name":"buf","description":"Auto buffer and unbuffer values.","url":null,"keywords":"buf buffer hex","version":"0.1.0","words":"buf auto buffer and unbuffer values. =seanmonstar buf buffer hex","author":"=seanmonstar","date":"2014-06-30 "},{"name":"buf2str","description":"Convert a buffer (or buffer accepted value) to a string.","url":null,"keywords":"buffer string convert","version":"0.0.1","words":"buf2str convert a buffer (or buffer accepted value) to a string. =landau buffer string convert","author":"=landau","date":"2014-03-04 "},{"name":"buff","description":"Buff your node repl or runtime with the best libraries and utilities.","url":null,"keywords":"buff utility repl","version":"1.0.0","words":"buff buff your node repl or runtime with the best libraries and utilities. =themiddleman buff utility repl","author":"=themiddleman","date":"2014-01-30 "},{"name":"buffalo","description":"Buffalo is a lightweight BSON and Mongo Wire Protocol library for Node.js","url":null,"keywords":"mongo mongodb mongo wire protocol bson binary binary json","version":"0.1.3","words":"buffalo buffalo is a lightweight bson and mongo wire protocol library for node.js =marcello mongo mongodb mongo wire protocol bson binary binary json","author":"=marcello","date":"2012-02-01 "},{"name":"Buffer","description":"API-compatible Node.JS Buffer for Ender.js (browser)","url":null,"keywords":"","version":"0.0.0","words":"buffer api-compatible node.js buffer for ender.js (browser) =coolaj86","author":"=coolaj86","date":"2011-08-01 "},{"name":"buffer","description":"Node.js Buffer API, for the browser","url":null,"keywords":"buffer browserify compatible browser arraybuffer uint8array dataview","version":"2.7.0","words":"buffer node.js buffer api, for the browser =feross buffer browserify compatible browser arraybuffer uint8array dataview","author":"=feross","date":"2014-09-12 "},{"name":"buffer-alpaca","description":"Buffer API library client for node.js","url":null,"keywords":"alpaca buffer api client library","version":"0.1.0","words":"buffer-alpaca buffer api library client for node.js =pksunkara alpaca buffer api client library","author":"=pksunkara","date":"2014-01-01 "},{"name":"buffer-api","description":"Node wrapper for the Buffer API.","url":null,"keywords":"buffer api","version":"0.0.4","words":"buffer-api node wrapper for the buffer api. =colinscape buffer api","author":"=colinscape","date":"2013-01-11 "},{"name":"buffer-browserify","description":"buffer module compatibility for browserify","url":null,"keywords":"buffer browserify compatible meatless browser","version":"0.2.2","words":"buffer-browserify buffer module compatibility for browserify =toots buffer browserify compatible meatless browser","author":"=toots","date":"2013-08-26 "},{"name":"buffer-builder","description":"Build a buffer without knowing its size beforehand","url":null,"keywords":"buffer-builder buffer","version":"0.1.0","words":"buffer-builder build a buffer without knowing its size beforehand =peterreid buffer-builder buffer","author":"=peterreid","date":"2012-02-27 "},{"name":"buffer-cache","description":"buffer cache for Node","url":null,"keywords":"buffer node cache","version":"0.0.3","words":"buffer-cache buffer cache for node =cuebyte buffer node cache","author":"=cuebyte","date":"2014-08-08 "},{"name":"buffer-compare","description":"Lexicographically compare two buffers. ","url":null,"keywords":"sort buffer lexiographic","version":"0.0.1","words":"buffer-compare lexicographically compare two buffers. =soldair sort buffer lexiographic","author":"=soldair","date":"2013-09-19 "},{"name":"buffer-concat","description":"concat patch for Buffer in node < 0.8.","url":null,"keywords":"concat buffer.concat buffer","version":"0.0.1","words":"buffer-concat concat patch for buffer in node < 0.8. =fengmk2 concat buffer.concat buffer","author":"=fengmk2","date":"2012-10-11 "},{"name":"buffer-crc32","description":"A pure javascript CRC32 algorithm that plays nice with binary data","url":null,"keywords":"","version":"0.2.3","words":"buffer-crc32 a pure javascript crc32 algorithm that plays nice with binary data =brianloveswords","author":"=brianloveswords","date":"2014-06-17 "},{"name":"buffer-dataview","description":"Minimal DataView implementation that works with Node.js Buffers","url":null,"keywords":"node buffer data view dataview","version":"0.0.2","words":"buffer-dataview minimal dataview implementation that works with node.js buffers =tootallnate node buffer data view dataview","author":"=tootallnate","date":"2013-08-16 "},{"name":"buffer-dispose","description":"Incredibly unsafe way to free a Buffer","url":null,"keywords":"","version":"0.0.6","words":"buffer-dispose incredibly unsafe way to free a buffer =trev.norris","author":"=trev.norris","date":"2014-06-17 "},{"name":"buffer-equal","description":"return whether two buffers are equal","url":null,"keywords":"buffer equal","version":"0.0.1","words":"buffer-equal return whether two buffers are equal =substack buffer equal","author":"=substack","date":"2014-05-25 "},{"name":"buffer-equal-constant-time","description":"Constant-time comparison of Buffers","url":null,"keywords":"buffer equal constant-time crypto","version":"1.0.1","words":"buffer-equal-constant-time constant-time comparison of buffers =goinstant buffer equal constant-time crypto","author":"=goinstant","date":"2013-12-16 "},{"name":"buffer-events","description":"Buffer node's `EventEmitter` events until `flush()` is called.","url":null,"keywords":"","version":"0.0.2","words":"buffer-events buffer node's `eventemitter` events until `flush()` is called. =yields","author":"=yields","date":"2014-06-30 "},{"name":"buffer-extend","description":"buffer extension","url":null,"keywords":"extend buffer","version":"0.0.1","words":"buffer-extend buffer extension =yorkie extend buffer","author":"=yorkie","date":"2014-05-11 "},{"name":"buffer-extend-split","description":"extension for `buffer.split`","url":null,"keywords":"buffer split","version":"0.0.0","words":"buffer-extend-split extension for `buffer.split` =yorkie buffer split","author":"=yorkie","date":"2014-05-11 "},{"name":"buffer-group","description":"Group Node.js Buffers together and extract the parts you need.","url":null,"keywords":"group buffer","version":"0.0.2","words":"buffer-group group node.js buffers together and extract the parts you need. =matanamir group buffer","author":"=matanamir","date":"2013-08-28 "},{"name":"buffer-helper","description":"Helper for handling writting into buffers.","url":null,"keywords":"buffer helper writer","version":"1.0.1","words":"buffer-helper helper for handling writting into buffers. =msabourin buffer helper writer","author":"=msabourin","date":"2013-07-23 "},{"name":"buffer-helpers","description":"Helper functions for Buffer. Primarily to extract subsets of text.","url":null,"keywords":"","version":"0.0.2","words":"buffer-helpers helper functions for buffer. primarily to extract subsets of text. =tejohnso","author":"=tejohnso","date":"2012-10-11 "},{"name":"buffer-indexof","description":"find the index of a buffer in a buffe","url":null,"keywords":"","version":"0.0.2","words":"buffer-indexof find the index of a buffer in a buffe =soldair","author":"=soldair","date":"2014-08-22 "},{"name":"buffer-isequal","description":"verify if two buffers are equal","url":null,"keywords":"buffer equal","version":"1.0.1","words":"buffer-isequal verify if two buffers are equal =quim buffer equal","author":"=quim","date":"2014-03-21 "},{"name":"buffer-json-stream","description":"Buffer streamin JSON","url":null,"keywords":"buffer streaming json","version":"0.1.6","words":"buffer-json-stream buffer streamin json =scottcorgan buffer streaming json","author":"=scottcorgan","date":"2013-07-09 "},{"name":"buffer-more-ints","description":"Add support for more integer widths to Buffer","url":null,"keywords":"","version":"0.0.2","words":"buffer-more-ints add support for more integer widths to buffer =dwragg","author":"=dwragg","date":"2013-10-09 "},{"name":"buffer-node","description":"API client for bufferapp.com","url":null,"keywords":"api bufferapp buffer","version":"1.0.2","words":"buffer-node api client for bufferapp.com =matthias.thiel api bufferapp buffer","author":"=matthias.thiel","date":"2014-07-30 "},{"name":"buffer-pack","description":"Define a format to pack and unpack objects to/from buffers","url":null,"keywords":"","version":"0.0.3","words":"buffer-pack define a format to pack and unpack objects to/from buffers =hypergeometric =coinative","author":"=hypergeometric =coinative","date":"2014-07-29 "},{"name":"buffer-packager","description":"this module help build package","url":null,"keywords":"","version":"0.0.1","words":"buffer-packager this module help build package =moonwa","author":"=moonwa","date":"2013-11-15 "},{"name":"buffer-patch","description":"buffer-patch ============","url":null,"keywords":"","version":"0.0.1","words":"buffer-patch buffer-patch ============ =jifeng.zjd","author":"=jifeng.zjd","date":"2014-03-26 "},{"name":"buffer-prefix-range","description":"Easily define lexicographical ranges of byte strings using a prefix. Can be used to define ranges for queries in leveldb or similar databases","url":null,"keywords":"leveldb levelup like range lexicographical key-range","version":"0.0.2","words":"buffer-prefix-range easily define lexicographical ranges of byte strings using a prefix. can be used to define ranges for queries in leveldb or similar databases =tarruda leveldb levelup like range lexicographical key-range","author":"=tarruda","date":"2013-12-19 "},{"name":"buffer-read","description":"Read values from a buffer without maintaining an offset","url":null,"keywords":"","version":"0.0.2","words":"buffer-read read values from a buffer without maintaining an offset =hypergeometric","author":"=hypergeometric","date":"2014-06-19 "},{"name":"buffer-reader","description":"a reader for nodejs buffer","url":null,"keywords":"","version":"0.0.2","words":"buffer-reader a reader for nodejs buffer =villadora","author":"=villadora","date":"2013-09-26 "},{"name":"buffer-reduce","description":"Bufferring for reducible data","url":null,"keywords":"buffer reduce reducible reducers stream cache greedy","version":"0.1.0","words":"buffer-reduce bufferring for reducible data =gozala buffer reduce reducible reducers stream cache greedy","author":"=gozala","date":"2012-11-24 "},{"name":"buffer-search","description":"Search a Buffer inside another Buffer","url":null,"keywords":"buffer search indexOf find","version":"1.2.0","words":"buffer-search search a buffer inside another buffer =quim buffer search indexof find","author":"=quim","date":"2014-05-25 "},{"name":"buffer-slice","description":"slice a buffer into an array of sub buffers","url":null,"keywords":"slice a buffer","version":"0.0.1","words":"buffer-slice slice a buffer into an array of sub buffers =brianc slice a buffer","author":"=brianc","date":"2013-04-30 "},{"name":"buffer-split","description":"split a buffer by another buffer. think String.split()","url":null,"keywords":"buffer split chunks binary","version":"0.0.0","words":"buffer-split split a buffer by another buffer. think string.split() =soldair buffer split chunks binary","author":"=soldair","date":"2013-09-19 "},{"name":"buffer-splitter","description":"splits a Buffer into an array of buffers ","url":null,"keywords":"buffer split","version":"1.0.0","words":"buffer-splitter splits a buffer into an array of buffers =quim buffer split","author":"=quim","date":"2014-05-29 "},{"name":"buffer-stream","description":"A duplex stream that buffers writes","url":null,"keywords":"","version":"0.0.1","words":"buffer-stream a duplex stream that buffers writes =raynos","author":"=raynos","date":"2012-08-24 "},{"name":"buffer-stream-reader","description":"Naive node.js buffer stream reader","url":null,"keywords":"buffer reader stream","version":"0.1.1","words":"buffer-stream-reader naive node.js buffer stream reader =harrisiirak buffer reader stream","author":"=harrisiirak","date":"2014-02-13 "},{"name":"buffer-streams","description":"make streams to and from buffers","url":null,"keywords":"","version":"0.0.1","words":"buffer-streams make streams to and from buffers =rschaosid","author":"=rschaosid","date":"2014-07-28 "},{"name":"buffer-struct","description":"buffer-struct\r =============","url":null,"keywords":"","version":"0.0.0","words":"buffer-struct buffer-struct\r ============= =silvinci","author":"=silvinci","date":"2014-04-16 "},{"name":"buffer-tools","description":"buffer-tools ============","url":null,"keywords":"","version":"0.0.0","words":"buffer-tools buffer-tools ============ =creationix","author":"=creationix","date":"2013-05-08 "},{"name":"buffer-type","description":"Detect content-type from Buffer data.","url":null,"keywords":"buffer-type image-type content-type buffer type mime filetype file extension buffer type","version":"0.0.2","words":"buffer-type detect content-type from buffer data. =fengmk2 buffer-type image-type content-type buffer type mime filetype file extension buffer type","author":"=fengmk2","date":"2014-05-04 "},{"name":"buffer-up","description":"Buffer up streaming data to a single callback called when the piping stream calls end","url":null,"keywords":"Buffer stream","version":"1.0.0","words":"buffer-up buffer up streaming data to a single callback called when the piping stream calls end =sonewman buffer stream","author":"=sonewman","date":"2014-08-12 "},{"name":"buffer-wrapper","description":"Wrapper for Buffer class in Nodejs which keeps track of position and supports arrays","url":null,"keywords":"buffer wrapper buffer-wrapper","version":"0.0.8","words":"buffer-wrapper wrapper for buffer class in nodejs which keeps track of position and supports arrays =bedeho buffer wrapper buffer-wrapper","author":"=bedeho","date":"2014-08-01 "},{"name":"buffer-write","description":"Write to a buffer without maintaining an offset or knowing its length","url":null,"keywords":"","version":"0.0.2","words":"buffer-write write to a buffer without maintaining an offset or knowing its length =hypergeometric","author":"=hypergeometric","date":"2014-06-19 "},{"name":"buffer-writer","description":"a fast, efficient buffer writer","url":null,"keywords":"buffer writer builder","version":"1.0.0","words":"buffer-writer a fast, efficient buffer writer =brianc buffer writer builder","author":"=brianc","date":"2013-12-12 "},{"name":"buffer24","description":"node buffer extension: support 24bit operators","url":null,"keywords":"buffer 24","version":"0.0.2","words":"buffer24 node buffer extension: support 24bit operators =yorkie buffer 24","author":"=yorkie","date":"2014-05-24 "},{"name":"buffer_packer","description":"Pack values into string for maximized store use","url":null,"keywords":"","version":"0.0.1","words":"buffer_packer pack values into string for maximized store use =iraasta","author":"=iraasta","date":"2014-07-08 "},{"name":"buffer_socket","description":"collect outgoing socket events and send as a group.","url":null,"keywords":"","version":"0.0.0","words":"buffer_socket collect outgoing socket events and send as a group. =mercury","author":"=mercury","date":"2012-02-27 "},{"name":"buffercursor","description":"A simple way to traverse a Buffer like a cursor, updating position along the way","url":null,"keywords":"buffer cursor stream","version":"0.0.12","words":"buffercursor a simple way to traverse a buffer like a cursor, updating position along the way =tjfontaine buffer cursor stream","author":"=tjfontaine","date":"2014-04-21 "},{"name":"bufferdiff","description":"A C++ module for node-js to test if two buffers are equal, fast (could add diff later).","url":null,"keywords":"buffers buffer diff","version":"1.0.1","words":"bufferdiff a c++ module for node-js to test if two buffers are equal, fast (could add diff later). =pkrumins buffers buffer diff","author":"=pkrumins","date":"2012-02-01 "},{"name":"buffered","description":"Buffered stream","url":null,"keywords":"","version":"0.0.1","words":"buffered buffered stream =mmalecki","author":"=mmalecki","date":"2012-03-12 "},{"name":"buffered-file-line-reader-sync","description":"A simple tool that let you synchronously iterate through the lines of a file without loading the whole file in memory.","url":null,"keywords":"file fs line reader sync buffered","version":"0.1.0","words":"buffered-file-line-reader-sync a simple tool that let you synchronously iterate through the lines of a file without loading the whole file in memory. =dtrack file fs line reader sync buffered","author":"=dtrack","date":"2014-05-22 "},{"name":"buffered-reader","description":"Binary and event-based data buffered readers.","url":null,"keywords":"buffer reader line read line file read file read text file read binary file binary","version":"1.0.1","words":"buffered-reader binary and event-based data buffered readers. =gagle buffer reader line read line file read file read text file read binary file binary","author":"=gagle","date":"2013-07-17 "},{"name":"buffered-request","description":"request.pause() fix. Hack/patch that makes The request object buffered.","url":null,"keywords":"request pause resume buffer stream buffered","version":"0.1.1","words":"buffered-request request.pause() fix. hack/patch that makes the request object buffered. =kilianc request pause resume buffer stream buffered","author":"=kilianc","date":"2012-05-22 "},{"name":"buffered-response","description":"Utility library for line-by-line reading from any readable text stream","url":null,"keywords":"javascript http utils","version":"0.0.5","words":"buffered-response utility library for line-by-line reading from any readable text stream =alexkalderimis javascript http utils","author":"=alexkalderimis","date":"2012-11-11 "},{"name":"buffered-shell","description":"A tool to run commands in the shell, receiving them in chunks","url":null,"keywords":"buffered-shell command line console command shell terminal","version":"0.0.1","words":"buffered-shell a tool to run commands in the shell, receiving them in chunks =samjc buffered-shell command line console command shell terminal","author":"=samjc","date":"2014-02-09 "},{"name":"buffered-spawn","description":"Buffered child process#spawn.","url":null,"keywords":"buffered-spawn buffer spawn buffered exec execute path_ext bower","version":"1.0.0","words":"buffered-spawn buffered child process#spawn. =satazor =wibblymat =paulirish =sheerun =sindresorhus buffered-spawn buffer spawn buffered exec execute path_ext bower","author":"=satazor =wibblymat =paulirish =sheerun =sindresorhus","date":"2014-08-14 "},{"name":"buffered-stream","description":"A writable and readable stream with bufferisation","url":null,"keywords":"node stream buffer","version":"0.0.1","words":"buffered-stream a writable and readable stream with bufferisation =david node stream buffer","author":"=david","date":"2012-12-07 "},{"name":"buffered-transform","description":"Buffer up data and give it to a transform-like method","url":null,"keywords":"","version":"2.0.0","words":"buffered-transform buffer up data and give it to a transform-like method =kesla","author":"=kesla","date":"2014-07-10 "},{"name":"buffered-writer","description":"Writes buffered data to files","url":null,"keywords":"buffer write stream file binary data","version":"0.2.3","words":"buffered-writer writes buffered data to files =gagle buffer write stream file binary data","author":"=gagle","date":"2013-12-25 "},{"name":"buffered-xhr-stream","description":"A pausable/resumable xhr stream","url":null,"keywords":"xhr xhr-stream stream buffered-stream","version":"0.1.4","words":"buffered-xhr-stream a pausable/resumable xhr stream =koopa xhr xhr-stream stream buffered-stream","author":"=koopa","date":"2014-06-18 "},{"name":"bufferedstream","description":"A robust stream implementation for node.js and the browser","url":null,"keywords":"","version":"3.0.0","words":"bufferedstream a robust stream implementation for node.js and the browser =mjackson","author":"=mjackson","date":"2014-09-11 "},{"name":"bufferfly","keywords":"","version":[],"words":"bufferfly","author":"","date":"2011-10-11 "},{"name":"bufferhelper","description":"Concat buffer correctly.","url":null,"keywords":"Buffer","version":"0.2.0","words":"bufferhelper concat buffer correctly. =jacksontian buffer","author":"=jacksontian","date":"2013-02-17 "},{"name":"buffering","url":null,"keywords":"","version":"0.0.0","words":"buffering =acconut","author":"=acconut","date":"2014-07-08 "},{"name":"bufferjoiner","description":"A nodejs binary buffer utility","url":null,"keywords":"buffer merge join binary","version":"0.1.3","words":"bufferjoiner a nodejs binary buffer utility =kilianc buffer merge join binary","author":"=kilianc","date":"2012-07-06 "},{"name":"bufferjs","description":"Pure JavaScript Buffer utils.","url":null,"keywords":"util buffer chunk indexOf","version":"2.0.0","words":"bufferjs pure javascript buffer utils. =coolaj86 util buffer chunk indexof","author":"=coolaj86","date":"2012-10-26 "},{"name":"bufferlib","description":"Set of classes to simplify reading and creating of Buffers","url":null,"keywords":"","version":"0.0.6","words":"bufferlib set of classes to simplify reading and creating of buffers =frans-willem","author":"=frans-willem","date":"prehistoric"},{"name":"bufferlist","description":"Create linked lists of Buffer objects","url":null,"keywords":"","version":"0.1.0","words":"bufferlist create linked lists of buffer objects =substack","author":"=substack","date":"2011-11-14 "},{"name":"BufferList","description":"handle multiple buffers in a sane way when waiting for indexOf and slices could be future dependent","url":null,"keywords":"","version":"0.0.0","words":"bufferlist handle multiple buffers in a sane way when waiting for indexof and slices could be future dependent =bradleymeck","author":"=bradleymeck","date":"2012-02-04 "},{"name":"buffermaker","description":"buffermaker is a convenient way of creating binary strings","url":null,"keywords":"buffer binary","version":"1.2.0","words":"buffermaker buffermaker is a convenient way of creating binary strings =cainus buffer binary","author":"=cainus","date":"2014-07-08 "},{"name":"bufferpack","description":"Module to pack/unpack primitives and c strings into/out of a Node.js buffer","url":null,"keywords":"jspack buffer octet primitive string","version":"0.0.6","words":"bufferpack module to pack/unpack primitives and c strings into/out of a node.js buffer =ryanrolds jspack buffer octet primitive string","author":"=ryanrolds","date":"2012-01-25 "},{"name":"bufferput","description":"Pack multibyte binary values into buffers","url":null,"keywords":"put pack binary buffer","version":"0.1.2","words":"bufferput pack multibyte binary values into buffers =gasteve put pack binary buffer","author":"=gasteve","date":"2013-07-18 "},{"name":"bufferreader","description":"another buffer-reader by solid","url":null,"keywords":"","version":"0.0.1","words":"bufferreader another buffer-reader by solid =solidco2","author":"=solidco2","date":"2014-09-18 "},{"name":"buffers","description":"Treat a collection of Buffers as a single contiguous partially mutable Buffer.","url":null,"keywords":"","version":"0.1.1","words":"buffers treat a collection of buffers as a single contiguous partially mutable buffer. =substack","author":"=substack","date":"2011-10-12 "},{"name":"bufferstream","description":"painless stream buffering and cutting","url":null,"keywords":"buffer buffers stream streams","version":"0.6.2","words":"bufferstream painless stream buffering and cutting =dodo buffer buffers stream streams","author":"=dodo","date":"2013-11-19 "},{"name":"bufferstreams","description":"Abstract streams to deal with the whole buffered contents.","url":null,"keywords":"buffer streaming stream async abstract","version":"0.0.2","words":"bufferstreams abstract streams to deal with the whole buffered contents. =nfroidure buffer streaming stream async abstract","author":"=nfroidure","date":"2014-03-29 "},{"name":"buffertools","description":"Working with node.js buffers made easy.","url":null,"keywords":"buffer buffers","version":"2.1.2","words":"buffertools working with node.js buffers made easy. =bnoordhuis buffer buffers","author":"=bnoordhuis","date":"2014-03-31 "},{"name":"bufferview","description":"A DataView for node Buffers.","url":null,"keywords":"net array buffer arraybuffer typed array bytebuffer","version":"1.0.1","words":"bufferview a dataview for node buffers. =dcode net array buffer arraybuffer typed array bytebuffer","author":"=dcode","date":"2014-01-04 "},{"name":"buffet","description":"Performance-oriented static file server","url":null,"keywords":"static middleware server file buffer","version":"1.0.4","words":"buffet performance-oriented static file server =carlos8f static middleware server file buffer","author":"=carlos8f","date":"2014-06-30 "},{"name":"buffet-brunch","description":"A brunch-plugin for adding any kind of template","url":null,"keywords":"","version":"0.1.0","words":"buffet-brunch a brunch-plugin for adding any kind of template =jakobm","author":"=jakobm","date":"2013-12-15 "},{"name":"buffie","description":"A module to wrap http response buffering in a promise for fun and profit","url":null,"keywords":"http response buffering promise fun profit","version":"1.0.2","words":"buffie a module to wrap http response buffering in a promise for fun and profit =bsgbryan http response buffering promise fun profit","author":"=bsgbryan","date":"2014-08-23 "},{"name":"buffo","description":"Binary encoding for Javascript objects.","url":null,"keywords":"serialisation object stream","version":"0.1.3","words":"buffo binary encoding for javascript objects. =bartvds serialisation object stream","author":"=bartvds","date":"2014-07-13 "},{"name":"buffoon","description":"buffer streams into strings, buffers, json or queries","url":null,"keywords":"buffering streams parsing","version":"0.1.4","words":"buffoon buffer streams into strings, buffers, json or queries =mafintosh buffering streams parsing","author":"=mafintosh","date":"2011-11-08 "},{"name":"buffr","description":"A simple psuedo stream that captures and stores the data that is piped through it","url":null,"keywords":"buffering stream duplex buffr","version":"0.1.0","words":"buffr a simple psuedo stream that captures and stores the data that is piped through it =jcrugzz buffering stream duplex buffr","author":"=jcrugzz","date":"2014-04-11 "},{"name":"bufftracker","description":"Track and calculate so-called 'buffs' in Pathfinder (and other 3.5 games)","url":null,"keywords":"pathfinder rpg gaming","version":"0.2.3","words":"bufftracker track and calculate so-called 'buffs' in pathfinder (and other 3.5 games) =darelf pathfinder rpg gaming","author":"=darelf","date":"2014-01-23 "},{"name":"buffy","description":"A module to read / write binary data and streams.","url":null,"keywords":"","version":"0.0.5","words":"buffy a module to read / write binary data and streams. =felixge =bkw","author":"=felixge =bkw","date":"2012-11-12 "},{"name":"bufs","description":"Buffer collection utilities.","url":null,"keywords":"buffer buffers","version":"0.1.0","words":"bufs buffer collection utilities. =jakeluer buffer buffers","author":"=jakeluer","date":"2013-12-21 "},{"name":"bug","description":"A mixin that allows object to easily listen in on child objects.","url":null,"keywords":"events","version":"0.1.1","words":"bug a mixin that allows object to easily listen in on child objects. =airportyh events","author":"=airportyh","date":"2013-06-28 "},{"name":"bug-clinic","description":"Teach yourself how to debug Node apps more better.","url":null,"keywords":"debugging educational guide tutorial workshopper learn","version":"1.1.4","words":"bug-clinic teach yourself how to debug node apps more better. =othiym23 =nvcexploder debugging educational guide tutorial workshopper learn","author":"=othiym23 =nvcexploder","date":"2014-07-26 "},{"name":"bug-killer","description":"A colored way to find bugs and fix them.","url":null,"keywords":"bugs debug killer node","version":"0.1.1","words":"bug-killer a colored way to find bugs and fix them. =ionicabizau bugs debug killer node","author":"=ionicabizau","date":"2014-06-16 "},{"name":"bug-task","description":"Add taskwarrior tasks from Bugzilla IDs.","url":null,"keywords":"","version":"0.0.2","words":"bug-task add taskwarrior tasks from bugzilla ids. =mythmon","author":"=mythmon","date":"2014-07-03 "},{"name":"buganno","description":"Library for loading and parsing annotations from JavaScript files.","url":null,"keywords":"","version":"0.1.7","words":"buganno library for loading and parsing annotations from javascript files. =airbug","author":"=airbug","date":"2014-08-08 "},{"name":"bugbuster","description":"BugBuster command line tools","url":null,"keywords":"bugbuster cli tunnel firewall","version":"0.2.0","words":"bugbuster bugbuster command line tools =bugbuster bugbuster cli tunnel firewall","author":"=bugbuster","date":"2014-06-15 "},{"name":"bugcore","description":"bugcore is a JavaScript library that provides a foundational architecture for object oriented JS","url":null,"keywords":"","version":"0.2.17","words":"bugcore bugcore is a javascript library that provides a foundational architecture for object oriented js =airbug","author":"=airbug","date":"2014-08-08 "},{"name":"bugcsv","description":"bugcsv is a JavaScript library that provides an object oriented CSV parser built on the bugcore framework","url":null,"keywords":"","version":"0.0.4","words":"bugcsv bugcsv is a javascript library that provides an object oriented csv parser built on the bugcore framework =airbug","author":"=airbug","date":"2014-08-04 "},{"name":"bugflow","description":"Declarative async flow control for object oriented JavaScript provided by the bugcore library","url":null,"keywords":"","version":"0.1.6","words":"bugflow declarative async flow control for object oriented javascript provided by the bugcore library =airbug","author":"=airbug","date":"2014-07-16 "},{"name":"bugfree","description":"BugFree API Node.js client","url":null,"keywords":"bugfree bugfree api bug","version":"0.0.1","words":"bugfree bugfree api node.js client =fengmk2 bugfree bugfree api bug","author":"=fengmk2","date":"2013-12-12 "},{"name":"bugfreejs","description":"add some special comment to your js file. You will love it.","url":null,"keywords":"","version":"1.1.1","words":"bugfreejs add some special comment to your js file. you will love it. =ottomao","author":"=ottomao","date":"2014-09-14 "},{"name":"bugfs","description":"Convenience library for interacting with file system in node js. Built using bugcore library.","url":null,"keywords":"","version":"0.1.5","words":"bugfs convenience library for interacting with file system in node js. built using bugcore library. =airbug","author":"=airbug","date":"2014-07-16 "},{"name":"bugger","description":"Debug everything","url":null,"keywords":"debug inspector chrome","version":"0.6.1","words":"bugger debug everything =jkrems debug inspector chrome","author":"=jkrems","date":"2013-09-28 "},{"name":"bugger-daemon","description":"buggerd sources","url":null,"keywords":"bugger devtools debugger chrome","version":"0.0.1","words":"bugger-daemon buggerd sources =jkrems bugger devtools debugger chrome","author":"=jkrems","date":"2013-07-26 "},{"name":"buggr","description":"Better Debug and Logging for Node.js","url":null,"keywords":"console datetime console.log logging logger debug","version":"0.1.2","words":"buggr better debug and logging for node.js =scwright1 console datetime console.log logging logger debug","author":"=scwright1","date":"2014-03-20 "},{"name":"buglify","description":"Batch minify (uglify) javascript (with sourcemaps) including a file change listener/watcher.","url":null,"keywords":"batch uglify minify javascript sourcemaps watcher listener","version":"0.1.1","words":"buglify batch minify (uglify) javascript (with sourcemaps) including a file change listener/watcher. =kamalkhan batch uglify minify javascript sourcemaps watcher listener","author":"=kamalkhan","date":"2014-07-20 "},{"name":"bugmeta","description":"A JavaScript library for applying and retrieving meta information about a JS function","url":null,"keywords":"","version":"0.1.4","words":"bugmeta a javascript library for applying and retrieving meta information about a js function =airbug","author":"=airbug","date":"2014-07-16 "},{"name":"bugpack","description":"Package manager and loader to help make browser and node js package loading consistent and easier","url":null,"keywords":"","version":"0.2.0","words":"bugpack package manager and loader to help make browser and node js package loading consistent and easier =airbug","author":"=airbug","date":"2014-08-26 "},{"name":"bugpack-registry","description":"Registry builder for the bugpack package loader","url":null,"keywords":"","version":"0.1.7","words":"bugpack-registry registry builder for the bugpack package loader =airbug","author":"=airbug","date":"2014-07-16 "},{"name":"bugs","description":"A unified interface to common debuggers (gdb, jdb, pdb, ...) ","url":null,"keywords":"gdb pdb jdb bugs debugger","version":"0.1.0","words":"bugs a unified interface to common debuggers (gdb, jdb, pdb, ...) =aarono gdb pdb jdb bugs debugger","author":"=aarono","date":"2014-03-16 "},{"name":"bugsense","description":"bugsense API","url":null,"keywords":"","version":"0.0.1","words":"bugsense bugsense api =architectd","author":"=architectd","date":"2012-02-18 "},{"name":"bugsnag","description":"Bugsnag notifier for node.js scripts","url":null,"keywords":"error bugsnag exception","version":"1.4.0","words":"bugsnag bugsnag notifier for node.js scripts =snmaynard =cirwin =jessicard =loopj error bugsnag exception","author":"=snmaynard =cirwin =jessicard =loopj","date":"2014-06-10 "},{"name":"bugsnag-notification-plugins","description":"Notification plugins (chat and issue tracking integrations) for Bugsnag.","url":null,"keywords":"","version":"1.21.0","words":"bugsnag-notification-plugins notification plugins (chat and issue tracking integrations) for bugsnag. =loopj =snmaynard =cirwin =jessicard","author":"=loopj =snmaynard =cirwin =jessicard","date":"2014-09-19 "},{"name":"bugspots","description":"Port of ruby gem bugspots","url":null,"keywords":"bugspots git","version":"1.0.0","words":"bugspots port of ruby gem bugspots =swang bugspots git","author":"=swang","date":"2014-08-17 "},{"name":"bugswarm-cfg","description":"[Configuration] BUGswarm is platform that allows you to share and access your hardware sensor data easily and effortlessly.","url":null,"keywords":"m2m IoT realtime messaging sensor hardware socket configuration","version":"0.4.3","words":"bugswarm-cfg [configuration] bugswarm is platform that allows you to share and access your hardware sensor data easily and effortlessly. =buglabs =c4milo m2m iot realtime messaging sensor hardware socket configuration","author":"=buglabs =c4milo","date":"2013-11-26 "},{"name":"bugswarm-prt","description":"[Participation] BUGswarm is platform that allows you to share and access your hardware sensor data easily and effortlessly.","url":null,"keywords":"m2m IoT realtime messaging sensor hardware socket configuration","version":"0.4.3","words":"bugswarm-prt [participation] bugswarm is platform that allows you to share and access your hardware sensor data easily and effortlessly. =buglabs =c4milo m2m iot realtime messaging sensor hardware socket configuration","author":"=buglabs =c4milo","date":"2013-11-26 "},{"name":"bugtrace","description":"Async tracing tool for JavaScript making it easy to back trace through async breaks in JS code","url":null,"keywords":"","version":"0.1.5","words":"bugtrace async tracing tool for javascript making it easy to back trace through async breaks in js code =airbug","author":"=airbug","date":"2014-07-17 "},{"name":"bugunit","description":"bugunit =======","url":null,"keywords":"","version":"0.1.4","words":"bugunit bugunit ======= =airbug","author":"=airbug","date":"2014-08-08 "},{"name":"bugzilla-cli","description":"Command line tool to operate with bugzilla","url":null,"keywords":"bugzilla bug cli command","version":"0.0.3","words":"bugzilla-cli command line tool to operate with bugzilla =dmarcos bugzilla bug cli command","author":"=dmarcos","date":"2014-05-12 "},{"name":"bugzilla-fixtures","description":"Bugzilla test fixtures","url":null,"keywords":"bugzilla test fixtures","version":"0.0.1","words":"bugzilla-fixtures bugzilla test fixtures =lights-of-apollo bugzilla test fixtures","author":"=lights-of-apollo","date":"2013-11-19 "},{"name":"buhges","description":"(beta) tool for build html pages of snippets and layers, supports mustache/handlebars templates","url":null,"keywords":"handlebars mustache template tool less","version":"0.0.3","words":"buhges (beta) tool for build html pages of snippets and layers, supports mustache/handlebars templates =ilyar.software handlebars mustache template tool less","author":"=ilyar.software","date":"2013-08-04 "},{"name":"bui","description":"Modular front-end development platform","url":null,"keywords":"bui","version":"0.1.13","words":"bui modular front-end development platform =z.w bui","author":"=z.w","date":"2014-08-25 "},{"name":"build","description":"An ant-like build program for node","url":null,"keywords":"","version":"0.1.4","words":"build an ant-like build program for node =jonlb","author":"=jonlb","date":"2012-02-05 "},{"name":"build-array","description":"build an array of `length`","url":null,"keywords":"new array length build default value","version":"1.0.0","words":"build-array build an array of `length` =ramitos new array length build default value","author":"=ramitos","date":"2014-08-22 "},{"name":"build-bootstrap","description":"Build bootstrap with node.js.","url":null,"keywords":"bootstrap","version":"0.1.0","words":"build-bootstrap build bootstrap with node.js. =jonschlinkert bootstrap","author":"=jonschlinkert","date":"2013-11-15 "},{"name":"build-changelog","description":"A CLI to auto-generate a deploy ready changelog","url":null,"keywords":"","version":"2.1.1","words":"build-changelog a cli to auto-generate a deploy ready changelog =raynos =dfellis","author":"=raynos =dfellis","date":"2014-04-17 "},{"name":"build-css","description":"Helper for building/minifying LESS and CSS files","url":null,"keywords":"css less build minify concatenate","version":"0.2.0","words":"build-css helper for building/minifying less and css files =conradz css less build minify concatenate","author":"=conradz","date":"2014-04-25 "},{"name":"build-debug","description":"A node-inspector debugger script for build tasks","url":null,"keywords":"debug debugger inspector profiler","version":"0.0.3","words":"build-debug a node-inspector debugger script for build tasks =dtothefp debug debugger inspector profiler","author":"=dtothefp","date":"2014-08-26 "},{"name":"build-docker-image-from-tarball","description":"Take a path to a tarball image and build that tarball into a docker image","url":null,"keywords":"docker buildstep","version":"0.1.0","words":"build-docker-image-from-tarball take a path to a tarball image and build that tarball into a docker image =clewfirst docker buildstep","author":"=clewfirst","date":"2013-08-26 "},{"name":"build-env","description":"includes `build-env.js` file from root of project","url":null,"keywords":"","version":"0.0.1","words":"build-env includes `build-env.js` file from root of project =vol4ok","author":"=vol4ok","date":"2012-12-20 "},{"name":"build-error","description":"Wrap error messages into a standard javascript error object","url":null,"keywords":"error","version":"0.0.2","words":"build-error wrap error messages into a standard javascript error object =clewfirst error","author":"=clewfirst","date":"2013-08-05 "},{"name":"build-friend","description":"A task runner and a build system","url":null,"keywords":"build system task task runner build runner","version":"0.1.7","words":"build-friend a task runner and a build system =nelli.prashanth build system task task runner build runner","author":"=nelli.prashanth","date":"2014-09-18 "},{"name":"build-groups","description":"Find builds from HTML","url":null,"keywords":"","version":"0.0.4","words":"build-groups find builds from html =kimjoar","author":"=kimjoar","date":"2014-01-12 "},{"name":"build-http-error","description":"(Node.js) Build an HTTP error with a status code and / or a message.","url":null,"keywords":"http error status","version":"0.1.0","words":"build-http-error (node.js) build an http error with a status code and / or a message. =makara http error status","author":"=makara","date":"2014-06-24 "},{"name":"build-js","description":"A JavaScript preprocessor","url":null,"keywords":"preprocessor npm javascript module macro include","version":"1.0.0","words":"build-js a javascript preprocessor =marklinus preprocessor npm javascript module macro include","author":"=marklinus","date":"2013-11-22 "},{"name":"build-jshint","description":"Helper for running JSHint on files and directories","url":null,"keywords":"jshint build","version":"0.1.0","words":"build-jshint helper for running jshint on files and directories =conradz jshint build","author":"=conradz","date":"2013-10-31 "},{"name":"build-meta-data","description":"A NodeJS library designed to track meta information for build code (designed to be used with build tools to GulpJS/GruntJS)","url":null,"keywords":"build meta-data","version":"0.1.2","words":"build-meta-data a nodejs library designed to track meta information for build code (designed to be used with build tools to gulpjs/gruntjs) =ryanzec build meta-data","author":"=ryanzec","date":"2014-08-06 "},{"name":"build-modules","description":"`build-modules` ============","url":null,"keywords":"","version":"1.0.11","words":"build-modules `build-modules` ============ =fresheneesz","author":"=fresheneesz","date":"2014-04-30 "},{"name":"build-monitor","description":"Watch a continuous integration/build server and provide real-time feedback","url":null,"keywords":"","version":"0.1.0","words":"build-monitor watch a continuous integration/build server and provide real-time feedback =fidian","author":"=fidian","date":"2013-08-13 "},{"name":"build-mood","description":"Monitor and signal the current build state using sounds","url":null,"keywords":"js javascript build sound audio","version":"0.0.1","words":"build-mood monitor and signal the current build state using sounds =bahmutov js javascript build sound audio","author":"=bahmutov","date":"2013-02-21 "},{"name":"build-regex-group","description":"Build regular expression groups from arrays of strings. Useful when you need to automatically generate RegExp patterns.","url":null,"keywords":"array exec expression find group match matches pattern patterns re regex regular replace replacement","version":"0.1.0","words":"build-regex-group build regular expression groups from arrays of strings. useful when you need to automatically generate regexp patterns. =jonschlinkert array exec expression find group match matches pattern patterns re regex regular replace replacement","author":"=jonschlinkert","date":"2014-07-07 "},{"name":"build-reporter","description":"","url":null,"keywords":"","version":"0.2.0","words":"build-reporter =popomore","author":"=popomore","date":"2013-09-25 "},{"name":"build-runner","description":"Executes a build command then runs it.","url":null,"keywords":"","version":"0.0.3","words":"build-runner executes a build command then runs it. =nerdyworm","author":"=nerdyworm","date":"2014-07-01 "},{"name":"build-tasks","description":"Build tasks for Backbone Boilerplate","url":null,"keywords":"","version":"0.1.1","words":"build-tasks build tasks for backbone boilerplate =tbranyen","author":"=tbranyen","date":"2012-03-29 "},{"name":"build-workflow","description":"Simple gruntfile helper to define build workflows","url":null,"keywords":"grunt workflow build tasks management gruntfile","version":"0.0.30","words":"build-workflow simple gruntfile helper to define build workflows =royriojas grunt workflow build tasks management gruntfile","author":"=royriojas","date":"2014-09-12 "},{"name":"build.js","url":null,"keywords":"","version":"0.3.0","words":"build.js =petrjanda","author":"=petrjanda","date":"2012-05-20 "},{"name":"build.json","description":"An automation tool for building modules with browserify","url":null,"keywords":"gruntplugin modules browserify","version":"1.2.0","words":"build.json an automation tool for building modules with browserify =michael.paulson gruntplugin modules browserify","author":"=michael.paulson","date":"2013-10-27 "},{"name":"build4js","description":"build4js a lightweight build tool for Node.js","url":null,"keywords":"build ci","version":"0.1.4","words":"build4js build4js a lightweight build tool for node.js =aleafs build ci","author":"=aleafs","date":"2012-11-16 "},{"name":"buildblink","description":"an application to monitor continuous integration builds and notify you by a ThingM blink1 light.","url":null,"keywords":"continuous integration ci blink1 build build light","version":"0.0.4","words":"buildblink an application to monitor continuous integration builds and notify you by a thingm blink1 light. =brettswift continuous integration ci blink1 build build light","author":"=brettswift","date":"2014-02-24 "},{"name":"buildbot-github","description":"A module which listens for Github webhook events and triggers a Buildbot build when a comment with trigger string defined in a config is found in a pull request.","url":null,"keywords":"github git buildbot","version":"0.2.2","words":"buildbot-github a module which listens for github webhook events and triggers a buildbot build when a comment with trigger string defined in a config is found in a pull request. =kami github git buildbot","author":"=kami","date":"2012-01-04 "},{"name":"buildbranch","description":"Publish a folder to the given build branch (like gh-pages).","url":null,"keywords":"gulpfriendly gruntfriendly ghpages gh-pages build publish git github","version":"0.0.1","words":"buildbranch publish a folder to the given build branch (like gh-pages). =nfroidure gulpfriendly gruntfriendly ghpages gh-pages build publish git github","author":"=nfroidure","date":"2014-03-02 "},{"name":"buildbug","description":"buildbug ========","url":null,"keywords":"","version":"0.2.0","words":"buildbug buildbug ======== =airbug","author":"=airbug","date":"2014-08-08 "},{"name":"builder","description":"Liberal JavaScript DOM builder","url":null,"keywords":"","version":"1.0.4","words":"builder liberal javascript dom builder =syntacticx =eastridge","author":"=syntacticx =eastridge","date":"2013-02-08 "},{"name":"builder-autoprefixer","description":"autoprefixer plugin for component-builder2.js","url":null,"keywords":"","version":"1.0.2","words":"builder-autoprefixer autoprefixer plugin for component-builder2.js =jongleberry =tootallnate =juliangruber =yields =ianstormtaylor =tjholowaychuk =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =juliangruber =yields =ianstormtaylor =tjholowaychuk =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"builder-browser","description":"Build chain for client-side MVC views. Render, convert to DOM elements, and bind jQuery plugins in one fell swoop.","url":null,"keywords":"render template build view client-side mvc jquery plugin automate builder","version":"0.1.0","words":"builder-browser build chain for client-side mvc views. render, convert to dom elements, and bind jquery plugins in one fell swoop. =twolfson render template build view client-side mvc jquery plugin automate builder","author":"=twolfson","date":"2013-01-10 "},{"name":"builder-clean-css","description":"A css minifier plugin for `component/component-builder2`","url":null,"keywords":"","version":"0.0.0","words":"builder-clean-css a css minifier plugin for `component/component-builder2` =poying","author":"=poying","date":"2014-06-17 "},{"name":"builder-coffee","description":"CoffeeScript plugin for builder.js","url":null,"keywords":"hook plugin builder.js component.js","version":"0.0.1","words":"builder-coffee coffeescript plugin for builder.js =mnmly hook plugin builder.js component.js","author":"=mnmly","date":"2012-12-26 "},{"name":"builder-coffee-script","description":"coffee-script plugin for component-builder2","url":null,"keywords":"","version":"0.1.1","words":"builder-coffee-script coffee-script plugin for component-builder2 =jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"builder-coffeescript","description":"Coffeescript plugin for component-build","url":null,"keywords":"","version":"0.0.1","words":"builder-coffeescript coffeescript plugin for component-build =anthonyshort","author":"=anthonyshort","date":"2013-02-17 "},{"name":"builder-css-whitespace","description":"css-whitespace plugin for component-builder2.js","url":null,"keywords":"builder2.js component css-whitespace","version":"0.0.1","words":"builder-css-whitespace css-whitespace plugin for component-builder2.js =queckezz builder2.js component css-whitespace","author":"=queckezz","date":"2014-02-21 "},{"name":"builder-es6-module-to-cjs","description":"builder plugin to convert ES6 modules to CJS","url":null,"keywords":"","version":"1.1.0","words":"builder-es6-module-to-cjs builder plugin to convert es6 modules to cjs =jongleberry =queckezz =tjholowaychuk =ianstormtaylor =anthonyshort =yields =dominicbarnes =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =queckezz =tjholowaychuk =ianstormtaylor =anthonyshort =yields =dominicbarnes =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"builder-html-minifier","description":"html minifier plugin for component-builder2.js","url":null,"keywords":"","version":"1.0.0","words":"builder-html-minifier html minifier plugin for component-builder2.js =jongleberry =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =tootallnate =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =tootallnate =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"builder-jade","description":"Jade plugin for component-builder","url":null,"keywords":"","version":"1.0.1","words":"builder-jade jade plugin for component-builder =jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"builder-less","description":"less plugin for component-builder.js","url":null,"keywords":"component less","version":"1.0.1","words":"builder-less less plugin for component-builder.js =ooflorent component less","author":"=ooflorent","date":"2014-05-07 "},{"name":"builder-markdown","description":"Markdown plugin for component-builder","url":null,"keywords":"","version":"1.0.1","words":"builder-markdown markdown plugin for component-builder =takashi","author":"=takashi","date":"2014-07-30 "},{"name":"builder-myth","description":"[myth](http://myth.io) plugin for [component-builder2](https://github.com/component/builder2.js).","url":null,"keywords":"myth builder2 component-builder2","version":"0.0.4","words":"builder-myth [myth](http://myth.io) plugin for [component-builder2](https://github.com/component/builder2.js). =mnmly myth builder2 component-builder2","author":"=mnmly","date":"2014-05-10 "},{"name":"builder-react","description":"React plugin for component-builder","url":null,"keywords":"","version":"0.0.11","words":"builder-react react plugin for component-builder =pgherveou","author":"=pgherveou","date":"2014-07-28 "},{"name":"builder-regenerator","description":"Facebook's regenerator plugin for component-builder2","url":null,"keywords":"","version":"0.1.1","words":"builder-regenerator facebook's regenerator plugin for component-builder2 =jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt","author":"=jongleberry =tootallnate =tjholowaychuk =juliangruber =yields =ianstormtaylor =timoxley =mattmueller =jonathanong =queckezz =anthonyshort =dominicbarnes =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt","date":"2014-06-17 "},{"name":"builder-rework","description":"rework plugin for component-builder2.js","url":null,"keywords":"","version":"0.0.1","words":"builder-rework rework plugin for component-builder2.js =jongleberry","author":"=jongleberry","date":"2014-02-19 "},{"name":"builder-string","description":"HTML template plugin for component-build","url":null,"keywords":"builder component string html plugin","version":"0.0.1","words":"builder-string html template plugin for component-build =anthonyshort builder component string html plugin","author":"=anthonyshort","date":"2013-02-17 "},{"name":"builder-styles-raw","description":"Returns the raw version of the style files","url":null,"keywords":"component builder2 styles raw","version":"0.0.1","words":"builder-styles-raw returns the raw version of the style files =kewah component builder2 styles raw","author":"=kewah","date":"2014-05-28 "},{"name":"builder-svg-minifier","description":"SVG minifier plugin for component-builder2","url":null,"keywords":"component builder svg","version":"0.0.1","words":"builder-svg-minifier svg minifier plugin for component-builder2 =kewah component builder svg","author":"=kewah","date":"2014-05-25 "},{"name":"builder-target","description":"build target plugin for component-builder","url":null,"keywords":"","version":"0.0.1","words":"builder-target build target plugin for component-builder =pgherveou","author":"=pgherveou","date":"2014-07-05 "},{"name":"buildfirst","description":"![buildfirst.png][1]","url":null,"keywords":"","version":"0.1.0","words":"buildfirst ![buildfirst.png][1] =bevacqua","author":"=bevacqua","date":"2013-12-10 "},{"name":"buildfirst-ci-by-example","description":"_This repository is part of the **JavaScript Application Design: A Build First Approach** book's code samples_, the full original for the code samples [can be found here](https://github.com/bevacqua/buildfirst). You can [learn more about the book itself here](http://bevacqua.io/buildfirst \"JavaScript Application Design: A Build First Approach\").","url":null,"keywords":"buildfirst","version":"0.1.0","words":"buildfirst-ci-by-example _this repository is part of the **javascript application design: a build first approach** book's code samples_, the full original for the code samples [can be found here](https://github.com/bevacqua/buildfirst). you can [learn more about the book itself here](http://bevacqua.io/buildfirst \"javascript application design: a build first approach\"). =bevacqua buildfirst","author":"=bevacqua","date":"2013-12-10 "},{"name":"buildfresh","description":"Runs a command then reloads your browser when files change","url":null,"keywords":"reload livereload watch front end","version":"0.1.4","words":"buildfresh runs a command then reloads your browser when files change =jkroso reload livereload watch front end","author":"=jkroso","date":"2013-08-03 "},{"name":"buildfu","description":"A collection of CLI web build tools","url":null,"keywords":"web build build system single page web application static html html css javascript jsdom","version":"0.0.5","words":"buildfu a collection of cli web build tools =munter web build build system single page web application static html html css javascript jsdom","author":"=munter","date":"2012-06-29 "},{"name":"buildify","description":"Builder for creating distributable JavaScript files from source. Concatenate, wrap, uglify.","url":null,"keywords":"","version":"0.4.0","words":"buildify builder for creating distributable javascript files from source. concatenate, wrap, uglify. =powmedia","author":"=powmedia","date":"2013-07-16 "},{"name":"building-static-server","url":null,"keywords":"","version":"1.0.0","words":"building-static-server =latentflip","author":"=latentflip","date":"2014-08-11 "},{"name":"buildit","description":"A package to help test, benchmark, and concatenate project source files.","url":null,"keywords":"","version":"0.4.2","words":"buildit a package to help test, benchmark, and concatenate project source files. =sjberry","author":"=sjberry","date":"2014-07-08 "},{"name":"buildjs","description":"JS/CSS files compress/optimizer","url":null,"keywords":"production javascript css minify build","version":"1.0.3","words":"buildjs js/css files compress/optimizer =konteck production javascript css minify build","author":"=konteck","date":"2012-01-23 "},{"name":"buildjs.core","description":"Core Shared Functionality for the BuildJS Tool Suite","url":null,"keywords":"buildjs buildtool","version":"0.1.2","words":"buildjs.core core shared functionality for the buildjs tool suite =damonoehlman buildjs buildtool","author":"=damonoehlman","date":"2014-06-05 "},{"name":"buildlight","description":"node.js library for Delcom USB Visual Signal Indicator","url":null,"keywords":"buildlight delcom usbled","version":"0.10.0","words":"buildlight node.js library for delcom usb visual signal indicator =cliffano buildlight delcom usbled","author":"=cliffano","date":"2014-09-10 "},{"name":"buildline","keywords":"","version":[],"words":"buildline","author":"","date":"2014-02-01 "},{"name":"buildlocale","description":"buildlocale ===========","url":null,"keywords":"","version":"0.2.0","words":"buildlocale buildlocale =========== =papandreou","author":"=papandreou","date":"2012-10-07 "},{"name":"buildmail","description":"buildmail is a low level rfc2822 message composer. Define your own mime tree, no magic included.","url":null,"keywords":"RFC2822 mime","version":"1.2.0","words":"buildmail buildmail is a low level rfc2822 message composer. define your own mime tree, no magic included. =andris rfc2822 mime","author":"=andris","date":"2014-09-12 "},{"name":"buildman","description":"Expiremental webapp bundler","url":null,"keywords":"readme","version":"0.2.13","words":"buildman expiremental webapp bundler =lauriro readme","author":"=lauriro","date":"2014-08-21 "},{"name":"buildorch","description":"A Simple CLI based utility to Build, Beat and Bundle (b3), a NodeJs Application.","url":null,"keywords":"orchestrator b3 buid builder bundle bundler test codecoverage lint","version":"0.1.4","words":"buildorch a simple cli based utility to build, beat and bundle (b3), a nodejs application. =subicbabu orchestrator b3 buid builder bundle bundler test codecoverage lint","author":"=subicbabu","date":"2014-07-15 "},{"name":"buildproject","description":"Tools to build a project from almost any source to an output structure","url":null,"keywords":"","version":"0.0.8","words":"buildproject tools to build a project from almost any source to an output structure =steveukx","author":"=steveukx","date":"2013-01-31 "},{"name":"buildr","description":"The (Java|Coffee)Script and (CSS|Less) (Builder|Bundler|Packer|Minifier|Merger|Checker)","url":null,"keywords":"javascript coffee lesscss less css builder package compile compress minify bundle merge lint","version":"0.8.7","words":"buildr the (java|coffee)script and (css|less) (builder|bundler|packer|minifier|merger|checker) =balupton =brandonramirez javascript coffee lesscss less css builder package compile compress minify bundle merge lint","author":"=balupton =brandonramirez","date":"2013-03-25 "},{"name":"buildserver","description":"configurable build server with hook.io integration","url":null,"keywords":"build server events buildserver hook hookio hook.io framework web router app api","version":"0.0.3","words":"buildserver configurable build server with hook.io integration =mashdraggin build server events buildserver hook hookio hook.io framework web router app api","author":"=mashdraggin","date":"2012-08-08 "},{"name":"buildtools","description":"Utilities for use in Jake/Cake/Coke build files.","url":null,"keywords":"build buildtools jake coke cake tools util server","version":"0.1.1","words":"buildtools utilities for use in jake/cake/coke build files. =dsc build buildtools jake coke cake tools util server","author":"=dsc","date":"2013-01-14 "},{"name":"buildumb","description":"Ultra-dumb exporter of Node.js modules for use in the browser","url":null,"keywords":"build export browser modules require","version":"0.1.4","words":"buildumb ultra-dumb exporter of node.js modules for use in the browser =insin build export browser modules require","author":"=insin","date":"2012-07-15 "},{"name":"buildy","description":"A build framework with chaining syntax","url":null,"keywords":"build builder","version":"0.0.8","words":"buildy a build framework with chaining syntax =mosen build builder","author":"=mosen","date":"2012-05-07 "},{"name":"built","description":"built.io JavaScript SDK","url":null,"keywords":"","version":"1.3.1","words":"built built.io javascript sdk =pradeepmishra","author":"=pradeepmishra","date":"2014-07-31 "},{"name":"builtins","description":"List of node.js builtin modules","url":null,"keywords":"","version":"0.0.7","words":"builtins list of node.js builtin modules =juliangruber =segment","author":"=juliangruber =segment","date":"2014-09-01 "},{"name":"bukget","keywords":"","version":[],"words":"bukget","author":"","date":"2014-05-29 "},{"name":"bukget-client","description":"Bukget API v3 Wrapper","url":null,"keywords":"","version":"0.0.2","words":"bukget-client bukget api v3 wrapper =nodecraft","author":"=nodecraft","date":"2014-06-27 "},{"name":"bukkit","description":"Control your Bukkit Minecraft server","url":null,"keywords":"minecraft bukkit api","version":"0.0.0-pre","words":"bukkit control your bukkit minecraft server =silvinci minecraft bukkit api","author":"=silvinci","date":"2013-02-03 "},{"name":"bukkit-stats","description":"Gets a server's stats displayed in the client serverlist","url":null,"keywords":"bukkit minecraft api","version":"1.1.0","words":"bukkit-stats gets a server's stats displayed in the client serverlist =silvinci bukkit minecraft api","author":"=silvinci","date":"2012-11-20 "},{"name":"bula","description":"bulajs ============","url":null,"keywords":"","version":"0.3.17","words":"bula bulajs ============ =dlochrie","author":"=dlochrie","date":"2014-07-14 "},{"name":"bula-auth","description":"Authentication Middleware for the Bula CMS.","url":null,"keywords":"bula","version":"0.0.1","words":"bula-auth authentication middleware for the bula cms. =dlochrie bula","author":"=dlochrie","date":"2014-06-15 "},{"name":"bula-test","description":"Testing utilities for Bula.","url":null,"keywords":"Bula test","version":"0.0.2","words":"bula-test testing utilities for bula. =dlochrie bula test","author":"=dlochrie","date":"2014-07-02 "},{"name":"bulk-export","description":"Requires files in a directory and returns the results as a keyed object","url":null,"keywords":"","version":"1.0.1","words":"bulk-export requires files in a directory and returns the results as a keyed object =mauricebutler","author":"=mauricebutler","date":"2014-09-18 "},{"name":"bulk-hogan","description":"Produces html from some view object by rendering it via some mustache implementation.","url":null,"keywords":"","version":"0.3.0","words":"bulk-hogan produces html from some view object by rendering it via some mustache implementation. =mcculloughsean =quackingduck","author":"=mcculloughsean =quackingduck","date":"2013-04-12 "},{"name":"bulk-load","description":"Loads and or globalizes all files in a given directory","url":null,"keywords":"load node.js require path","version":"0.0.1","words":"bulk-load loads and or globalizes all files in a given directory =romanmt load node.js require path","author":"=romanmt","date":"2014-09-04 "},{"name":"bulk-loader","description":"Load all files matching a regex and performs a callback on them.","url":null,"keywords":"Node.js Bulk Load Loader Require Pattern Callback","version":"0.0.8","words":"bulk-loader load all files matching a regex and performs a callback on them. =wchen node.js bulk load loader require pattern callback","author":"=wchen","date":"2013-04-07 "},{"name":"bulk-rename","description":"simple bulk renaming command line utility","url":null,"keywords":"","version":"1.0.0","words":"bulk-rename simple bulk renaming command line utility =forbeslindesay","author":"=forbeslindesay","date":"2013-01-22 "},{"name":"bulk-replace","description":"Bulk replace items in a string from an object.","url":null,"keywords":"string replace","version":"0.0.1","words":"bulk-replace bulk replace items in a string from an object. =jeresig string replace","author":"=jeresig","date":"2013-08-29 "},{"name":"bulk-require","description":"require a whole directory of trees in bulk","url":null,"keywords":"require bulk directory glob load include","version":"0.2.1","words":"bulk-require require a whole directory of trees in bulk =substack require bulk directory glob load include","author":"=substack","date":"2014-06-10 "},{"name":"bulk-run","description":"## What","url":null,"keywords":"","version":"1.0.1","words":"bulk-run ## what =korynunn","author":"=korynunn","date":"2014-04-02 "},{"name":"bulk.jsx","description":"ExtendScript (.jsx) library for Photoshop.","url":null,"keywords":"","version":"2.0.0","words":"bulk.jsx extendscript (.jsx) library for photoshop. =hanamura","author":"=hanamura","date":"2014-02-03 "},{"name":"bulkhead","description":"Bulkhead is a library that helps programmers embrace service-oriented programming by allowing NPM packages to act as SailsJS plugins.","url":null,"keywords":"sailsjs soa rest api service services crud plugin plugins sails search searches searching bluebird promise promises q npm as plugin package as plugin","version":"0.0.7","words":"bulkhead bulkhead is a library that helps programmers embrace service-oriented programming by allowing npm packages to act as sailsjs plugins. =codeotter sailsjs soa rest api service services crud plugin plugins sails search searches searching bluebird promise promises q npm as plugin package as plugin","author":"=codeotter","date":"2014-09-15 "},{"name":"bulkhead-crew","description":"A Bulkhead service for SailsJS that quickly integrates PassportJS.","url":null,"keywords":"sailsjs soa soap rest api services account authentication passportjs","version":"0.0.2","words":"bulkhead-crew a bulkhead service for sailsjs that quickly integrates passportjs. =codeotter sailsjs soa soap rest api services account authentication passportjs","author":"=codeotter","date":"2014-09-15 "},{"name":"bulkhead-kue","description":"A Bulkhead service that allows SailsJS projects to easily utilize LearnBoost's Kue.","url":null,"keywords":"sailsjs soa soap rest api services queue message kue","version":"0.0.1","words":"bulkhead-kue a bulkhead service that allows sailsjs projects to easily utilize learnboost's kue. =codeotter sailsjs soa soap rest api services queue message kue","author":"=codeotter","date":"2014-09-15 "},{"name":"bulkhead-mailer","description":"A Bulkhead service that allows SailsJS projects to easily use NodeMailer.","url":null,"keywords":"sailsjs soa soap rest api services mail nodemailer","version":"0.0.6","words":"bulkhead-mailer a bulkhead service that allows sailsjs projects to easily use nodemailer. =codeotter sailsjs soa soap rest api services mail nodemailer","author":"=codeotter","date":"2014-09-15 "},{"name":"bulkhead-test","description":"A functional testing suite for Bulkhead services.","url":null,"keywords":"sailsjs soa soap rest api services test unit functional mocha tdd","version":"0.0.6","words":"bulkhead-test a functional testing suite for bulkhead services. =codeotter sailsjs soa soap rest api services test unit functional mocha tdd","author":"=codeotter","date":"2014-09-15 "},{"name":"bulkify","description":"transform inline bulk-require calls into statically resolvable require maps","url":null,"keywords":"browserify-transform bulk-require directory nested require","version":"1.0.2","words":"bulkify transform inline bulk-require calls into statically resolvable require maps =substack browserify-transform bulk-require directory nested require","author":"=substack","date":"2014-06-24 "},{"name":"bull","description":"Job manager","url":null,"keywords":"job queue task parallel","version":"0.1.10","words":"bull job manager =manast job queue task parallel","author":"=manast","date":"2014-09-03 "},{"name":"bull-mock","description":"Bull.js mock interface, useful for testing","url":null,"keywords":"","version":"0.0.3","words":"bull-mock bull.js mock interface, useful for testing =solatis","author":"=solatis","date":"2014-06-13 "},{"name":"bulldog","description":"Release some Bulldogs to watch internet for you","url":null,"keywords":"bulldog bulldogjs watcher web watcher site watcher","version":"0.1.0","words":"bulldog release some bulldogs to watch internet for you =fernetjs bulldog bulldogjs watcher web watcher site watcher","author":"=fernetjs","date":"2012-10-09 "},{"name":"bullet","description":"A simple lightweight MVC with express","url":null,"keywords":"bullet express mvc simple rails","version":"0.1.0","words":"bullet a simple lightweight mvc with express =pksunkara bullet express mvc simple rails","author":"=pksunkara","date":"2013-02-06 "},{"name":"bullet-pubsub","description":"An ultra lightweight and simple to use pub-sub library.","url":null,"keywords":"bullet bullet-pubsub javascript library pub-sub pubsub events communication","version":"1.1.3","words":"bullet-pubsub an ultra lightweight and simple to use pub-sub library. =munkychop bullet bullet-pubsub javascript library pub-sub pubsub events communication","author":"=munkychop","date":"2014-09-10 "},{"name":"bulletproof","description":"Simple node.js tests","url":null,"keywords":"tests test","version":"0.0.1","words":"bulletproof simple node.js tests =sebmck tests test","author":"=sebmck","date":"2013-07-01 "},{"name":"bullettrain","description":"Simple Ecommerce","url":null,"keywords":"OpenShift Node.js application openshift","version":"1.0.12","words":"bullettrain simple ecommerce =jackie openshift node.js application openshift","author":"=jackie","date":"2012-08-23 "},{"name":"bullhorn-js","description":"A client-side library for global topic-based messaging.","url":null,"keywords":"client-side messaging Publish/Subscribe channels JSON Schema json-schema schema Topic-based Messaging pubsub","version":"1.0.2","words":"bullhorn-js a client-side library for global topic-based messaging. =atsid client-side messaging publish/subscribe channels json schema json-schema schema topic-based messaging pubsub","author":"=atsid","date":"2013-06-04 "},{"name":"bullshit","description":"mental javascript implementation of stanley.lieber's bullshit from plan9front","url":null,"keywords":"","version":"1.0.0-b","words":"bullshit mental javascript implementation of stanley.lieber's bullshit from plan9front =chee","author":"=chee","date":"2014-04-23 "},{"name":"bully","description":"Implementation of the Bully Algorithm to elect a master among equal peers in a distributed system","url":null,"keywords":"peer-to-peer slave-master distributed election","version":"0.2.2","words":"bully implementation of the bully algorithm to elect a master among equal peers in a distributed system =jaclar peer-to-peer slave-master distributed election","author":"=jaclar","date":"2014-04-22 "},{"name":"bulrush","keywords":"","version":[],"words":"bulrush","author":"","date":"2014-04-05 "},{"name":"bulutfon","description":"Bulutfon Node SDK","url":null,"keywords":"bulutfon","version":"0.1.0","words":"bulutfon bulutfon node sdk =bulutfon bulutfon","author":"=bulutfon","date":"2014-06-08 "},{"name":"bulwark","description":"A native Node.js addon that acts as an abstraction of the PKCS#11 API v2.20 from RSA.","url":null,"keywords":"cryptography rsa pkcs#11 symmetric asymmetric signature sign verify verification hash digest crypto","version":"0.0.1","words":"bulwark a native node.js addon that acts as an abstraction of the pkcs#11 api v2.20 from rsa. =swaj cryptography rsa pkcs#11 symmetric asymmetric signature sign verify verification hash digest crypto","author":"=swaj","date":"2014-05-07 "},{"name":"bumble","description":"A very simple blog","url":null,"keywords":"blog markdown","version":"2.1.1","words":"bumble a very simple blog =adambrault =nlf =gar =andyet blog markdown","author":"=adambrault =nlf =gar =andyet","date":"2014-08-06 "},{"name":"bumblebee","description":"Git post push client server application. - Alpha initial publish","url":null,"keywords":"","version":"0.2.11-alpha","words":"bumblebee git post push client server application. - alpha initial publish =travism","author":"=travism","date":"2014-02-26 "},{"name":"bumm","description":"Opinionated project generator for node.js relying on express and mongoose","url":null,"keywords":"web project generator scaffold express","version":"0.2.0","words":"bumm opinionated project generator for node.js relying on express and mongoose =saintedlama web project generator scaffold express","author":"=saintedlama","date":"2013-12-11 "},{"name":"bump","description":"[![Build Status](https://secure.travis-ci.org/kilianc/node-bump.png)](https://travis-ci.org/kilianc/node-bump)","url":null,"keywords":"","version":"0.2.5","words":"bump [![build status](https://secure.travis-ci.org/kilianc/node-bump.png)](https://travis-ci.org/kilianc/node-bump) =kilianc","author":"=kilianc","date":"2014-04-01 "},{"name":"bump-anything","description":"Bump *anything*!","url":null,"keywords":"bump semver version package package.json anything","version":"0.1.5","words":"bump-anything bump *anything*! =christianbradley bump semver version package package.json anything","author":"=christianbradley","date":"2013-11-28 "},{"name":"bump-cli","description":"Increments version numbers in files","url":null,"keywords":"","version":"1.1.3","words":"bump-cli increments version numbers in files =rstacruz","author":"=rstacruz","date":"2014-08-14 "},{"name":"bump-manifest","description":"Bump an appcache manifest's timestamp to recache contents","url":null,"keywords":"appcache manifest bump version timestamp offline","version":"0.0.0","words":"bump-manifest bump an appcache manifest's timestamp to recache contents =juliangruber appcache manifest bump version timestamp offline","author":"=juliangruber","date":"2013-10-10 "},{"name":"bump-tag","description":"Bump version and add tag","url":null,"keywords":"bump tag git version","version":"1.1.0","words":"bump-tag bump version and add tag =efrafa bump tag git version","author":"=efrafa","date":"2014-07-08 "},{"name":"bumper","description":"Simple release management for npm packages using git","url":null,"keywords":"","version":"0.0.4","words":"bumper simple release management for npm packages using git =agnoster","author":"=agnoster","date":"2011-06-21 "},{"name":"bumper2","description":"Updates package and bower version numbers","url":null,"keywords":"","version":"0.1.2","words":"bumper2 updates package and bower version numbers =federicoelles","author":"=federicoelles","date":"2014-04-19 "},{"name":"bumpit","description":"Install -------","url":null,"keywords":"","version":"0.0.4","words":"bumpit install ------- =caseywebdev","author":"=caseywebdev","date":"2013-08-29 "},{"name":"bumpitup","description":"Bump your package version and commit","url":null,"keywords":"command line package.json bump version increase semver git commit","version":"0.1.4","words":"bumpitup bump your package version and commit =eliasgs command line package.json bump version increase semver git commit","author":"=eliasgs","date":"2014-01-15 "},{"name":"bumpkit","description":"A DAW-inspired library for the Web Audio API","url":null,"keywords":"","version":"0.0.1","words":"bumpkit a daw-inspired library for the web audio api =jxnblk","author":"=jxnblk","date":"2014-09-10 "},{"name":"bumpv","description":"Simple command-line utility to bump the version of a package.json file (and add the appropiate git tag).","url":null,"keywords":"cli version bumpv","version":"1.0.9","words":"bumpv simple command-line utility to bump the version of a package.json file (and add the appropiate git tag). =fabdrol cli version bumpv","author":"=fabdrol","date":"2014-01-02 "},{"name":"bumpversion","description":"A version bumping tool based on node.js","url":null,"keywords":"","version":"0.1.3","words":"bumpversion a version bumping tool based on node.js =tly1980","author":"=tly1980","date":"2013-06-03 "},{"name":"bumpy","description":"Bump version numbers in your .json files","url":null,"keywords":"version semver","version":"0.1.1","words":"bumpy bump version numbers in your .json files =stephenmathieson version semver","author":"=stephenmathieson","date":"2013-11-07 "},{"name":"bun","description":"A useful container for streams","url":null,"keywords":"stream streams2 bun","version":"0.0.10","words":"bun a useful container for streams =naomik =deoxxa stream streams2 bun","author":"=naomik =deoxxa","date":"2013-09-12 "},{"name":"bunch","description":"A stand-alone, manifest-driven JS/CSS bundler.","url":null,"keywords":"","version":"0.5.1","words":"bunch a stand-alone, manifest-driven js/css bundler. =adammiller","author":"=adammiller","date":"2012-01-31 "},{"name":"bunch-of-errors","description":"create a bunch of custom errors","url":null,"keywords":"error exception custom subclass stack","version":"0.0.0","words":"bunch-of-errors create a bunch of custom errors =quarterto error exception custom subclass stack","author":"=quarterto","date":"2014-09-06 "},{"name":"bunchadirs","description":"A friendly directory creation utility","url":null,"keywords":"","version":"0.0.6","words":"bunchadirs a friendly directory creation utility =justinsisley","author":"=justinsisley","date":"2013-04-21 "},{"name":"buncher","description":"node.js module that collects remote data from different sources and can check it with JSON Schema","url":null,"keywords":"","version":"1.0.2","words":"buncher node.js module that collects remote data from different sources and can check it with json schema =clexit","author":"=clexit","date":"2013-12-03 "},{"name":"bunchitos","description":"Loads a bunch of Node.js modules by a given prefix.","url":null,"keywords":"module loader prefix module loader","version":"0.1.1","words":"bunchitos loads a bunch of node.js modules by a given prefix. =akoenig module loader prefix module loader","author":"=akoenig","date":"2014-02-23 "},{"name":"bund-cake","description":"A JavaScript bundler and minifier for express.","url":null,"keywords":"bundler minifier bund cake bundle minify","version":"0.0.31","words":"bund-cake a javascript bundler and minifier for express. =tforbus bundler minifier bund cake bundle minify","author":"=tforbus","date":"2013-08-23 "},{"name":"bundalo","description":"Extract/cache/render property files/strings using i18n rules and various rendering engines","url":null,"keywords":"node.js renderer","version":"0.2.6","words":"bundalo extract/cache/render property files/strings using i18n rules and various rendering engines =grawk node.js renderer","author":"=grawk","date":"2014-09-17 "},{"name":"bundee","description":"Bundee is a JavaScript and CSS bundler designed for simple ExpressJS/NodeJS websites.","url":null,"keywords":"","version":"0.0.4","words":"bundee bundee is a javascript and css bundler designed for simple expressjs/nodejs websites. =bendytree","author":"=bendytree","date":"2013-11-22 "},{"name":"bundesscraper","description":"Scraping Data of Members of the German Federal Parliament.","url":null,"keywords":"opendata scraper bundestag open government","version":"0.2.0","words":"bundesscraper scraping data of members of the german federal parliament. =yetzt opendata scraper bundestag open government","author":"=yetzt","date":"2013-11-07 "},{"name":"bundle","description":"Javascript builder for components","url":null,"keywords":"","version":"0.2.3","words":"bundle javascript builder for components =rauchg =retrofox =lvivski","author":"=rauchg =retrofox =lvivski","date":"2014-02-03 "},{"name":"bundle-bindings","description":"A `bindings` replacement for when JS files have been bundled together into a single file.","url":null,"keywords":"bundle bindings browserify native","version":"0.1.3","words":"bundle-bindings a `bindings` replacement for when js files have been bundled together into a single file. =tec27 bundle bindings browserify native","author":"=tec27","date":"2014-07-29 "},{"name":"bundle-collapser","description":"convert bundle paths to IDS to save bytes in browserify bundles","url":null,"keywords":"bundle browserify compress minify require","version":"1.1.0","words":"bundle-collapser convert bundle paths to ids to save bytes in browserify bundles =substack bundle browserify compress minify require","author":"=substack","date":"2014-08-01 "},{"name":"bundle-deps","description":"easy command to bundle all your dependencies","url":null,"keywords":"bundle dependencies npm package json","version":"1.0.0","words":"bundle-deps easy command to bundle all your dependencies =carlos8f bundle dependencies npm package json","author":"=carlos8f","date":"2013-02-26 "},{"name":"bundle-id","description":"Get bundle identifier from a bundle name (OS X): Safari => com.apple.Safari","url":null,"keywords":"osx mac plist applescript bundle bundleid bundlename id identifier CFBundleName CFBundleIdentifier uti cli bin","version":"1.0.2","words":"bundle-id get bundle identifier from a bundle name (os x): safari => com.apple.safari =sindresorhus osx mac plist applescript bundle bundleid bundlename id identifier cfbundlename cfbundleidentifier uti cli bin","author":"=sindresorhus","date":"2014-08-18 "},{"name":"bundle-loader","description":"bundle loader module for webpack","url":null,"keywords":"","version":"0.5.0","words":"bundle-loader bundle loader module for webpack =sokra","author":"=sokra","date":"2013-02-01 "},{"name":"bundle-metadata","description":"extract metadata about a browserify bundle","url":null,"keywords":"","version":"1.0.1","words":"bundle-metadata extract metadata about a browserify bundle =dominictarr","author":"=dominictarr","date":"2014-04-04 "},{"name":"bundle-name","description":"Get bundle name from a bundle identifier (OS X): com.apple.Safari => Safari","url":null,"keywords":"osx mac plist applescript bundle bundleid bundlename id identifier CFBundleName CFBundleIdentifier uti cli bin","version":"1.0.1","words":"bundle-name get bundle name from a bundle identifier (os x): com.apple.safari => safari =sindresorhus osx mac plist applescript bundle bundleid bundlename id identifier cfbundlename cfbundleidentifier uti cli bin","author":"=sindresorhus","date":"2014-08-18 "},{"name":"bundle-stream","description":"bundle json stream entries by timestamp granularity","url":null,"keywords":"","version":"0.1.0","words":"bundle-stream bundle json stream entries by timestamp granularity =angleman","author":"=angleman","date":"2014-03-14 "},{"name":"bundle-style","description":"use require('style.css') in javascript and bundle-style to bundle them all","url":null,"keywords":"css style","version":"0.0.7","words":"bundle-style use require('style.css') in javascript and bundle-style to bundle them all =undozen css style","author":"=undozen","date":"2014-09-14 "},{"name":"bundle-up","description":"A simple asset manager middleware for connect","url":null,"keywords":"","version":"0.3.5","words":"bundle-up a simple asset manager middleware for connect =freddan","author":"=freddan","date":"2012-12-10 "},{"name":"bundle-up2","description":"A simple asset manager middleware for connect","url":null,"keywords":"","version":"0.4.5","words":"bundle-up2 a simple asset manager middleware for connect =fgribreau","author":"=fgribreau","date":"2013-01-15 "},{"name":"bundle-up3","description":"A simple asset manager middleware for connect","url":null,"keywords":"","version":"1.1.0","words":"bundle-up3 a simple asset manager middleware for connect =nodecode","author":"=nodecode","date":"2014-07-06 "},{"name":"bundle.system","description":"OSGi style bundle system","url":null,"keywords":"osgi bundle plugin","version":"0.0.3","words":"bundle.system osgi style bundle system =joje osgi bundle plugin","author":"=joje","date":"2013-11-07 "},{"name":"bundle_categories","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.3","words":"bundle_categories error: no readme.md file found! =spocdoc","author":"=spocdoc","date":"2014-08-23 "},{"name":"bundlecamp-xbox-live","description":"A utility for fetching xbox live gamer data","url":null,"keywords":"xbox gamertag api","version":"0.0.7-alpha","words":"bundlecamp-xbox-live a utility for fetching xbox live gamer data =znetstar xbox gamertag api","author":"=znetstar","date":"2014-04-02 "},{"name":"bundlecamper-xbox-live","description":"A utility for fetching xbox live gamer data","url":null,"keywords":"xbox gamertag api","version":"0.0.10-alpha","words":"bundlecamper-xbox-live a utility for fetching xbox live gamer data =znetstar xbox gamertag api","author":"=znetstar","date":"2014-04-05 "},{"name":"bundlecamper-xbox-live-module","description":"A utility for fetching xbox live gamer data","url":null,"keywords":"xbox gamertag api","version":"0.0.11-alpha","words":"bundlecamper-xbox-live-module a utility for fetching xbox live gamer data =znetstar xbox gamertag api","author":"=znetstar","date":"2014-05-24 "},{"name":"bundled","description":"A standalone bundle manager which can add an plugin system to any application","url":null,"keywords":"","version":"0.0.8","words":"bundled a standalone bundle manager which can add an plugin system to any application =serby","author":"=serby","date":"2013-09-18 "},{"name":"bundled-dependencies","description":"Generate your bundledDependencies from the values in the dependencies field.","url":null,"keywords":"npm","version":"1.0.1","words":"bundled-dependencies generate your bundleddependencies from the values in the dependencies field. =simonmcmanus npm","author":"=simonmcmanus","date":"2014-04-23 "},{"name":"bundlejs","description":"simplistic tool for bundling javascripts and css files","url":null,"keywords":"js bundle pack package","version":"0.0.1","words":"bundlejs simplistic tool for bundling javascripts and css files =torgeir js bundle pack package","author":"=torgeir","date":"2011-12-28 "},{"name":"bundler","description":"Bundler. It is better for you to not know what it is.","url":null,"keywords":"","version":"0.8.0","words":"bundler bundler. it is better for you to not know what it is. =mihaild","author":"=mihaild","date":"2011-10-21 "},{"name":"bundlerjs","description":"desc","url":null,"keywords":"bundle asset compress concat","version":"0.0.0","words":"bundlerjs desc =ericprieto bundle asset compress concat","author":"=ericprieto","date":"2014-09-15 "},{"name":"bundletest","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"bundletest error: no readme.md file found! =bartell","author":"=bartell","date":"2013-01-23 "},{"name":"bundlify","description":"Load all script local depencies on its bundle","url":null,"keywords":"bundle require browser client browserify","version":"0.0.2","words":"bundlify load all script local depencies on its bundle =tadeuzagallo bundle require browser client browserify","author":"=tadeuzagallo","date":"2014-08-08 "},{"name":"bundlr","description":"Creates bundled .js source from one entry file. Optionally will write the file to the filesystem.","url":null,"keywords":"","version":"0.2.2","words":"bundlr creates bundled .js source from one entry file. optionally will write the file to the filesystem. =pr1ntr","author":"=pr1ntr","date":"2014-04-04 "},{"name":"bundy","description":"Easy and lightweight tool to quickly bundle JavaScript (and CSS and other assets) releases.","url":null,"keywords":"package build builder bundle release compressor minify minifier yui gcc google closure compiler","version":"0.1.1","words":"bundy easy and lightweight tool to quickly bundle javascript (and css and other assets) releases. =michaldudek package build builder bundle release compressor minify minifier yui gcc google closure compiler","author":"=michaldudek","date":"2013-01-12 "},{"name":"bungee","description":"Bungee is a declarative language engine to run inside a browser. The node module contains the offline compiler.","url":null,"keywords":"qml jml jmp jump quick declarative bungee.js bungee","version":"0.0.6","words":"bungee bungee is a declarative language engine to run inside a browser. the node module contains the offline compiler. =nebulon qml jml jmp jump quick declarative bungee.js bungee","author":"=nebulon","date":"2013-07-23 "},{"name":"bungie","description":"A collection of Elasticsearch utilities.","url":null,"keywords":"elasticsearch","version":"0.1.0","words":"bungie a collection of elasticsearch utilities. =larrymyers elasticsearch","author":"=larrymyers","date":"2014-06-27 "},{"name":"bungie-platform","description":"An accessor library for the bungie.net platform","url":null,"keywords":"bungie destiny api","version":"0.0.1","words":"bungie-platform an accessor library for the bungie.net platform =sargodarya bungie destiny api","author":"=sargodarya","date":"2014-08-03 "},{"name":"bungle","description":"Javascript build pipeline developement framework.","url":null,"keywords":"","version":"0.1.0","words":"bungle javascript build pipeline developement framework. =durko","author":"=durko","date":"2014-08-26 "},{"name":"bunker","description":"code coverage in native javascript","url":null,"keywords":"code coverage","version":"0.1.2","words":"bunker code coverage in native javascript =substack code coverage","author":"=substack","date":"2012-04-30 "},{"name":"bunlogger","description":"bunyan logger middleware for express/connect","url":null,"keywords":"","version":"1.0.1","words":"bunlogger bunyan logger middleware for express/connect =benpptung","author":"=benpptung","date":"2014-08-05 "},{"name":"bunny","description":"The Stanford bunny","url":null,"keywords":"bunny 3d model scan test data mesh triangle","version":"1.0.1","words":"bunny the stanford bunny =mikolalysenko bunny 3d model scan test data mesh triangle","author":"=mikolalysenko","date":"2013-10-08 "},{"name":"bunnycron","description":"Scheduling task on your webapp","url":null,"keywords":"schedule cron cronjob worker queue","version":"0.1.3","words":"bunnycron scheduling task on your webapp =chenka =jitta schedule cron cronjob worker queue","author":"=chenka =jitta","date":"2014-07-18 "},{"name":"bunnydo","description":"Wrapper around amqplib to make common patterns easier.","url":null,"keywords":"amqp rabbitmq","version":"0.0.9","words":"bunnydo wrapper around amqplib to make common patterns easier. =bojand amqp rabbitmq","author":"=bojand","date":"2014-06-05 "},{"name":"bunsen","description":"A minimal rest framework inspired by python's Flask and Flask-Slither","url":null,"keywords":"web-framework flask REST API bunsen bunsen.js bunsenjs socket.io","version":"0.0.1","words":"bunsen a minimal rest framework inspired by python's flask and flask-slither =gevious web-framework flask rest api bunsen bunsen.js bunsenjs socket.io","author":"=gevious","date":"2013-06-17 "},{"name":"bunt","description":"A tool for creating web components using the npm packaging system and browserify - for sweet as sweet can be re-use and encapsulation.","url":null,"keywords":"component browserify bunt client side web modules","version":"0.0.1","words":"bunt a tool for creating web components using the npm packaging system and browserify - for sweet as sweet can be re-use and encapsulation. =emilisto component browserify bunt client side web modules","author":"=emilisto","date":"2013-09-04 "},{"name":"bunt-searchbar","url":null,"keywords":"","version":"0.0.0","words":"bunt-searchbar =emilisto","author":"=emilisto","date":"2013-09-09 "},{"name":"bunyan","description":"a JSON logging library for node.js services","url":null,"keywords":"log logging log4j json","version":"1.0.1","words":"bunyan a json logging library for node.js services =trentm log logging log4j json","author":"=trentm","date":"2014-08-25 "},{"name":"bunyan-axon","description":"axon transport for bunyan logs","url":null,"keywords":"bunyan axon log transport","version":"2.0.0","words":"bunyan-axon axon transport for bunyan logs =sandfox bunyan axon log transport","author":"=sandfox","date":"2014-03-31 "},{"name":"bunyan-azure","description":"Bunyan stream for azure table storage","url":null,"keywords":"","version":"0.1.0","words":"bunyan-azure bunyan stream for azure table storage =kmees","author":"=kmees","date":"2013-12-13 "},{"name":"bunyan-between","description":"Filter bunyan logs in a given time frame. Based on bunyan-reltime from Chakrit Wichian.","url":null,"keywords":"bunyan reltime","version":"0.1.1","words":"bunyan-between filter bunyan logs in a given time frame. based on bunyan-reltime from chakrit wichian. =line-o bunyan reltime","author":"=line-o","date":"2014-04-17 "},{"name":"bunyan-cassandra","description":"Cassandra bunyan stream","url":null,"keywords":"logging bunyan cassandra","version":"0.0.4","words":"bunyan-cassandra cassandra bunyan stream =ivpusic logging bunyan cassandra","author":"=ivpusic","date":"2014-09-04 "},{"name":"bunyan-elasticsearch","description":"A Bunyan stream for sending log data to Elasticsearch","url":null,"keywords":"Bunyan Logstash Elasticsearch","version":"0.0.1","words":"bunyan-elasticsearch a bunyan stream for sending log data to elasticsearch =ccowan bunyan logstash elasticsearch","author":"=ccowan","date":"2014-03-10 "},{"name":"bunyan-emailstream","description":"Send email on bunyan log record","url":null,"keywords":"bunyan email stream","version":"1.0.0","words":"bunyan-emailstream send email on bunyan log record =hyjin bunyan email stream","author":"=hyjin","date":"2014-02-06 "},{"name":"bunyan-env","description":"Bunyan logger working with ENV vars","url":null,"keywords":"bunyan logger environment","version":"0.0.2","words":"bunyan-env bunyan logger working with env vars =stephenmathieson bunyan logger environment","author":"=stephenmathieson","date":"2014-09-17 "},{"name":"bunyan-format","description":"Writable stream that formats bunyan records that are piped into it.","url":null,"keywords":"bunyan stream log logger format pretty color style","version":"0.1.1","words":"bunyan-format writable stream that formats bunyan records that are piped into it. =thlorenz bunyan stream log logger format pretty color style","author":"=thlorenz","date":"2013-10-23 "},{"name":"bunyan-gt","description":"End to end unit testing based on structured logging.","url":null,"keywords":"testing json logging","version":"0.2.0","words":"bunyan-gt end to end unit testing based on structured logging. =bahmutov testing json logging","author":"=bahmutov","date":"2014-06-20 "},{"name":"bunyan-logentries","description":"Bunyan logger stream for Logentries","url":null,"keywords":"bunyan logentries","version":"0.1.0","words":"bunyan-logentries bunyan logger stream for logentries =nemtsov bunyan logentries","author":"=nemtsov","date":"2013-07-05 "},{"name":"bunyan-loggly","description":"A bunyan stream to transport logs to loggly","url":null,"keywords":"bunyan log loggly","version":"0.0.5","words":"bunyan-loggly a bunyan stream to transport logs to loggly =smebberson bunyan log loggly","author":"=smebberson","date":"2014-03-19 "},{"name":"bunyan-logstash","description":"Logstash plugin for Bunyan","url":null,"keywords":"","version":"0.2.0","words":"bunyan-logstash logstash plugin for bunyan =justinrainbow","author":"=justinrainbow","date":"2013-12-05 "},{"name":"bunyan-logstash-tcp","description":"Logstash TCP plugin for Bunyan","url":null,"keywords":"logstash bunyan tcp log logger","version":"0.2.0","words":"bunyan-logstash-tcp logstash tcp plugin for bunyan =chris-rock logstash bunyan tcp log logger","author":"=chris-rock","date":"2014-07-08 "},{"name":"bunyan-middleware","description":"bunyan-middleware","url":null,"keywords":"","version":"0.0.1","words":"bunyan-middleware bunyan-middleware =tellnes","author":"=tellnes","date":"2013-05-09 "},{"name":"bunyan-mqtt","description":"A bunyan raw stream to publish to mqtt","url":null,"keywords":"","version":"0.1.1","words":"bunyan-mqtt a bunyan raw stream to publish to mqtt =pipobscure","author":"=pipobscure","date":"2013-11-13 "},{"name":"bunyan-pilgrim","description":"A REST-oriented logger for Bunyan","url":null,"keywords":"bunyan logging rest restify express http","version":"0.1.8","words":"bunyan-pilgrim a rest-oriented logger for bunyan =mtabini bunyan logging rest restify express http","author":"=mtabini","date":"2014-04-21 "},{"name":"bunyan-prettystream","description":"A stream implementation of the bunyan cli tool's pretty printing capabilities","url":null,"keywords":"log logging console bunyan development stream","version":"0.1.3","words":"bunyan-prettystream a stream implementation of the bunyan cli tool's pretty printing capabilities =amar.suhail log logging console bunyan development stream","author":"=amar.suhail","date":"2013-07-15 "},{"name":"bunyan-promise","description":"Bunyan formatted tracking of outstanding promises, progress, errors, and resolution times.","url":null,"keywords":"bunyan logging logger log promise defer deferred","version":"0.1.4","words":"bunyan-promise bunyan formatted tracking of outstanding promises, progress, errors, and resolution times. =pwmckenna bunyan logging logger log promise defer deferred","author":"=pwmckenna","date":"2014-01-09 "},{"name":"bunyan-raven","description":"A bunyan-compatible stream interface that sends error logs to raven-node.","url":null,"keywords":"bunyan raven error-logging getsentry","version":"0.1.1","words":"bunyan-raven a bunyan-compatible stream interface that sends error logs to raven-node. =chakrit =dominiek bunyan raven error-logging getsentry","author":"=chakrit =dominiek","date":"2014-07-09 "},{"name":"bunyan-raygun","description":"Raygun transport for Bunyan","url":null,"keywords":"","version":"0.0.5","words":"bunyan-raygun raygun transport for bunyan =fractal","author":"=fractal","date":"2014-08-05 "},{"name":"bunyan-readable","description":"Make bunyan logs readable","url":null,"keywords":"bunyan logs readable","version":"1.1.0","words":"bunyan-readable make bunyan logs readable =gamingcoder bunyan logs readable","author":"=gamingcoder","date":"2014-07-24 "},{"name":"bunyan-redis","description":"Bunyan redis transport","url":null,"keywords":"redis bunyan log","version":"0.1.3","words":"bunyan-redis bunyan redis transport =harrisiirak redis bunyan log","author":"=harrisiirak","date":"2014-05-22 "},{"name":"bunyan-reltime","description":"Filter bunyan logs using relative time.","url":null,"keywords":"bunyan reltime","version":"0.1.1","words":"bunyan-reltime filter bunyan logs using relative time. =chakrit bunyan reltime","author":"=chakrit","date":"2013-11-13 "},{"name":"bunyan-request-logger","description":"Automated request logging connect middleware for Express. Powered by Bunyan.","url":null,"keywords":"logging request logger request response connect middleware logging middleware bunyan log requests","version":"0.2.3","words":"bunyan-request-logger automated request logging connect middleware for express. powered by bunyan. =ericelliott logging request logger request response connect middleware logging middleware bunyan log requests","author":"=ericelliott","date":"2013-10-22 "},{"name":"bunyan-serializers","description":"A few customized serializers for the bunyan logging framework","url":null,"keywords":"logger bunyan","version":"0.0.2","words":"bunyan-serializers a few customized serializers for the bunyan logging framework =kesla =andreasmadsen logger bunyan","author":"=kesla =andreasmadsen","date":"2014-01-27 "},{"name":"bunyan-socket","description":"Bundle up all of your bunyan log messages by streaming them to one bunyan-server.","url":null,"keywords":"bunyan log logger server stream","version":"0.0.3","words":"bunyan-socket bundle up all of your bunyan log messages by streaming them to one bunyan-server. =pureppl bunyan log logger server stream","author":"=pureppl","date":"2012-05-28 "},{"name":"bunyan-socket-stream","description":"Emit objects to a socket via stream.","url":null,"keywords":"","version":"0.0.4","words":"bunyan-socket-stream emit objects to a socket via stream. =sgunturi","author":"=sgunturi","date":"2014-07-12 "},{"name":"bunyan-sqs","description":"Stream node-bunyan logs to a SQS queue","url":null,"keywords":"bunyan log logs logging sqs aws","version":"0.0.3","words":"bunyan-sqs stream node-bunyan logs to a sqs queue =capelio bunyan log logs logging sqs aws","author":"=capelio","date":"2014-02-23 "},{"name":"bunyan-syslog","description":"Syslog Stream for Bunyan","url":null,"keywords":"","version":"0.2.2","words":"bunyan-syslog syslog stream for bunyan =mcavage","author":"=mcavage","date":"2013-09-17 "},{"name":"bunyan-winston-adapter","description":"Allows to use winston logger in restify server without really using bunyan.","url":null,"keywords":"bunyan winston restify","version":"0.2.0","words":"bunyan-winston-adapter allows to use winston logger in restify server without really using bunyan. =gluwer bunyan winston restify","author":"=gluwer","date":"2013-08-01 "},{"name":"bunyan-yal-server","description":"extensible log server for bunyan (via bunyan-axon)","url":null,"keywords":"yal logger log server bunyan","version":"0.0.0","words":"bunyan-yal-server extensible log server for bunyan (via bunyan-axon) =sandfox yal logger log server bunyan","author":"=sandfox","date":"2014-04-01 "},{"name":"bunyip","description":"Automate client-side unit testing in real browsers using the cli","url":null,"keywords":"unit tests bunyip browserstack mobile cli","version":"0.2.2","words":"bunyip automate client-side unit testing in real browsers using the cli =ryanseddon unit tests bunyip browserstack mobile cli","author":"=ryanseddon","date":"2012-11-22 "},{"name":"bunyon","description":"cleaner than bunyan","url":null,"keywords":"logging bunyan","version":"0.1.6","words":"bunyon cleaner than bunyan =phidelta logging bunyan","author":"=phidelta","date":"2013-07-29 "},{"name":"bupper","description":"A Nodejs Buffer helper","url":null,"keywords":"bupper","version":"2.0.0","words":"bupper a nodejs buffer helper =shallker-wang bupper","author":"=shallker-wang","date":"2013-10-19 "},{"name":"bur-tool","description":"An inline burrows build tool","url":null,"keywords":"","version":"1.0.0","words":"bur-tool an inline burrows build tool =jasonjeffrey","author":"=jasonjeffrey","date":"2014-07-28 "},{"name":"burari","description":"A JavaScript EJS Files to avoid too much client-side js wrappers.","url":null,"keywords":"template engine ejs","version":"0.0.0","words":"burari a javascript ejs files to avoid too much client-side js wrappers. =yuitest template engine ejs","author":"=yuitest","date":"2011-07-27 "},{"name":"burden","description":"A worry-free, static blog generator","url":null,"keywords":"blogging static markdown burden","version":"0.0.1","words":"burden a worry-free, static blog generator =itsananderson blogging static markdown burden","author":"=itsananderson","date":"2014-04-11 "},{"name":"burden-cli","description":"Command line tool for interacting with burden blogs","url":null,"keywords":"burden cli","version":"0.0.0","words":"burden-cli command line tool for interacting with burden blogs =itsananderson burden cli","author":"=itsananderson","date":"2014-04-17 "},{"name":"burden.io","keywords":"","version":[],"words":"burden.io","author":"","date":"2014-04-11 "},{"name":"bureau","description":"Private, lightweight package registry server","url":null,"keywords":"private registry npm bower bureau","version":"0.0.0","words":"bureau private, lightweight package registry server =merrihew private registry npm bower bureau","author":"=merrihew","date":"2014-05-24 "},{"name":"burhan-first-example","description":"This is my first project on npm","url":null,"keywords":"","version":"0.0.0","words":"burhan-first-example this is my first project on npm =burhancokca","author":"=burhancokca","date":"2013-09-13 "},{"name":"burlesque","description":"Create slideshow presentations from git commits.","url":null,"keywords":"","version":"0.0.3","words":"burlesque create slideshow presentations from git commits. =brentlintner","author":"=brentlintner","date":"2014-07-12 "},{"name":"burn","description":"Super lightweight JS module/asset loader","url":null,"keywords":"requirejs amd browserify loader bundle asset burnjs burn","version":"0.1.3","words":"burn super lightweight js module/asset loader =foxx requirejs amd browserify loader bundle asset burnjs burn","author":"=foxx","date":"2014-07-17 "},{"name":"burner","description":"A DOM-based rendering engine.","url":null,"keywords":"","version":"3.1.5","words":"burner a dom-based rendering engine. =vinceallenvince","author":"=vinceallenvince","date":"2014-09-15 "},{"name":"burnhub","description":"burndown chart for github issues","url":null,"keywords":"github burndown scrum chart cli issues","version":"0.1.8","words":"burnhub burndown chart for github issues =schtoeffel github burndown scrum chart cli issues","author":"=schtoeffel","date":"2014-05-27 "},{"name":"burning-fingers","description":"Habanero burning fingers","url":null,"keywords":"fire peppers","version":"0.0.1","words":"burning-fingers habanero burning fingers =viatropos fire peppers","author":"=viatropos","date":"2014-04-24 "},{"name":"burningpig","description":"A Minecraft 1.6.2 server in Node","url":null,"keywords":"","version":"0.0.8","words":"burningpig a minecraft 1.6.2 server in node =joedoyle23","author":"=joedoyle23","date":"2013-07-27 "},{"name":"burningpig-encryption","description":"A pure javascript module for the RSA functionality for BurningPig & Minecraft encryption","url":null,"keywords":"burningpig minecraft rsa","version":"0.1.0","words":"burningpig-encryption a pure javascript module for the rsa functionality for burningpig & minecraft encryption =joedoyle23 burningpig minecraft rsa","author":"=joedoyle23","date":"2013-07-26 "},{"name":"burnjs","keywords":"","version":[],"words":"burnjs","author":"","date":"2014-07-13 "},{"name":"burnout","description":"Burnout is a asynchronous, chainable Selenium 2 WebDriver interface.","url":null,"keywords":"","version":"0.0.2","words":"burnout burnout is a asynchronous, chainable selenium 2 webdriver interface. =cdata","author":"=cdata","date":"2012-05-15 "},{"name":"burokrat","description":"A true bureaucrat needs forms","url":null,"keywords":"html form framework validation validate http","version":"0.0.9","words":"burokrat a true bureaucrat needs forms =mvhenten html form framework validation validate http","author":"=mvhenten","date":"2014-01-17 "},{"name":"burp","description":"pre-render AngularJS for SEO","url":null,"keywords":"AngularJS SEO pre-render","version":"0.0.1","words":"burp pre-render angularjs for seo =demetriusj angularjs seo pre-render","author":"=demetriusj","date":"2013-07-11 "},{"name":"burpbuddy-request","description":"Make a http request from a burp buddy request","url":null,"keywords":"burpbuddy request","version":"1.0.0","words":"burpbuddy-request make a http request from a burp buddy request =adam_baldwin =ljon burpbuddy request","author":"=adam_baldwin =ljon","date":"2014-09-02 "},{"name":"burr","description":"Burr is a Javascript superset that embraces the prototype model while beautifying the syntax (and compiles to plain JS)","url":null,"keywords":"cli superset language","version":"0.0.5","words":"burr burr is a javascript superset that embraces the prototype model while beautifying the syntax (and compiles to plain js) =alexking cli superset language","author":"=alexking","date":"2013-10-27 "},{"name":"burrito","description":"Wrap up expressions with a trace function while walking the AST with rice and beans on the side","url":null,"keywords":"trace ast walk syntax source tree uglify","version":"0.2.12","words":"burrito wrap up expressions with a trace function while walking the ast with rice and beans on the side =substack trace ast walk syntax source tree uglify","author":"=substack","date":"2012-08-02 "},{"name":"burro","description":"auto-packaged, length-prefixed JSON byte streams","url":null,"keywords":"json stream buffer streams2","version":"0.4.13","words":"burro auto-packaged, length-prefixed json byte streams =naomik json stream buffer streams2","author":"=naomik","date":"2013-06-21 "},{"name":"burrows-wheeler","description":"Naive Burrows-Wheeler transform implementation","url":null,"keywords":"burrows wheeler transform bwt bzip","version":"0.0.0","words":"burrows-wheeler naive burrows-wheeler transform implementation =mikolalysenko burrows wheeler transform bwt bzip","author":"=mikolalysenko","date":"2013-08-02 "},{"name":"burrows-wheeler-transform.jsx","description":"Burrows Wheeler transform library for JS/JSX/AMD/CommonJS","url":null,"keywords":"jsx altjs lib js amd commonjs nodejs browser burrows wheeler transform natural language compress search bwt","version":"0.3.0","words":"burrows-wheeler-transform.jsx burrows wheeler transform library for js/jsx/amd/commonjs =shibu jsx altjs lib js amd commonjs nodejs browser burrows wheeler transform natural language compress search bwt","author":"=shibu","date":"2013-11-09 "},{"name":"burst","description":"A command-line file sharing tool","url":null,"keywords":"","version":"0.0.3","words":"burst a command-line file sharing tool =apeace","author":"=apeace","date":"2012-01-31 "},{"name":"burst-queue","description":"a queue that executes functions in predefined bursts","url":null,"keywords":"","version":"0.1.2","words":"burst-queue a queue that executes functions in predefined bursts =mmaelzer","author":"=mmaelzer","date":"2012-11-16 "},{"name":"burst-trie","description":"burst trie impl in js","url":null,"keywords":"burst trie tree bst binary search tree","version":"0.1.0","words":"burst-trie burst trie impl in js =arieljake burst trie tree bst binary search tree","author":"=arieljake","date":"2012-07-03 "},{"name":"burstjs","description":"Ultra Modular HTML5 Game Framework","url":null,"keywords":"","version":"0.0.2","words":"burstjs ultra modular html5 game framework =hugeen","author":"=hugeen","date":"2014-04-24 "},{"name":"burtleprng","description":"Fast, seeded, noncryptographic random numbers","url":null,"keywords":"random seed","version":"0.1.0","words":"burtleprng fast, seeded, noncryptographic random numbers =graue random seed","author":"=graue","date":"2014-07-12 "},{"name":"bus","description":"Application-wide event bus","url":null,"keywords":"","version":"0.0.1","words":"bus application-wide event bus =tjholowaychuk =jongleberry =dominicbarnes =tootallnate =rauchg =retrofox =coreh =forbeslindesay =kelonye =mattmueller =yields =anthonyshort =ianstormtaylor =cristiandouce =swatinem =stagas =amasad =juliangruber =shtylman =calvinfo =blakeembrey =timoxley =jonathanong =queckezz =nami-doc =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=tjholowaychuk =jongleberry =dominicbarnes =tootallnate =rauchg =retrofox =coreh =forbeslindesay =kelonye =mattmueller =yields =anthonyshort =ianstormtaylor =cristiandouce =swatinem =stagas =amasad =juliangruber =shtylman =calvinfo =blakeembrey =timoxley =jonathanong =queckezz =nami-doc =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"bus-component","description":"Application-wide event bus","url":null,"keywords":"","version":"0.0.1","words":"bus-component application-wide event bus =tjholowaychuk","author":"=tjholowaychuk","date":"2012-05-03 "},{"name":"bus-thing","description":"Some thing that is a bus?","url":null,"keywords":"","version":"2.1.3","words":"bus-thing some thing that is a bus? =mpj","author":"=mpj","date":"2014-06-15 "},{"name":"bus.io","description":"An express inspired, event-driven framework for building real time distributed applications over socket.io and redis.","url":null,"keywords":"bus io socket.io kue redis message event driven publish subscribe producer consumer sender receiver queue exchange network socket distributed service websockets","version":"0.7.0","words":"bus.io an express inspired, event-driven framework for building real time distributed applications over socket.io and redis. =nromano bus io socket.io kue redis message event driven publish subscribe producer consumer sender receiver queue exchange network socket distributed service websockets","author":"=nromano","date":"2014-09-16 "},{"name":"bus.io-client","description":"The client interface to bus.io","url":null,"keywords":"bus.io client","version":"0.2.1","words":"bus.io-client the client interface to bus.io =nromano =paulforbes42 bus.io client","author":"=nromano =paulforbes42","date":"2014-07-31 "},{"name":"bus.io-common","description":"The common components for bus.io","url":null,"keywords":"bus.io common component","version":"0.2.1","words":"bus.io-common the common components for bus.io =nromano =paulforbes42 bus.io common component","author":"=nromano =paulforbes42","date":"2014-07-31 "},{"name":"bus.io-driver","description":"Test driver your bus.io apps","url":null,"keywords":"bus.io test driver","version":"0.1.5","words":"bus.io-driver test driver your bus.io apps =nromano bus.io test driver","author":"=nromano","date":"2014-06-28 "},{"name":"bus.io-exchagne","keywords":"","version":[],"words":"bus.io-exchagne","author":"","date":"2014-06-10 "},{"name":"bus.io-exchange","description":"Integrates Redis as a queue and a pubsub by providing an easy mechanism for publishing and handling messages","url":null,"keywords":"redis queue exchange publish subscribe event driven consumer producer","version":"0.4.0","words":"bus.io-exchange integrates redis as a queue and a pubsub by providing an easy mechanism for publishing and handling messages =nromano redis queue exchange publish subscribe event driven consumer producer","author":"=nromano","date":"2014-09-15 "},{"name":"bus.io-messages","description":"This produces mesages as it listens for events on a socket.","url":null,"keywords":"message publish exchange event driven socket emitter socket.io bus.io","version":"0.2.3","words":"bus.io-messages this produces mesages as it listens for events on a socket. =nromano message publish exchange event driven socket emitter socket.io bus.io","author":"=nromano","date":"2014-07-31 "},{"name":"bus.io-monitor","description":"Bus.io application monitoring middleware","url":null,"keywords":"bus.io monitor middleware","version":"0.3.9","words":"bus.io-monitor bus.io application monitoring middleware =nromano =paulforbes42 bus.io monitor middleware","author":"=nromano =paulforbes42","date":"2014-09-14 "},{"name":"bus.io-receiver","description":"A receiver is where middleware is attached to handle messages.","url":null,"keywords":"bus.io receiver middleware","version":"0.1.5","words":"bus.io-receiver a receiver is where middleware is attached to handle messages. =nromano bus.io receiver middleware","author":"=nromano","date":"2014-09-16 "},{"name":"bus.io-session","description":"Session middleware for your bus.io apps","url":null,"keywords":"bus.io session middleware","version":"0.0.15","words":"bus.io-session session middleware for your bus.io apps =nromano bus.io session middleware","author":"=nromano","date":"2014-07-02 "},{"name":"bus_component","description":"bus-component =========","url":null,"keywords":"","version":"0.1.0","words":"bus_component bus-component ========= =borrey","author":"=borrey","date":"2013-08-29 "},{"name":"busboy","description":"A streaming parser for HTML form data for node.js","url":null,"keywords":"uploads forms multipart form-data","version":"0.2.8","words":"busboy a streaming parser for html form data for node.js =mscdex uploads forms multipart form-data","author":"=mscdex","date":"2014-07-15 "},{"name":"busboymiddleware","description":"Provide a simple middleware for file uploads, using busboy.","url":null,"keywords":"upload busboy","version":"1.3.0","words":"busboymiddleware provide a simple middleware for file uploads, using busboy. =dmitrig01 upload busboy","author":"=dmitrig01","date":"2014-07-18 "},{"name":"busbuddy","description":"BusBuddy js api for node and the browser","url":null,"keywords":"busbuddy buss trondheim atb api","version":"0.0.2","words":"busbuddy busbuddy js api for node and the browser =torgeir busbuddy buss trondheim atb api","author":"=torgeir","date":"2011-05-29 "},{"name":"buscape","keywords":"","version":[],"words":"buscape","author":"","date":"2014-07-25 "},{"name":"buscape-lookup","description":"A wrapper around buscape's lomadee api","url":null,"keywords":"buscape lomadee ecommerce affiliate","version":"0.5.4","words":"buscape-lookup a wrapper around buscape's lomadee api =adamvr buscape lomadee ecommerce affiliate","author":"=adamvr","date":"2014-08-12 "},{"name":"buses","description":"A library to look up bus data","url":null,"keywords":"","version":"0.1.0","words":"buses a library to look up bus data =kristjanmik","author":"=kristjanmik","date":"2014-08-20 "},{"name":"business-day-math","description":"Add or subtract business days from a start date. Is timezone aware.","url":null,"keywords":"business day from to today math timezone","version":"2.0.3","words":"business-day-math add or subtract business days from a start date. is timezone aware. =joeybaker business day from to today math timezone","author":"=joeybaker","date":"2014-08-03 "},{"name":"business-days","description":"Find +/- business days from today or given date","url":null,"keywords":"business day from to today","version":"0.0.0","words":"business-days find +/- business days from today or given date =nickdesaulniers business day from to today","author":"=nickdesaulniers","date":"2013-09-17 "},{"name":"business-rules","description":"Business rules repository","url":null,"keywords":"business rules validation","version":"1.0.3","words":"business-rules business rules repository =rsamec business rules validation","author":"=rsamec","date":"2014-08-20 "},{"name":"business-rules-engine","description":"business rules engine","url":null,"keywords":"business rules validation form","version":"1.0.31","words":"business-rules-engine business rules engine =rsamec business rules validation form","author":"=rsamec","date":"2014-09-20 "},{"name":"busola","description":"Track along polyline by generating events in response to position changes.","url":null,"keywords":"geo position track","version":"0.1.0","words":"busola track along polyline by generating events in response to position changes. =pirxpilot geo position track","author":"=pirxpilot","date":"2014-05-04 "},{"name":"bust","description":"Expose local ports to the public Internet","url":null,"keywords":"","version":"0.2.1","words":"bust expose local ports to the public internet =jhchen","author":"=jhchen","date":"2014-02-23 "},{"name":"busta","description":"Util to fingerprint asset filenames.","url":null,"keywords":"fingerprint bust assets cache","version":"0.1.1","words":"busta util to fingerprint asset filenames. =corymartin fingerprint bust assets cache","author":"=corymartin","date":"2012-12-28 "},{"name":"buster","description":"Buster.JS JavaScript Test framework. Meta package that pieces together various sub-projects.","url":null,"keywords":"","version":"0.7.14","words":"buster buster.js javascript test framework. meta package that pieces together various sub-projects. =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-17 "},{"name":"buster-amd","description":"Extension for testing AMD modules","url":null,"keywords":"","version":"0.3.1","words":"buster-amd extension for testing amd modules =johlrogge =cjohansen","author":"=johlrogge =cjohansen","date":"2013-09-23 "},{"name":"buster-analyzer","description":".. default-domain:: js .. highlight:: javascript","url":null,"keywords":"","version":"0.5.0","words":"buster-analyzer .. default-domain:: js .. highlight:: javascript =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2013-09-27 "},{"name":"buster-args","description":"Parser for CLI arguments.","url":null,"keywords":"","version":"0.3.1","words":"buster-args parser for cli arguments. =cjohansen","author":"=cjohansen","date":"2012-04-17 "},{"name":"buster-assertions","description":"Assertions for any JavaScript test framework and environment","url":null,"keywords":"","version":"0.10.4","words":"buster-assertions assertions for any javascript test framework and environment =cjohansen =augustl","author":"=cjohansen =augustl","date":"2013-09-16 "},{"name":"buster-autotest","description":"Watch files and run buster tests on save","url":null,"keywords":"","version":"0.4.2","words":"buster-autotest watch files and run buster tests on save =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-02-28 "},{"name":"buster-bayeux-emitter","description":"Allows event-emitter events travel safely over a bayeux transport","url":null,"keywords":"","version":"0.1.1","words":"buster-bayeux-emitter allows event-emitter events travel safely over a bayeux transport =cjohansen","author":"=cjohansen","date":"2012-04-17 "},{"name":"buster-capture-server","description":"Buster capture server","url":null,"keywords":"","version":"0.5.5","words":"buster-capture-server buster capture server =cjohansen =augustl","author":"=cjohansen =augustl","date":"2012-12-22 "},{"name":"buster-cli","description":"Internal wrapper and util for creating CLIs in the buster project.","url":null,"keywords":"","version":"0.6.3","words":"buster-cli internal wrapper and util for creating clis in the buster project. =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-15 "},{"name":"buster-client","description":"Client libraries to interact with a buster-capture-server","url":null,"keywords":"","version":"0.5.4","words":"buster-client client libraries to interact with a buster-capture-server =cjohansen","author":"=cjohansen","date":"2012-04-17 "},{"name":"buster-coffee","description":"Buster.JS extension: Automatically compile CoffeeScript files before running tests","url":null,"keywords":"","version":"0.1.5","words":"buster-coffee buster.js extension: automatically compile coffeescript files before running tests =jodal =cjohansen =augustl","author":"=jodal =cjohansen =augustl","date":"2014-09-11 "},{"name":"buster-configuration","description":"Groks the buster.js configuration file, including resource loading, file globbing, grouped test configs and more","url":null,"keywords":"","version":"0.7.4","words":"buster-configuration groks the buster.js configuration file, including resource loading, file globbing, grouped test configs and more =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-05 "},{"name":"buster-core","description":"Buster core utilities","url":null,"keywords":"","version":"0.6.4","words":"buster-core buster core utilities =cjohansen =augustl","author":"=cjohansen =augustl","date":"2012-08-02 "},{"name":"buster-coverage","description":"Generate lcov data files from Buster.JS","url":null,"keywords":"","version":"0.1.1","words":"buster-coverage generate lcov data files from buster.js =ebi","author":"=ebi","date":"2014-03-21 "},{"name":"buster-dev-tools","url":null,"keywords":"","version":"0.2.0","words":"buster-dev-tools =augustl","author":"=augustl","date":"2012-03-21 "},{"name":"buster-evented-logger","description":"An evented console logger","url":null,"keywords":"","version":"0.4.5","words":"buster-evented-logger an evented console logger =cjohansen =augustl","author":"=cjohansen =augustl","date":"2013-09-16 "},{"name":"buster-extension-iife","description":"Extension to wrap resources buster loads in an IIFE","url":null,"keywords":"buster.js buster extension","version":"0.1.1","words":"buster-extension-iife extension to wrap resources buster loads in an iife =dymonaz buster.js buster extension","author":"=dymonaz","date":"2014-07-09 "},{"name":"buster-faye","description":"Temporary fork of Faye without redis","url":null,"keywords":"comet websocket pubsub bayeux ajax http","version":"0.7.1","words":"buster-faye temporary fork of faye without redis =augustl comet websocket pubsub bayeux ajax http","author":"=augustl","date":"2012-02-18 "},{"name":"buster-format","description":"Tools for formatting JavaScript objects in a human-readable way","url":null,"keywords":"","version":"0.5.6","words":"buster-format tools for formatting javascript objects in a human-readable way =cjohansen =augustl","author":"=cjohansen =augustl","date":"2013-09-16 "},{"name":"buster-glob","description":"Small wrapper around the glob module that allows globbing for multiple patterns at once","url":null,"keywords":"","version":"0.3.3","words":"buster-glob small wrapper around the glob module that allows globbing for multiple patterns at once =cjohansen =augustl","author":"=cjohansen =augustl","date":"2013-09-16 "},{"name":"buster-html-doc","description":"HTML doc feature (as found in JsTestDriver) as a Buster.JS extension","url":null,"keywords":"","version":"1.0.1","words":"buster-html-doc html doc feature (as found in jstestdriver) as a buster.js extension =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2013-11-23 "},{"name":"buster-istanbul","description":"buster extension for istanbul code coverage.","url":null,"keywords":"buster istanbul coverage","version":"0.1.10","words":"buster-istanbul buster extension for istanbul code coverage. =mikael.karon buster istanbul coverage","author":"=mikael.karon","date":"2013-08-01 "},{"name":"buster-jshint","description":"Buster-extension: jshint your files as part of test run.","url":null,"keywords":"","version":"0.1.0","words":"buster-jshint buster-extension: jshint your files as part of test run. =alexindigo","author":"=alexindigo","date":"2014-06-16 "},{"name":"buster-jstestdriver","description":"Run JsTestDriver tests with Buster.JS","url":null,"keywords":"","version":"0.2.3","words":"buster-jstestdriver run jstestdriver tests with buster.js =cjohansen =augustl","author":"=cjohansen =augustl","date":"2013-04-16 "},{"name":"buster-lint","description":"Buster-extension: jslint/jshint your files as part of test run.","url":null,"keywords":"","version":"0.3.1","words":"buster-lint buster-extension: jslint/jshint your files as part of test run. =magnars =cjohansen =augustl =dwittner","author":"=magnars =cjohansen =augustl =dwittner","date":"2013-09-27 "},{"name":"buster-minimal","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"buster-minimal error: no readme.md file found! =quarterto","author":"=quarterto","date":"2013-04-12 "},{"name":"buster-module-loader","description":"Simple module loader for node. Allows loading objects from inside modules through a simple string.","url":null,"keywords":"","version":"0.3.0","words":"buster-module-loader simple module loader for node. allows loading objects from inside modules through a simple string. =cjohansen","author":"=cjohansen","date":"2011-12-05 "},{"name":"buster-more-assertions","description":"Additional assertions for buster.js","url":null,"keywords":"buster.js assertions","version":"0.1.3","words":"buster-more-assertions additional assertions for buster.js =davidaurelio buster.js assertions","author":"=davidaurelio","date":"2014-01-30 "},{"name":"buster-multicast","description":"Multicasting server and client for node and browsers","url":null,"keywords":"","version":"0.1.0","words":"buster-multicast multicasting server and client for node and browsers =cjohansen","author":"=cjohansen","date":"2011-08-08 "},{"name":"buster-node","description":"A minimal Buster.JS configuration for testing node modules","url":null,"keywords":"","version":"0.7.0","words":"buster-node a minimal buster.js configuration for testing node modules =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2013-09-27 "},{"name":"buster-promise","description":"Lightweight implementation of thenable promises","url":null,"keywords":"","version":"0.4.0","words":"buster-promise lightweight implementation of thenable promises =cjohansen","author":"=cjohansen","date":"2011-12-05 "},{"name":"buster-qunit","description":"Execute QUnit tests from buster.js","url":null,"keywords":"","version":"0.0.1","words":"buster-qunit execute qunit tests from buster.js =reebalazs","author":"=reebalazs","date":"2013-02-12 "},{"name":"buster-reporter-sauce","description":"Enables buster-static with SauceLabs","url":null,"keywords":"buster tdd saucelabs","version":"0.1.3","words":"buster-reporter-sauce enables buster-static with saucelabs =dymonaz buster tdd saucelabs","author":"=dymonaz","date":"2014-07-06 "},{"name":"buster-resources","description":"Virtual file systems for exposing files and other resources on e.g. web servers","url":null,"keywords":"","version":"0.3.2","words":"buster-resources virtual file systems for exposing files and other resources on e.g. web servers =cjohansen","author":"=cjohansen","date":"2012-05-28 "},{"name":"buster-script-loader","description":"Simple script loader that helps run unmodified browser scripts on node by providing a shared 'global' context object","url":null,"keywords":"","version":"0.2.0","words":"buster-script-loader simple script loader that helps run unmodified browser scripts on node by providing a shared 'global' context object =cjohansen","author":"=cjohansen","date":"2011-08-08 "},{"name":"buster-selenium","description":"Buster.js extension to work with selenium-webdriver, wd, or webdriverio.","url":null,"keywords":"buster selenium webdriver wd webdriverio","version":"0.0.6","words":"buster-selenium buster.js extension to work with selenium-webdriver, wd, or webdriverio. =garrickcheung =garrickcheung buster selenium webdriver wd webdriverio","author":"=GarrickCheung =garrickcheung","date":"2014-08-19 "},{"name":"buster-server","description":"Buster server","url":null,"keywords":"","version":"0.2.2","words":"buster-server buster server =cjohansen","author":"=cjohansen","date":"2011-09-10 "},{"name":"buster-server-cli","description":"buster-server CLI library","url":null,"keywords":"","version":"0.3.1","words":"buster-server-cli buster-server cli library =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-17 "},{"name":"buster-sinon","description":"Sinon.JS integration for the Buster.JS test runner","url":null,"keywords":"","version":"0.7.1","words":"buster-sinon sinon.js integration for the buster.js test runner =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-04-04 "},{"name":"buster-static","description":"QUnit style browser based test runner","url":null,"keywords":"","version":"0.6.4","words":"buster-static qunit style browser based test runner =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-05-14 "},{"name":"buster-stdio-logger","description":"Wrapper on top of buster-evented-logger that does pretty outout to stdout and stderr.","url":null,"keywords":"","version":"0.2.2","words":"buster-stdio-logger wrapper on top of buster-evented-logger that does pretty outout to stdout and stderr. =cjohansen","author":"=cjohansen","date":"2012-04-17 "},{"name":"buster-syntax","description":"[![Build status](https://secure.travis-ci.org/busterjs/buster-syntax.png?branch=master)](http://travis-ci.org/busterjs/buster-syntax)","url":null,"keywords":"","version":"0.4.3","words":"buster-syntax [![build status](https://secure.travis-ci.org/busterjs/buster-syntax.png?branch=master)](http://travis-ci.org/busterjs/buster-syntax) =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-06-06 "},{"name":"buster-terminal","description":"String tools for terminal formatting","url":null,"keywords":"","version":"0.4.1","words":"buster-terminal string tools for terminal formatting =cjohansen =augustl","author":"=cjohansen =augustl","date":"2012-06-21 "},{"name":"buster-test","description":"Promised based evented xUnit and BDD style test runner for JavaScript","url":null,"keywords":"","version":"0.7.8","words":"buster-test promised based evented xunit and bdd style test runner for javascript =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-17 "},{"name":"buster-test-cli","description":"Cli tools for Buster.JS test runners","url":null,"keywords":"","version":"0.8.4","words":"buster-test-cli cli tools for buster.js test runners =cjohansen =augustl =dwittner","author":"=cjohansen =augustl =dwittner","date":"2014-09-17 "},{"name":"buster-testbed-extension","description":"Extension for Buster.JS to dynamically add configuration groups for found testbeds at runtime.","url":null,"keywords":"","version":"0.1.0","words":"buster-testbed-extension extension for buster.js to dynamically add configuration groups for found testbeds at runtime. =dwittner","author":"=dwittner","date":"2014-09-15 "},{"name":"buster-user-agent-parser","description":"Simple user agent parser that gets browser, platform and version","url":null,"keywords":"","version":"0.3.1","words":"buster-user-agent-parser simple user agent parser that gets browser, platform and version =cjohansen =augustl","author":"=cjohansen =augustl","date":"2012-06-21 "},{"name":"buster-util","description":"Buster internal utilities","url":null,"keywords":"","version":"0.5.0","words":"buster-util buster internal utilities =cjohansen =augustl","author":"=cjohansen =augustl","date":"2012-06-21 "},{"name":"buster-win","description":"Temporary Windows harness for busterjs (A browser JavaScript testing toolkit) until v1 is released with full support.","url":null,"keywords":"buster busterjs windows test unit","version":"0.0.9","words":"buster-win temporary windows harness for busterjs (a browser javascript testing toolkit) until v1 is released with full support. =jdunn2 =gjensen64 buster busterjs windows test unit","author":"=jdunn2 =gjensen64","date":"2012-08-08 "},{"name":"bustermove","description":"A super-simple drop-in replacement for Buster running in Node, using node-tap as a test runner","url":null,"keywords":"test buster tap","version":"0.4.1","words":"bustermove a super-simple drop-in replacement for buster running in node, using node-tap as a test runner =rvagg test buster tap","author":"=rvagg","date":"2014-01-01 "},{"name":"bustle","keywords":"","version":[],"words":"bustle","author":"","date":"2014-04-05 "},{"name":"busy","description":"Detect if event loop is busy.","url":null,"keywords":"event loop busy blocked warn","version":"0.1.1","words":"busy detect if event loop is busy. =kof event loop busy blocked warn","author":"=kof","date":"2013-05-12 "},{"name":"busy_queue","keywords":"","version":[],"words":"busy_queue","author":"","date":"2014-04-21 "},{"name":"busybee","description":"Library for distributing applications in a 'hive'","url":null,"keywords":"","version":"0.1.0","words":"busybee library for distributing applications in a 'hive' =stowns","author":"=stowns","date":"2014-01-13 "},{"name":"busylight","description":"node library for busylight","url":null,"keywords":"lync uc kuando hid","version":"0.2.0","words":"busylight node library for busylight =porsager lync uc kuando hid","author":"=porsager","date":"2014-01-28 "},{"name":"butchershop","description":"A node module to help you develop giblets of code for tough, chewy projects.","url":null,"keywords":"proxy tools workbench giblets","version":"0.1.0-pre","words":"butchershop a node module to help you develop giblets of code for tough, chewy projects. =ruzz311 proxy tools workbench giblets","author":"=ruzz311","date":"2014-07-11 "},{"name":"butils","description":"helper functions to make buffers faster","url":null,"keywords":"buffer ctype","version":"0.1.0","words":"butils helper functions to make buffers faster =nlf buffer ctype","author":"=nlf","date":"2014-04-11 "},{"name":"butler","description":"NodeJS Butler","url":null,"keywords":"butler async promisse future fiber","version":"0.0.3","words":"butler nodejs butler =dresende butler async promisse future fiber","author":"=dresende","date":"2011-08-11 "},{"name":"butler-client","description":"Used for interfacing an upcoming service - __Butler__ that allows you to send bulk emails with ease.","url":null,"keywords":"butler email bulk saas service","version":"0.0.10","words":"butler-client used for interfacing an upcoming service - __butler__ that allows you to send bulk emails with ease. =shielsasaurus butler email bulk saas service","author":"=shielsasaurus","date":"2014-06-08 "},{"name":"butte","description":"A API wrapper for developer to access Butte Service","url":null,"keywords":"api butte hax4 hahahaha","version":"0.1.0","words":"butte a api wrapper for developer to access butte service =bu api butte hax4 hahahaha","author":"=bu","date":"2012-12-11 "},{"name":"butter","keywords":"","version":[],"words":"butter","author":"","date":"2011-11-05 "},{"name":"butter-require","description":"A fork of 'olalonde/better-require' - lets you load JSON and YAML files using require syntax. For example: var config = require('./config.json'); Extensions available are: json, yaml, coffee, ts, ls, co","url":null,"keywords":"require json yaml yml csv ini coffee-script coffeescript coffee cljs clojure dart typescript ts LiveScript","version":"0.0.3","words":"butter-require a fork of 'olalonde/better-require' - lets you load json and yaml files using require syntax. for example: var config = require('./config.json'); extensions available are: json, yaml, coffee, ts, ls, co =anodynos require json yaml yml csv ini coffee-script coffeescript coffee cljs clojure dart typescript ts livescript","author":"=anodynos","date":"2014-04-28 "},{"name":"buttercoinsdk-node","description":"Official Buttercoin API lib for node.js","url":null,"keywords":"bitcoin buttercoin trading platform cryptocurrency digital currency btc","version":"0.0.8","words":"buttercoinsdk-node official buttercoin api lib for node.js =kevin-buttercoin bitcoin buttercoin trading platform cryptocurrency digital currency btc","author":"=kevin-buttercoin","date":"2014-08-31 "},{"name":"butterfly","description":"Butterfly Mobile Web Framework","url":null,"keywords":"","version":"0.0.1","words":"butterfly butterfly mobile web framework =yezhiming","author":"=yezhiming","date":"2013-12-29 "},{"name":"butterflymod","description":"0.0.1","url":null,"keywords":"","version":"0.0.0","words":"butterflymod 0.0.1 =butterdly","author":"=butterdly","date":"2014-03-14 "},{"name":"butterknife","description":"Spread the awesome blend of Grunt.js, Travis and Sauce","url":null,"keywords":"Grunt.js Travis Sauce Labs Javascript Unit Testing","version":"0.0.6","words":"butterknife spread the awesome blend of grunt.js, travis and sauce =sourishkrout grunt.js travis sauce labs javascript unit testing","author":"=sourishkrout","date":"2013-06-25 "},{"name":"butterup","description":"Backup tool using rsync and the btrfs snapshot feature.","url":null,"keywords":"backup btrfs","version":"0.0.1","words":"butterup backup tool using rsync and the btrfs snapshot feature. =avanc backup btrfs","author":"=avanc","date":"2014-03-09 "},{"name":"buttle","description":"Serve static files from cwd","url":null,"keywords":"server static","version":"0.0.10","words":"buttle serve static files from cwd =jtrussell server static","author":"=jtrussell","date":"2014-06-04 "},{"name":"buttly","description":"Jims Nightclub","url":null,"keywords":"jim","version":"0.0.4","words":"buttly jims nightclub =ond jim","author":"=ond","date":"2012-06-23 "},{"name":"button","description":"全站通用按钮组件。","url":null,"keywords":"按钮","version":"1.1.1","words":"button 全站通用按钮组件。 =afc163 按钮","author":"=afc163","date":"2013-06-27 "},{"name":"buttons","description":"How many ways are there to build a button with Assemble? Many.","url":null,"keywords":"assemble upstage button buttons templates","version":"0.1.1","words":"buttons how many ways are there to build a button with assemble? many. =jonschlinkert assemble upstage button buttons templates","author":"=jonschlinkert","date":"2013-09-17 "},{"name":"buttons.css","description":"cool buttons for your site","url":null,"keywords":"","version":"1.0.4","words":"buttons.css cool buttons for your site =owebboy","author":"=owebboy","date":"2014-08-10 "},{"name":"buttonset-component","description":"Buttonset component","url":null,"keywords":"buttonset component","version":"0.0.3","words":"buttonset-component buttonset component =retrofox buttonset component","author":"=retrofox","date":"2012-10-10 "},{"name":"buttress","description":"Buttress is a supportive rapid prototyping library for NodeJS that provides both server and client helpers.","url":null,"keywords":"","version":"0.0.8","words":"buttress buttress is a supportive rapid prototyping library for nodejs that provides both server and client helpers. =akumpf","author":"=akumpf","date":"2013-11-29 "},{"name":"butts","description":"(_|_)","url":null,"keywords":"butts behind cli api booty bum","version":"1.1.0","words":"butts (_|_) =meandave butts behind cli api booty bum","author":"=meandave","date":"2014-08-18 "},{"name":"butts-gm","description":"place ascii butts onto an image buffer","url":null,"keywords":"butts gm image ascii","version":"1.0.2","words":"butts-gm place ascii butts onto an image buffer =meandave butts gm image ascii","author":"=meandave","date":"2014-08-25 "},{"name":"buzenko-example","description":"Get a list og github user repos","url":null,"keywords":"","version":"0.0.0","words":"buzenko-example get a list og github user repos =buzenko","author":"=buzenko","date":"2012-09-28 "},{"name":"buzz","description":"Buzz is a command line app to kill an app and then restart it, over and over again. Similar to Forever.","url":null,"keywords":"kill restart forever buzz death process","version":"0.2.1","words":"buzz buzz is a command line app to kill an app and then restart it, over and over again. similar to forever. =jp kill restart forever buzz death process","author":"=jp","date":"2013-10-22 "},{"name":"buzzard","description":"Buzzard Protocol implementation","url":null,"keywords":"","version":"0.1.3","words":"buzzard buzzard protocol implementation =pgte","author":"=pgte","date":"2014-02-11 "},{"name":"buzzfeed-headlines","description":"Scrape titles of articles from buzz feed.","url":null,"keywords":"buzz feed scraper","version":"1.0.0","words":"buzzfeed-headlines scrape titles of articles from buzz feed. =tjkrusinski buzz feed scraper","author":"=tjkrusinski","date":"2014-08-31 "},{"name":"buzzin","description":"buzz coworkers","url":null,"keywords":"","version":"1.0.2","words":"buzzin buzz coworkers =markbao","author":"=markbao","date":"2012-02-15 "},{"name":"buzzwordjs","description":"A mongodb + dropbox driven blog engine","url":null,"keywords":"","version":"0.0.1","words":"buzzwordjs a mongodb + dropbox driven blog engine =hellozimi","author":"=hellozimi","date":"2013-08-22 "},{"name":"buzzwords","description":"List of (possible) English buzzword words","url":null,"keywords":"buzzword word list","version":"0.1.1","words":"buzzwords list of (possible) english buzzword words =wooorm buzzword word list","author":"=wooorm","date":"2014-09-05 "},{"name":"bv","description":"bump version and publish in one easy command.","url":null,"keywords":"","version":"0.0.8","words":"bv bump version and publish in one easy command. =dominictarr","author":"=dominictarr","date":"2012-06-08 "},{"name":"bvm","description":"The BVM","url":null,"keywords":"","version":"0.1.9","words":"bvm the bvm =msackman","author":"=msackman","date":"2013-01-28 "},{"name":"bwip","description":"BWIP for node-js","url":null,"keywords":"","version":"0.7.1","words":"bwip bwip for node-js =heartyoh","author":"=heartyoh","date":"2014-07-10 "},{"name":"bwjs","description":"What would Javascript look like in a better world?","url":null,"keywords":"","version":"0.0.0","words":"bwjs what would javascript look like in a better world? =aredridel","author":"=aredridel","date":"2014-02-22 "},{"name":"bwlim","description":"Load files with Bandwidth limit","url":null,"keywords":"","version":"1.7.0","words":"bwlim load files with bandwidth limit =elribonazo","author":"=elribonazo","date":"2014-07-04 "},{"name":"bwm-ng","description":"Node module to read network interface speeds from bwm-ng.","url":null,"keywords":"bwm-ng network monitor speed interface bandwidth","version":"0.1.1","words":"bwm-ng node module to read network interface speeds from bwm-ng. =patricke94 bwm-ng network monitor speed interface bandwidth","author":"=patricke94","date":"2013-12-02 "},{"name":"bxh","description":"Bounding interval hierarchy and bounding volume hierarchy library for nodejs","url":null,"keywords":"bvh bih 3d 2d bounding volume interval hierarchy spatial acceleration intersection search javascript","version":"0.7.2","words":"bxh bounding interval hierarchy and bounding volume hierarchy library for nodejs =imbcmdth bvh bih 3d 2d bounding volume interval hierarchy spatial acceleration intersection search javascript","author":"=imbcmdth","date":"2012-08-02 "},{"name":"bxjs","description":"","url":null,"keywords":"","version":"0.0.1","words":"bxjs =rolandpoulter","author":"=rolandpoulter","date":"2012-06-18 "},{"name":"bxxcode","description":"bencoding module","url":null,"keywords":"bencoding torrent","version":"0.0.6","words":"bxxcode bencoding module =bruslim bencoding torrent","author":"=bruslim","date":"2014-07-21 "},{"name":"bxxcode-gmp","description":"bencoding module","url":null,"keywords":"bencoding torrent","version":"0.0.2","words":"bxxcode-gmp bencoding module =bruslim bencoding torrent","author":"=bruslim","date":"2014-07-21 "},{"name":"by","description":"Select elements by class or id or tag","url":null,"keywords":"","version":"0.2.3","words":"by select elements by class or id or tag =raynos","author":"=raynos","date":"2013-02-27 "},{"name":"by-coffeelint","description":"A Bystander plugin for CoffeeLint.","url":null,"keywords":"coffeelint bystander coffeescript","version":"0.0.1","words":"by-coffeelint a bystander plugin for coffeelint. =tomoio coffeelint bystander coffeescript","author":"=tomoio","date":"2012-10-26 "},{"name":"by-coffeescript","description":"A Bystander plugin for compiling CoffeeScript.","url":null,"keywords":"coffeescript bystander compile","version":"0.0.1","words":"by-coffeescript a bystander plugin for compiling coffeescript. =tomoio coffeescript bystander compile","author":"=tomoio","date":"2012-10-26 "},{"name":"by-docco","description":"A Bystander plugin for Docco.","url":null,"keywords":"docco bystander automation","version":"0.0.1","words":"by-docco a bystander plugin for docco. =tomoio docco bystander automation","author":"=tomoio","date":"2012-10-26 "},{"name":"by-mocha","description":"A Bystander plugin for Mocha.","url":null,"keywords":"mocha bystander automation","version":"0.0.1","words":"by-mocha a bystander plugin for mocha. =tomoio mocha bystander automation","author":"=tomoio","date":"2012-10-27 "},{"name":"by-restart","description":"A Bystander plugin to restart a server on file changes and runtime errors.","url":null,"keywords":"restart bystander server errors","version":"0.0.1","words":"by-restart a bystander plugin to restart a server on file changes and runtime errors. =tomoio restart bystander server errors","author":"=tomoio","date":"2012-11-13 "},{"name":"by-shim","description":"Fork of Raynos/by","url":null,"keywords":"","version":"0.3.0","words":"by-shim fork of raynos/by =ralt","author":"=ralt","date":"2013-04-23 "},{"name":"by-write2js","description":"A Bystander plugin for writing to JavaScript files.","url":null,"keywords":"javascript bystander write","version":"0.0.2","words":"by-write2js a bystander plugin for writing to javascript files. =tomoio javascript bystander write","author":"=tomoio","date":"2012-11-10 "},{"name":"bybussen","description":"A very simple middleware for the public transport realtime data in Trondheim, Norway","url":null,"keywords":"","version":"1.1.2","words":"bybussen a very simple middleware for the public transport realtime data in trondheim, norway =tmn","author":"=tmn","date":"2014-07-08 "},{"name":"bycallie","keywords":"","version":[],"words":"bycallie","author":"","date":"2014-04-13 "},{"name":"bychenshini","description":"none","url":null,"keywords":"none","version":"0.0.1","words":"bychenshini none =chenshini none","author":"=chenshini","date":"2013-03-11 "},{"name":"byestyle","description":"Keep an eye on those pesky inline styles.","url":null,"keywords":"inline styles","version":"0.1.3","words":"byestyle keep an eye on those pesky inline styles. =stephenplusplus inline styles","author":"=stephenplusplus","date":"2014-04-22 "},{"name":"byestyles","keywords":"","version":[],"words":"byestyles","author":"","date":"2014-04-20 "},{"name":"byfwzhumodule","description":"A module for learning perpose.","url":null,"keywords":"fw","version":"0.0.1","words":"byfwzhumodule a module for learning perpose. =fwzhu fw","author":"=fwzhu","date":"2013-07-16 "},{"name":"byhuluoyang","description":"A module for learning perpose","url":null,"keywords":"just learning","version":"0.0.0","words":"byhuluoyang a module for learning perpose =huluoyang just learning","author":"=huluoyang","date":"2014-02-19 "},{"name":"byhuying","url":null,"keywords":"","version":"0.0.0","words":"byhuying =huying","author":"=huying","date":"2014-05-26 "},{"name":"byhy","description":"my new byhy","url":null,"keywords":"","version":"0.0.1","words":"byhy my new byhy =husan","author":"=husan","date":"2014-01-07 "},{"name":"byjyh","description":"a module for learn ","url":null,"keywords":"jyh test learning","version":"0.0.3","words":"byjyh a module for learn =jyh jyh test learning","author":"=jyh","date":"2013-11-27 "},{"name":"byland193","url":null,"keywords":"","version":"0.0.0","words":"byland193 =qianxun","author":"=qianxun","date":"2014-09-08 "},{"name":"byline","description":"super-simple line-by-line Stream reader","url":null,"keywords":"","version":"4.1.1","words":"byline super-simple line-by-line stream reader =jahewson","author":"=jahewson","date":"2013-11-22 "},{"name":"bylog","description":"logger using bunyan behind the scenes","url":null,"keywords":"","version":"0.2.3","words":"bylog logger using bunyan behind the scenes =mdulghier","author":"=mdulghier","date":"2014-05-07 "},{"name":"bylouismodule","keywords":"","version":[],"words":"bylouismodule","author":"","date":"2014-05-29 "},{"name":"bylsg1990module","keywords":"","version":[],"words":"bylsg1990module","author":"","date":"2014-07-18 "},{"name":"bylxlpackage","description":"by lxl styding demo","url":null,"keywords":"","version":"1.0.0","words":"bylxlpackage by lxl styding demo =linxiaolan","author":"=linxiaolan","date":"2013-12-29 "},{"name":"bymadebychinamodule","keywords":"","version":[],"words":"bymadebychinamodule","author":"","date":"2014-08-26 "},{"name":"bymouse","description":"mouseliu","url":null,"keywords":"","version":"1.0.0","words":"bymouse mouseliu =csshao","author":"=csshao","date":"2014-02-18 "},{"name":"byp","description":"It builds your C++ code with G++ or VC++'s CL.","url":null,"keywords":"cli c++ build g++ visual studios","version":"0.2.0","words":"byp it builds your c++ code with g++ or vc++'s cl. =coderarity cli c++ build g++ visual studios","author":"=coderarity","date":"2012-02-09 "},{"name":"bypass","description":"config your bypass of proxy by using `networksetup` tool","url":null,"keywords":"bypass command line","version":"0.0.2","words":"bypass config your bypass of proxy by using `networksetup` tool =yorkie bypass command line","author":"=yorkie","date":"2014-06-14 "},{"name":"bypengcheng","keywords":"","version":[],"words":"bypengcheng","author":"","date":"2014-08-16 "},{"name":"byron","description":"English for machines","url":null,"keywords":"bdd task runner","version":"0.0.1","words":"byron english for machines =kaime bdd task runner","author":"=kaime","date":"2014-02-18 "},{"name":"bystander","description":"The ultimate development automation tool.","url":null,"keywords":"automation watcher development recursive","version":"0.0.3","words":"bystander the ultimate development automation tool. =tomoio automation watcher development recursive","author":"=tomoio","date":"2012-10-27 "},{"name":"byt","description":"Convert arbitrary unit strings into byte counts","url":null,"keywords":"byte convert mb gb kb","version":"0.1.0","words":"byt convert arbitrary unit strings into byte counts =dstokes byte convert mb gb kb","author":"=dstokes","date":"2013-11-16 "},{"name":"byte","description":"Input Buffer and Output Buffer, just like Java ByteBuffer","url":null,"keywords":"ByteBuffer byte bytes io buffer","version":"1.0.0","words":"byte input buffer and output buffer, just like java bytebuffer =fengmk2 =dead-horse =dead_horse bytebuffer byte bytes io buffer","author":"=fengmk2 =dead-horse =dead_horse","date":"2014-08-26 "},{"name":"byte-api","description":"Byte API wrapper for Node.js","url":null,"keywords":"","version":"0.0.1","words":"byte-api byte api wrapper for node.js =domhofmann","author":"=domhofmann","date":"2014-08-30 "},{"name":"byte-matcher","description":"Match bytes in a buffer returning and array of objects containing the start and end indices of the matches","url":null,"keywords":"byte match buffer","version":"0.2.0","words":"byte-matcher match bytes in a buffer returning and array of objects containing the start and end indices of the matches =sonewman byte match buffer","author":"=sonewman","date":"2014-04-18 "},{"name":"byte-size","description":"Convert a value in bytes to a more human-readable size.","url":null,"keywords":"convert bytes size human readable","version":"0.1.0","words":"byte-size convert a value in bytes to a more human-readable size. =75lb convert bytes size human readable","author":"=75lb","date":"2014-06-07 "},{"name":"byte-stream","description":"through stream that buffers streams into batches limited by a cumulative byte size limit","url":null,"keywords":"","version":"2.1.0","words":"byte-stream through stream that buffers streams into batches limited by a cumulative byte size limit =maxogden =mafintosh","author":"=maxogden =mafintosh","date":"2014-07-27 "},{"name":"bytearray","description":"a Node.JS module for Buffer processing exposes API similar to ByteArray of ActionScript","url":null,"keywords":"buffer buf endian actionscript bytearray","version":"0.1.3","words":"bytearray a node.js module for buffer processing exposes api similar to bytearray of actionscript =yi buffer buf endian actionscript bytearray","author":"=yi","date":"2013-10-07 "},{"name":"bytebot","description":"CLI tool to forward update requests from Byte to local development environment","url":null,"keywords":"byte bytebot","version":"0.1.1","words":"bytebot cli tool to forward update requests from byte to local development environment =danmorel byte bytebot","author":"=danmorel","date":"2014-08-12 "},{"name":"bytebuffer","description":"The swiss army knife for binary data in JavaScript.","url":null,"keywords":"net array buffer arraybuffer typed array bytebuffer json websocket webrtc","version":"3.3.0","words":"bytebuffer the swiss army knife for binary data in javascript. =dcode net array buffer arraybuffer typed array bytebuffer json websocket webrtc","author":"=dcode","date":"2014-08-26 "},{"name":"ByteBuffer","description":"pack or unpack a byte array","url":null,"keywords":"Buffer byte array pack unpack","version":"0.2.5","words":"bytebuffer pack or unpack a byte array =play175 buffer byte array pack unpack","author":"=play175","date":"2012-12-05 "},{"name":"bytechunker","description":"Chunk a Stream in smaller pieces of the same dimension","url":null,"keywords":"stream chunk throttle","version":"1.0.1","words":"bytechunker chunk a stream in smaller pieces of the same dimension =matteo.collina stream chunk throttle","author":"=matteo.collina","date":"2013-10-02 "},{"name":"bytelabel","description":"convert byte lengths into a nice formatted string","url":null,"keywords":"byte size stringify parse","version":"1.0.1","words":"bytelabel convert byte lengths into a nice formatted string =roryrjb byte size stringify parse","author":"=roryrjb","date":"2014-05-04 "},{"name":"byter","description":"nodejs toBytes fromBytes conversion","url":null,"keywords":"buffer byte hbase long","version":"1.1.2","words":"byter nodejs tobytes frombytes conversion =bender buffer byte hbase long","author":"=bender","date":"2014-02-07 "},{"name":"bytes","description":"byte size string parser / serializer","url":null,"keywords":"","version":"1.0.0","words":"bytes byte size string parser / serializer =tjholowaychuk","author":"=tjholowaychuk","date":"2014-05-05 "},{"name":"bytes-component","description":"byte size string parser / serializer","url":null,"keywords":"","version":"0.2.1","words":"bytes-component byte size string parser / serializer =tjholowaychuk","author":"=tjholowaychuk","date":"2013-04-01 "},{"name":"bytes-i18n","description":"Work with bytes; format, convert..","url":null,"keywords":"bytes byte i18n convert format","version":"0.0.2","words":"bytes-i18n work with bytes; format, convert.. =bdream bytes byte i18n convert format","author":"=bdream","date":"2014-06-06 "},{"name":"bytesize","description":"##Installation","url":null,"keywords":"","version":"0.2.0","words":"bytesize ##installation =jga","author":"=jga","date":"2013-05-02 "},{"name":"byteslice","description":"Simple way to concat and slice arrays through bytewise encoding and decoding.","url":null,"keywords":"bytewise level leveldb","version":"0.2.0","words":"byteslice simple way to concat and slice arrays through bytewise encoding and decoding. =mikeal bytewise level leveldb","author":"=mikeal","date":"2013-07-28 "},{"name":"bytestmoudlewithmzj","description":"test the npm","url":null,"keywords":"test js","version":"0.0.1","words":"bytestmoudlewithmzj test the npm =anhmzj test js","author":"=anhmzj","date":"2012-12-02 "},{"name":"byteup","description":"Add bytewise as a levelup leveldb encoding","url":null,"keywords":"leveldb levelup bytewise binary encoding","version":"0.1.2","words":"byteup add bytewise as a levelup leveldb encoding =nharbour =eugeneware leveldb levelup bytewise binary encoding","author":"=nharbour =eugeneware","date":"2013-08-14 "},{"name":"bytevector","description":"ByteVector - Space effcient vector for binary data.","url":null,"keywords":"ByteVector byte vector","version":"1.1.1","words":"bytevector bytevector - space effcient vector for binary data. =idleman bytevector byte vector","author":"=idleman","date":"2013-06-30 "},{"name":"bytewise","description":"Binary serialization which sorts bytewise for arbirarily complex data structures","url":null,"keywords":"binary collation serialization leveldb couchdb indexeddb","version":"0.7.1","words":"bytewise binary serialization which sorts bytewise for arbirarily complex data structures =deanlandolt binary collation serialization leveldb couchdb indexeddb","author":"=deanlandolt","date":"2014-07-16 "},{"name":"bytewise-hex","description":"Support for leveldb/levelup bytewise encodings in hex format","url":null,"keywords":"bytewise levelup leveldb hex encoding byteup","version":"0.0.2","words":"bytewise-hex support for leveldb/levelup bytewise encodings in hex format =eugeneware bytewise levelup leveldb hex encoding byteup","author":"=eugeneware","date":"2013-09-08 "},{"name":"bytewiser","description":"a nodeschool workshop that teaches you the fundamentals of working with binary data in node.js and HTML5 browsers","url":null,"keywords":"nodeschool","version":"2.0.1","words":"bytewiser a nodeschool workshop that teaches you the fundamentals of working with binary data in node.js and html5 browsers =maxogden nodeschool","author":"=maxogden","date":"2014-08-19 "},{"name":"byu-catan","description":"Project framework for BYU CS 340 group project","url":null,"keywords":"","version":"1.1.5","words":"byu-catan project framework for byu cs 340 group project =nikstr =jabapyth","author":"=nikstr =jabapyth","date":"2014-03-05 "},{"name":"byviodmodule","keywords":"","version":[],"words":"byviodmodule","author":"","date":"2014-04-04 "},{"name":"byvoid","description":"a module for learning perpose","url":null,"keywords":"","version":"0.0.1","words":"byvoid a module for learning perpose =kxy","author":"=kxy","date":"2013-01-12 "},{"name":"byvoidhjh","description":"A module for learning perpose","url":null,"keywords":"byvoidmodule","version":"0.0.0","words":"byvoidhjh a module for learning perpose =hejianghao byvoidmodule","author":"=hejianghao","date":"2014-09-06 "},{"name":"byvoidmo","description":"this is a byvoidmodule 0.2.","url":null,"keywords":"","version":"0.0.2","words":"byvoidmo this is a byvoidmodule 0.2. =jw258246","author":"=jw258246","date":"2014-09-13 "},{"name":"byvoidmodual","keywords":"","version":[],"words":"byvoidmodual","author":"","date":"2014-05-27 "},{"name":"byvoidmodule","description":"A module for learning perpose.","url":null,"keywords":"","version":"0.0.1","words":"byvoidmodule a module for learning perpose. =yukun","author":"=yukun","date":"2014-06-06 "},{"name":"byvoidmodule000","description":"这里是发布的第一个包,请大家多多关照","url":null,"keywords":"包11 byvoid","version":"0.0.0","words":"byvoidmodule000 这里是发布的第一个包,请大家多多关照 =qinfeng9988 包11 byvoid","author":"=qinfeng9988","date":"2014-06-12 "},{"name":"byvoidmodule2","keywords":"","version":[],"words":"byvoidmodule2","author":"","date":"2014-04-01 "},{"name":"byvoidmodule_syx","description":"","url":null,"keywords":"","version":"0.0.2","words":"byvoidmodule_syx =shenyaoxing","author":"=shenyaoxing","date":"2014-02-11 "},{"name":"byvoidmodulebyjimmy","description":"http://www.byvoid.com/","url":null,"keywords":"jimmy","version":"0.0.3","words":"byvoidmodulebyjimmy http://www.byvoid.com/ =jimmyyeh999 jimmy","author":"=jimmyyeh999","date":"2013-08-05 "},{"name":"byvoidmodulemawei","description":"byvoidmodulemawei","url":null,"keywords":"xxx xxx","version":"0.0.2","words":"byvoidmodulemawei byvoidmodulemawei =mawei xxx xxx","author":"=mawei","date":"2013-12-04 "},{"name":"byvoidmoduletest","description":"A module for learning perpose.","url":null,"keywords":"","version":"0.0.2","words":"byvoidmoduletest a module for learning perpose. =liufang","author":"=liufang","date":"2013-03-12 "},{"name":"byvoidmodulewangda","description":"Amodule for learning perpose wangdaha","url":null,"keywords":"","version":"0.0.9","words":"byvoidmodulewangda amodule for learning perpose wangdaha =wangda","author":"=wangda","date":"2013-03-08 "},{"name":"byvoidmodulewcf","url":null,"keywords":"","version":"0.0.0","words":"byvoidmodulewcf =wcfwcf","author":"=wcfwcf","date":"2014-04-21 "},{"name":"byvoidmodulewzh","description":"http://www.byvoid.com","url":null,"keywords":"none","version":"1.0.1","words":"byvoidmodulewzh http://www.byvoid.com =wzh none","author":"=wzh","date":"2014-04-23 "},{"name":"byvoidnodule","description":"A module for learning perpose","keywords":"","version":[],"words":"byvoidnodule a module for learning perpose =hony","author":"=hony","date":"2013-07-11 "},{"name":"byvoidpackage","url":null,"keywords":"byvoidpackage","version":"0.0.1","words":"byvoidpackage =jesn2014 byvoidpackage","author":"=jesn2014","date":"2014-05-15 "},{"name":"byway","description":"yet another router; match a string by :sinatra/:express style named-params, or regex, and get something back.","url":null,"keywords":"route","version":"0.0.2","words":"byway yet another router; match a string by :sinatra/:express style named-params, or regex, and get something back. =isao route","author":"=isao","date":"2013-02-12 "},{"name":"byways","description":"Content of the closed `byways.org` website hosted at [scenicbyways.info]","url":null,"keywords":"","version":"1.6.0","words":"byways content of the closed `byways.org` website hosted at [scenicbyways.info] =pirxpilot","author":"=pirxpilot","date":"2014-09-09 "},{"name":"byword","description":"A web framework for node that support dependency injection and adding middleware.","url":null,"keywords":"dependable Dependency Injection DI middleware express web framework DRY code reuse","version":"0.1.2","words":"byword a web framework for node that support dependency injection and adding middleware. =daure dependable dependency injection di middleware express web framework dry code reuse","author":"=daure","date":"2014-08-16 "},{"name":"byword-mongoose","description":"A plugin for byword which adds db accessing middleware, model discovery and db dependency for mongoose.","url":null,"keywords":"byword express mongo mongoose","version":"0.0.1","words":"byword-mongoose a plugin for byword which adds db accessing middleware, model discovery and db dependency for mongoose. =daure byword express mongo mongoose","author":"=daure","date":"2014-07-06 "},{"name":"byyfumodule","description":"The first module by yfu","url":null,"keywords":"hello","version":"0.0.1","words":"byyfumodule the first module by yfu =yfu hello","author":"=yfu","date":"2013-09-19 "},{"name":"byyvoidmodule","description":"A module","url":null,"keywords":"module","version":"0.0.1","words":"byyvoidmodule a module =kjjj33 module","author":"=kjjj33","date":"2014-06-13 "},{"name":"bz","description":"Bugzilla REST API wrapper","url":null,"keywords":"bugzilla","version":"1.0.0-alpha.5","words":"bz bugzilla rest api wrapper =harth =lightsofapollo =lights-of-apollo bugzilla","author":"=harth =lightsofapollo =lights-of-apollo","date":"2013-10-22 "},{"name":"bz-commando","description":"A command line interface to Bugzilla.","url":null,"keywords":"bugzilla cli","version":"0.1.0","words":"bz-commando a command line interface to bugzilla. =gvn bugzilla cli","author":"=gvn","date":"2014-06-15 "},{"name":"bz-json","description":"Bugzilla JSON API wrapper","url":null,"keywords":"bugzilla json","version":"0.1.1","words":"bz-json bugzilla json api wrapper =bpiec bugzilla json","author":"=bpiec","date":"2012-09-24 "},{"name":"bzip2","description":"A npm package of a bunzip implementation in pure javascript","url":null,"keywords":"","version":"0.1.0","words":"bzip2 a npm package of a bunzip implementation in pure javascript =jvrousseau","author":"=jvrousseau","date":"2014-02-13 "},{"name":"c","description":"Give folders or directories comments and view them easy.","url":null,"keywords":"","version":"0.1.0","words":"c give folders or directories comments and view them easy. =rumpl","author":"=rumpl","date":"2012-07-16 "},{"name":"c-c-config","description":"Tagged configuration","url":null,"keywords":"config","version":"0.0.2","words":"c-c-config tagged configuration =stephank config","author":"=stephank","date":"2012-01-31 "},{"name":"c-libnotify","description":"A sparse C binding for libnotify.","keywords":"","version":[],"words":"c-libnotify a sparse c binding for libnotify. =poconbhui","author":"=poconbhui","date":"2013-07-27 "},{"name":"c-pm","description":"C package manager","url":null,"keywords":"c package manager","version":"0.0.3","words":"c-pm c package manager =tjholowaychuk c package manager","author":"=tjholowaychuk","date":"2013-02-27 "},{"name":"c-struct","description":"A C-struct library to manage binary structures with Node.JS","url":null,"keywords":"struct binary pack unpack parse serialize endianness buffer c packets structure","version":"0.0.3","words":"c-struct a c-struct library to manage binary structures with node.js =majidarif struct binary pack unpack parse serialize endianness buffer c packets structure","author":"=majidarif","date":"2014-07-29 "},{"name":"c-tokenizer","description":"tokenize c/c++ source code","url":null,"keywords":"c c++ tokenize lexer source","version":"0.0.0","words":"c-tokenizer tokenize c/c++ source code =substack c c++ tokenize lexer source","author":"=substack","date":"2013-09-17 "},{"name":"c.js","description":"multi-environment configuration for server and client","url":null,"keywords":"","version":"0.0.2","words":"c.js multi-environment configuration for server and client =mattmueller","author":"=mattmueller","date":"2013-09-22 "},{"name":"c0lor","description":"Color space conversions","url":null,"keywords":"color space rgb xyz xyy lab lch hsv browser","version":"0.1.0","words":"c0lor color space conversions =hhelwich color space rgb xyz xyy lab lch hsv browser","author":"=hhelwich","date":"2014-06-07 "},{"name":"c1aviebag","description":"A module for learning prepose.","url":null,"keywords":"nodejs","version":"0.0.1","words":"c1aviebag a module for learning prepose. =c1avie nodejs","author":"=c1avie","date":"2014-05-18 "},{"name":"c2a-zipper","description":"Library that wraps a function taking an array of urls as an argument, and returns a zip containing the responses.","url":null,"keywords":"","version":"0.0.5","words":"c2a-zipper library that wraps a function taking an array of urls as an argument, and returns a zip containing the responses. =tombobs","author":"=tombobs","date":"2014-08-22 "},{"name":"c2dm","description":"An interface to the Android Cloud to Device Messaging (C2DM) service for Node.js","url":null,"keywords":"google push push notifications android c2dm","version":"1.2.1","words":"c2dm an interface to the android cloud to device messaging (c2dm) service for node.js =spect google push push notifications android c2dm","author":"=spect","date":"2013-06-27 "},{"name":"c2s","description":"a tool to transform component package to spm@3x package","url":null,"keywords":"component transformer spm","version":"0.2.0","words":"c2s a tool to transform component package to spm@3x package =sorrycc component transformer spm","author":"=sorrycc","date":"2014-05-13 "},{"name":"c3","description":"C3 linearization algorithm","url":null,"keywords":"c3 linearization mro","version":"0.0.1","words":"c3 c3 linearization algorithm =silas c3 linearization mro","author":"=silas","date":"2012-04-28 "},{"name":"c3-chart","description":"angular directive to utilize c3 charts","url":null,"keywords":"","version":"0.0.1","words":"c3-chart angular directive to utilize c3 charts =maseh87","author":"=maseh87","date":"2014-09-15 "},{"name":"c3d","description":"Contract Controlled Content Distribution","url":null,"keywords":"Ethereum Swarm","version":"0.1.1","words":"c3d contract controlled content distribution =compleatang ethereum swarm","author":"=compleatang","date":"2014-06-02 "},{"name":"c3d2","description":"Droid factory - bootstrap a HTML5 android application quickly using a phonegap template","url":null,"keywords":"phonegap bootstrap","version":"0.0.2","words":"c3d2 droid factory - bootstrap a html5 android application quickly using a phonegap template =binocarlos phonegap bootstrap","author":"=binocarlos","date":"2013-12-18 "},{"name":"c3store","description":"connect Sequelize session store","url":null,"keywords":"connect sequelize session store SQL postgres mysql sqlite","version":"0.2.0","words":"c3store connect sequelize session store =dgf connect sequelize session store sql postgres mysql sqlite","author":"=dgf","date":"2014-06-04 "},{"name":"c4d","description":"Commandline Interface for MAXON CINEMA 4D","url":null,"keywords":"maxon cinema4d c4d","version":"0.1.5","words":"c4d commandline interface for maxon cinema 4d =wng maxon cinema4d c4d","author":"=wng","date":"2013-08-07 "},{"name":"c4ini","description":"Parser for ini files as used by Clonk masterservers.","url":null,"keywords":"ini clonk parser","version":"0.1.1","words":"c4ini parser for ini files as used by clonk masterservers. =luchs ini clonk parser","author":"=luchs","date":"2013-07-20 "},{"name":"c50n","description":"A simple CSON parser/stringifier","url":null,"keywords":"cson","version":"0.7.1","words":"c50n a simple cson parser/stringifier =dyoder cson","author":"=dyoder","date":"2014-09-16 "},{"name":"c8","keywords":"","version":[],"words":"c8","author":"","date":"2014-08-04 "},{"name":"c9","description":"Cloud9 Local is out-of-order temporarily while we clean up the backend.","url":null,"keywords":"","version":"0.1.20","words":"c9 cloud9 local is out-of-order temporarily while we clean up the backend. =gjtorikian =cadorn =creationix","author":"=gjtorikian =cadorn =creationix","date":"2012-11-20 "},{"name":"c9dryice","description":"A CommonJS/RequireJS packaging tool for browser scripts","url":null,"keywords":"build commonjs requirejs","version":"0.4.2","words":"c9dryice a commonjs/requirejs packaging tool for browser scripts =mikedeboer build commonjs requirejs","author":"=mikedeboer","date":"2012-11-22 "},{"name":"c9ext","description":"Extension generator for Cloud9 IDE","url":null,"keywords":"cloud9 ide extension plugin","version":"0.0.6","words":"c9ext extension generator for cloud9 ide =mattpardee =gjtorikian cloud9 ide extension plugin","author":"=mattpardee =gjtorikian","date":"2012-11-09 "},{"name":"c9kill","description":"kills all c9 node processes","url":null,"keywords":"","version":"0.0.3","words":"c9kill kills all c9 node processes =bmatusiak","author":"=bmatusiak","date":"2012-11-15 "},{"name":"ca-auth","description":"Simple Secure Auth Lib","url":null,"keywords":"","version":"0.1.1","words":"ca-auth simple secure auth lib =caffeineaddiction","author":"=caffeineaddiction","date":"2014-09-10 "},{"name":"ca-net","description":"Network Communication Mod","url":null,"keywords":"","version":"0.0.5","words":"ca-net network communication mod =caffeineaddiction","author":"=caffeineaddiction","date":"2014-09-15 "},{"name":"caas","description":"Clipboard as an HTTP service","url":null,"keywords":"clipboard utility","version":"0.0.1","words":"caas clipboard as an http service =5long clipboard utility","author":"=5long","date":"2012-06-10 "},{"name":"caat","description":"CAAT for Node.js","url":null,"keywords":"animation graphics canvas sprites games caat","version":"0.0.3","words":"caat caat for node.js =xdissent animation graphics canvas sprites games caat","author":"=xdissent","date":"2013-07-17 "},{"name":"cabbie","description":"A webdriver client","url":null,"keywords":"","version":"0.0.9","words":"cabbie a webdriver client =forbeslindesay","author":"=forbeslindesay","date":"2014-04-14 "},{"name":"cabbie-persona","description":"Use cabbie to automate logging in with persona","url":null,"keywords":"","version":"0.0.1","words":"cabbie-persona use cabbie to automate logging in with persona =forbeslindesay","author":"=forbeslindesay","date":"2014-03-10 "},{"name":"cabbie-run","description":"Run a test file with a cabbie driver in a separate process","url":null,"keywords":"","version":"0.0.7","words":"cabbie-run run a test file with a cabbie driver in a separate process =forbeslindesay","author":"=forbeslindesay","date":"2014-03-07 "},{"name":"caber_logger","description":"A logger with multiple outputs","url":null,"keywords":"logging logger","version":"0.1.0","words":"caber_logger a logger with multiple outputs =rhythmicdevil logging logger","author":"=rhythmicdevil","date":"2013-07-22 "},{"name":"cabin","description":"Simple and extensible static site generator powered by Grunt","url":null,"keywords":"blog blogging static site generator markdown jekyll generator static","version":"0.3.6","words":"cabin simple and extensible static site generator powered by grunt =stenson =colinwren =chriswren blog blogging static site generator markdown jekyll generator static","author":"=stenson =colinwren =chriswren","date":"2013-12-08 "},{"name":"cabinet","description":"A fast static file server loaded with useful features","url":null,"keywords":"","version":"0.3.6","words":"cabinet a fast static file server loaded with useful features =manast","author":"=manast","date":"2014-08-05 "},{"name":"cabinetkv","description":"Brainless Key/Value storage for MongoDB","url":null,"keywords":"mongoose mongodb storage cache kv key/value","version":"0.0.1","words":"cabinetkv brainless key/value storage for mongodb =treygriffith mongoose mongodb storage cache kv key/value","author":"=treygriffith","date":"2012-12-12 "},{"name":"cabinjs-admin","description":"Simple CabinJS Blog Admin","url":null,"keywords":"","version":"0.0.5","words":"cabinjs-admin simple cabinjs blog admin =xperiments","author":"=xperiments","date":"2014-06-20 "},{"name":"cable","description":"Cable is a fast and simple binary request/response protocol stream for Node.js","url":null,"keywords":"request json pipeline server","version":"1.3.0","words":"cable cable is a fast and simple binary request/response protocol stream for node.js =mafintosh request json pipeline server","author":"=mafintosh","date":"2014-01-01 "},{"name":"cable.io","description":"socket.io+jquery socket.on library","url":null,"keywords":"socket.io jquery cable.io","version":"0.4.4","words":"cable.io socket.io+jquery socket.on library =59naga socket.io jquery cable.io","author":"=59naga","date":"2013-10-07 "},{"name":"caboose","description":"Rails-ish MVC Framework in Coffeescript","url":null,"keywords":"","version":"0.1.65","words":"caboose rails-ish mvc framework in coffeescript =mattinsler","author":"=mattinsler","date":"2013-08-09 "},{"name":"caboose-authentication","description":"Caboose plugin to add authentication methods to caboose controllers","url":null,"keywords":"","version":"0.0.2","words":"caboose-authentication caboose plugin to add authentication methods to caboose controllers =mattinsler","author":"=mattinsler","date":"2012-08-10 "},{"name":"caboose-bootstrap","description":"Installs bootstrap files into a caboose project","url":null,"keywords":"","version":"0.0.4","words":"caboose-bootstrap installs bootstrap files into a caboose project =mattinsler","author":"=mattinsler","date":"2012-08-23 "},{"name":"caboose-model","description":"Model system around MongoDB","url":null,"keywords":"","version":"0.1.20","words":"caboose-model model system around mongodb =mattinsler","author":"=mattinsler","date":"2013-07-31 "},{"name":"caboose-model-before-action","description":"Caboose plugin that adds pre-fab before_action helpers for caboose-model models to controllers","url":null,"keywords":"","version":"0.0.2","words":"caboose-model-before-action caboose plugin that adds pre-fab before_action helpers for caboose-model models to controllers =mattinsler","author":"=mattinsler","date":"2012-06-01 "},{"name":"caboose-model-delayed-render","description":"Caboose plugin that adds delayed rendering to caboose-model","url":null,"keywords":"","version":"0.0.1","words":"caboose-model-delayed-render caboose plugin that adds delayed rendering to caboose-model =mattinsler","author":"=mattinsler","date":"2012-05-31 "},{"name":"caboose-redis","description":"caboose-redis: a Caboose plugin","url":null,"keywords":"","version":"0.0.2","words":"caboose-redis caboose-redis: a caboose plugin =mattinsler","author":"=mattinsler","date":"2012-09-06 "},{"name":"caboose-sql","description":"SQL models for caboose based on sequelize","url":null,"keywords":"","version":"0.0.8","words":"caboose-sql sql models for caboose based on sequelize =mattinsler","author":"=mattinsler","date":"2013-01-16 "},{"name":"cabra","description":"Dependency injection for node.js.","url":null,"keywords":"ioc dependency injection di dependency inversion","version":"0.1.1","words":"cabra dependency injection for node.js. =hcoverlambda ioc dependency injection di dependency inversion","author":"=hcoverlambda","date":"2014-01-06 "},{"name":"cabrel-ad","description":"Wrapper around LDAP.js","url":null,"keywords":"","version":"1.0.1","words":"cabrel-ad wrapper around ldap.js =cabrel","author":"=cabrel","date":"2013-11-19 "},{"name":"cabrel-catbox","description":"Fork of https://github.com/spumko/catbox -- Multi-strategy object caching service","url":null,"keywords":"cache memory redis mongodb","version":"0.1.2","words":"cabrel-catbox fork of https://github.com/spumko/catbox -- multi-strategy object caching service =cabrel cache memory redis mongodb","author":"=cabrel","date":"2013-08-12 "},{"name":"cabrel-cfts-sanitize","description":"Cleans up json responses to remove sensitive or erroneous information","url":null,"keywords":"","version":"1.8.1","words":"cabrel-cfts-sanitize cleans up json responses to remove sensitive or erroneous information =cabrel","author":"=cabrel","date":"2014-01-14 "},{"name":"cabrel-config","description":"Configuration management","url":null,"keywords":"","version":"3.5.3","words":"cabrel-config configuration management =cabrel","author":"=cabrel","date":"2014-02-10 "},{"name":"cabrel-crumb","description":"Fork of https://github.com/spumko/crumb -- CSRF crumb generation plugin","url":null,"keywords":"cookies csrf hapi plugin session","version":"0.1.0","words":"cabrel-crumb fork of https://github.com/spumko/crumb -- csrf crumb generation plugin =cabrel cookies csrf hapi plugin session","author":"=cabrel","date":"2013-07-31 "},{"name":"cabrel-crypto-wrapper","description":"Wrapper around various existing crypto functions","url":null,"keywords":"","version":"0.1.2","words":"cabrel-crypto-wrapper wrapper around various existing crypto functions =cabrel","author":"=cabrel","date":"2014-01-17 "},{"name":"cabrel-curb-lib","description":"A queue service, backed by Redis","url":null,"keywords":"","version":"1.3.2","words":"cabrel-curb-lib a queue service, backed by redis =cabrel","author":"=cabrel","date":"2013-12-09 "},{"name":"cabrel-ftpd","description":"Fork of alanszlosek/nodeftpd - a simple FTP server written in Node.JS","url":null,"keywords":"","version":"1.1.0","words":"cabrel-ftpd fork of alanszlosek/nodeftpd - a simple ftp server written in node.js =cabrel","author":"=cabrel","date":"2013-09-25 "},{"name":"cabrel-hapi-acl","description":"ACL Plugin for Hapi","url":null,"keywords":"","version":"0.1.3","words":"cabrel-hapi-acl acl plugin for hapi =cabrel","author":"=cabrel","date":"2014-01-14 "},{"name":"cabrel-hapi-json","description":"Adds malformed JSON to JSON responses","url":null,"keywords":"hapi plugin json cabrel hapi-plugin","version":"0.1.2","words":"cabrel-hapi-json adds malformed json to json responses =cabrel hapi plugin json cabrel hapi-plugin","author":"=cabrel","date":"2014-01-14 "},{"name":"cabrel-hapi-session","description":"Wrapper around frequently used methods for hapi to store/fetch sessions","url":null,"keywords":"","version":"1.0.4","words":"cabrel-hapi-session wrapper around frequently used methods for hapi to store/fetch sessions =cabrel","author":"=cabrel","date":"2014-02-10 "},{"name":"cabrel-hapi-stats","description":"URL hit tracking plugin for Hapi","url":null,"keywords":"","version":"2.1.0","words":"cabrel-hapi-stats url hit tracking plugin for hapi =cabrel","author":"=cabrel","date":"2013-09-23 "},{"name":"cabrel-stockpile","description":"A set of utility functions for every day use","url":null,"keywords":"","version":"1.5.7","words":"cabrel-stockpile a set of utility functions for every day use =cabrel","author":"=cabrel","date":"2014-01-14 "},{"name":"cabrel-winston-graylog2","description":"A graylog2 transport for winston","url":null,"keywords":"logging sysadmin tools winston graylog2","version":"1.0.0","words":"cabrel-winston-graylog2 a graylog2 transport for winston =cabrel logging sysadmin tools winston graylog2","author":"=cabrel","date":"2013-10-29 "},{"name":"cabrel-winston-redis","description":"A fixed-length Redis transport for winston","url":null,"keywords":"logging sysadmin tools winston redis","version":"1.0.0","words":"cabrel-winston-redis a fixed-length redis transport for winston =cabrel logging sysadmin tools winston redis","author":"=cabrel","date":"2013-10-31 "},{"name":"cabs","description":"content addressable blob store for node","url":null,"keywords":"","version":"0.10.1","words":"cabs content addressable blob store for node =cwmma","author":"=cwmma","date":"2014-02-18 "},{"name":"cache","description":"Simple cache for JSON data with a REST API","url":null,"keywords":"","version":"1.1.2","words":"cache simple cache for json data with a rest api =sleeplessinc","author":"=sleeplessinc","date":"2013-10-17 "},{"name":"cache-advice","description":"function decorators for caching","url":null,"keywords":"cache functional aspect-oriented-programming","version":"0.1.0","words":"cache-advice function decorators for caching =mattly cache functional aspect-oriented-programming","author":"=mattly","date":"2013-08-23 "},{"name":"cache-advice-redis","description":"interface for cache-advice, using redis","url":null,"keywords":"cache functional aspect-oriented-programming redis","version":"0.0.1","words":"cache-advice-redis interface for cache-advice, using redis =mattly cache functional aspect-oriented-programming redis","author":"=mattly","date":"2013-03-14 "},{"name":"cache-back","description":"Adaptable datastore node cache utility","url":null,"keywords":"cache redis in-memory mongodb","version":"1.0.4-4","words":"cache-back adaptable datastore node cache utility =sagish cache redis in-memory mongodb","author":"=sagish","date":"2014-04-10 "},{"name":"cache-breaker","description":"Cache Breaking Tasks","url":null,"keywords":"cache bust break","version":"0.0.4","words":"cache-breaker cache breaking tasks =shakyshane cache bust break","author":"=shakyshane","date":"2014-05-01 "},{"name":"cache-bust","description":"Create cache-busted versions of a file using the MD5 hash of the file's contents.","url":null,"keywords":"cache bust contents md5","version":"0.0.2","words":"cache-bust create cache-busted versions of a file using the md5 hash of the file's contents. =segmentio cache bust contents md5","author":"=segmentio","date":"2013-09-30 "},{"name":"cache-client","description":"An easy to use cache client that allows use for memcached, redis, or lru-cache","url":null,"keywords":"redis memcached cache lru-cache","version":"0.0.22","words":"cache-client an easy to use cache client that allows use for memcached, redis, or lru-cache =notsew redis memcached cache lru-cache","author":"=notsew","date":"2014-04-16 "},{"name":"cache-collection","description":"a simple cache collection for nodejs","url":null,"keywords":"nodejs cache","version":"0.0.1","words":"cache-collection a simple cache collection for nodejs =ppxu nodejs cache","author":"=ppxu","date":"2014-04-23 "},{"name":"cache-control","description":"Express/Connect middleware to set url cache options with globs","url":null,"keywords":"divshot superstatic caching buster","version":"1.0.0","words":"cache-control express/connect middleware to set url cache options with globs =scottcorgan divshot superstatic caching buster","author":"=scottcorgan","date":"2014-09-18 "},{"name":"cache-dir","description":"An ES6 map-like cache with file-based backing","url":null,"keywords":"","version":"2.1.0","words":"cache-dir an es6 map-like cache with file-based backing =dfellis =raynos","author":"=dfellis =raynos","date":"2014-03-27 "},{"name":"cache-dns","description":"Like `dns` module, but cache the results.","url":null,"keywords":"cache-dns","version":"0.0.2","words":"cache-dns like `dns` module, but cache the results. =fengmk2 cache-dns","author":"=fengmk2","date":"2013-08-02 "},{"name":"cache-ex","description":"Cache-ex","url":null,"keywords":"cache express admin","version":"0.3.3","words":"cache-ex cache-ex =philfcorcoran cache express admin","author":"=philfcorcoran","date":"2014-06-17 "},{"name":"cache-file","description":"Store and get files from cache","url":null,"keywords":"cache store","version":"0.1.7","words":"cache-file store and get files from cache =wblanchette cache store","author":"=wblanchette","date":"2014-03-31 "},{"name":"cache-helpers","description":"caching convenience functions","url":null,"keywords":"caching","version":"1.3.0","words":"cache-helpers caching convenience functions =darkskyapp caching","author":"=darkskyapp","date":"2012-11-20 "},{"name":"cache-manager","description":"Cache module for Node.js","url":null,"keywords":"cache redis lru-cache memory cache multiple cache","version":"0.11.0","words":"cache-manager cache module for node.js =bryandonovan cache redis lru-cache memory cache multiple cache","author":"=bryandonovan","date":"2014-09-18 "},{"name":"cache-middleware","description":"Cache middleware in redis","url":null,"keywords":"","version":"0.0.2","words":"cache-middleware cache middleware in redis =leahcimic","author":"=leahcimic","date":"2014-08-05 "},{"name":"cache-money-flow","description":"LRU cache with locking","url":null,"keywords":"","version":"0.0.1","words":"cache-money-flow lru cache with locking =regality","author":"=regality","date":"2012-05-07 "},{"name":"cache-quest","description":"a simple drop-in cache for request","url":null,"keywords":"cache http request","version":"0.2.0","words":"cache-quest a simple drop-in cache for request =squamos cache http request","author":"=squamos","date":"2012-09-13 "},{"name":"cache-queue","description":"queued caching","url":null,"keywords":"cache queue","version":"0.0.1","words":"cache-queue queued caching =leonchen cache queue","author":"=leonchen","date":"2013-04-23 "},{"name":"cache-redis","description":"An ES6 Map-like cache with redis backing","url":null,"keywords":"","version":"1.0.0","words":"cache-redis an es6 map-like cache with redis backing =dfellis =raynos","author":"=dfellis =raynos","date":"2014-03-25 "},{"name":"cache-reduce","description":"Caching for reducible data structures","url":null,"keywords":"cache reduce reducible stream buffer lazy","version":"0.1.1","words":"cache-reduce caching for reducible data structures =gozala cache reduce reducible stream buffer lazy","author":"=gozala","date":"2012-11-24 "},{"name":"cache-shrinkwrap","description":"Add all dependencies contained in an npm-shrinkwrap.json file to the npm cache.","url":null,"keywords":"npm shrinkwrap cache","version":"0.2.1","words":"cache-shrinkwrap add all dependencies contained in an npm-shrinkwrap.json file to the npm cache. =majgis npm shrinkwrap cache","author":"=majgis","date":"2014-03-19 "},{"name":"cache-stampede","description":"General caching that protects against a cache-stampede","url":null,"keywords":"","version":"0.0.5","words":"cache-stampede general caching that protects against a cache-stampede =zjonsson","author":"=zjonsson","date":"2014-09-08 "},{"name":"cache-storage","description":"Advanced cache storage for node js","url":null,"keywords":"cache caching storage memory","version":"2.0.0","words":"cache-storage advanced cache storage for node js =sakren cache caching storage memory","author":"=sakren","date":"2014-01-15 "},{"name":"cache-stream","description":"Simple streaming module implementing the Stream2 interface for Node.js v0.10+","url":null,"keywords":"","version":"0.1.0","words":"cache-stream simple streaming module implementing the stream2 interface for node.js v0.10+ =sonewman","author":"=sonewman","date":"2014-01-11 "},{"name":"cache-swap","description":"A simple temp file based swap for speeding up operations","url":null,"keywords":"cache swap temp file","version":"0.0.6","words":"cache-swap a simple temp file based swap for speeding up operations =jgable cache swap temp file","author":"=jgable","date":"2014-02-19 "},{"name":"cache22","description":"Caching for node apps. Currently supports memory and redis stores.","url":null,"keywords":"","version":"0.1.0","words":"cache22 caching for node apps. currently supports memory and redis stores. =tonymilne","author":"=tonymilne","date":"2012-09-26 "},{"name":"cache2file","description":"Cache string information to files","url":null,"keywords":"cache file","version":"0.2.1","words":"cache2file cache string information to files =poetro cache file","author":"=Poetro","date":"2011-02-03 "},{"name":"cacheable","description":"A cache wrapper with redis","url":null,"keywords":"redis redis-cache cacheable cache cached","version":"0.2.9","words":"cacheable a cache wrapper with redis =ktmud redis redis-cache cacheable cache cached","author":"=ktmud","date":"2014-05-02 "},{"name":"cacheable-middleware","description":"Middleware component to set cache headers on responses from an Express or Connect server","url":null,"keywords":"cache headers express connect middleware","version":"0.0.1","words":"cacheable-middleware middleware component to set cache headers on responses from an express or connect server =steveukx cache headers express connect middleware","author":"=steveukx","date":"2013-01-20 "},{"name":"cacheback","keywords":"","version":[],"words":"cacheback","author":"","date":"2014-03-10 "},{"name":"cachebox","description":"Mongo-driven query cache that supports geospatial lookups","url":null,"keywords":"cache mongo geospatial","version":"0.0.2","words":"cachebox mongo-driven query cache that supports geospatial lookups =deremer cache mongo geospatial","author":"=deremer","date":"2012-06-01 "},{"name":"cachecontrol.js","description":"---------","url":null,"keywords":"feed json redis cache","version":"1.0.7","words":"cachecontrol.js --------- =raman148 =mbuff24 feed json redis cache","author":"=raman148 =mbuff24","date":"2013-05-31 "},{"name":"cached","description":"Simple access to a cache","url":null,"keywords":"memcached stampede cache","version":"2.0.3","words":"cached simple access to a cache =jkrems memcached stampede cache","author":"=jkrems","date":"2014-06-25 "},{"name":"cached-events","description":"Cache an Event Emitter","url":null,"keywords":"","version":"0.0.1","words":"cached-events cache an event emitter =raynos","author":"=raynos","date":"2012-08-25 "},{"name":"cached-object","description":"Javascript Memory Cache","url":null,"keywords":"cache object ram storage","version":"0.0.1","words":"cached-object javascript memory cache =carlosmaniero cache object ram storage","author":"=carlosmaniero","date":"2013-10-06 "},{"name":"cached-operation","description":"Cache an asynchronous operation","url":null,"keywords":"","version":"0.1.1","words":"cached-operation cache an asynchronous operation =raynos","author":"=raynos","date":"2012-10-03 "},{"name":"cached-readfile","description":"cached read file","url":null,"keywords":"readfile cached","version":"0.0.1","words":"cached-readfile cached read file =mattmueller readfile cached","author":"=mattmueller","date":"2013-09-01 "},{"name":"cached-resolver","description":"Resolve URLs and cache results to Redis","url":null,"keywords":"","version":"0.1.0","words":"cached-resolver resolve urls and cache results to redis =andris","author":"=andris","date":"2014-01-15 "},{"name":"cached-tape","description":"A cached version of tape","url":null,"keywords":"","version":"2.0.0","words":"cached-tape a cached version of tape =raynos","author":"=raynos","date":"2014-08-17 "},{"name":"cachedfs","description":"Caching wrapper for node.js' built-in fs module (or compatible)","url":null,"keywords":"","version":"0.3.3","words":"cachedfs caching wrapper for node.js' built-in fs module (or compatible) =papandreou","author":"=papandreou","date":"2013-10-08 "},{"name":"cachedir","description":"node-cachedir =============","url":null,"keywords":"","version":"0.1.0","words":"cachedir node-cachedir ============= =linusu","author":"=linusu","date":"2013-09-26 "},{"name":"cachee","description":"A full-featured caching module for node.js","url":null,"keywords":"storage cache memcache","version":"0.0.1","words":"cachee a full-featured caching module for node.js =junl storage cache memcache","author":"=junl","date":"2014-09-05 "},{"name":"cacheify","description":"Wraps browserify transforms in a caching stream.","url":null,"keywords":"browserify cache transform","version":"0.4.0","words":"cacheify wraps browserify transforms in a caching stream. =bockit browserify cache transform","author":"=bockit","date":"2014-02-23 "},{"name":"cacheio","description":"Cache library for in-memory caching of data coming from backends","url":null,"keywords":"cache lib data store io","version":"0.5.1","words":"cacheio cache library for in-memory caching of data coming from backends =codebutcher cache lib data store io","author":"=codebutcher","date":"2011-11-01 "},{"name":"cacheit","description":"A simple Redis cache","url":null,"keywords":"","version":"0.3.0","words":"cacheit a simple redis cache =andrewjstone","author":"=andrewjstone","date":"2012-03-26 "},{"name":"cachejs","description":"Implementation of async LRU and ARC cache.","url":null,"keywords":"cache lru arc","version":"0.1.24","words":"cachejs implementation of async lru and arc cache. =michieljoris cache lru arc","author":"=michieljoris","date":"2014-09-10 "},{"name":"cachelicious","description":"Delicious Node.js file stream cacher and HTTP cache server","url":null,"keywords":"stream cache http server","version":"0.0.2","words":"cachelicious delicious node.js file stream cacher and http cache server =cblage stream cache http server","author":"=cblage","date":"2012-09-12 "},{"name":"cachelink-service","description":"This service fronts a Redis cache and adds the ability to set cache key associations. It should be used primarily for *sets* and *clears*. Gets should always go directly to Redis in production for fast access.","url":null,"keywords":"","version":"2.0.1","words":"cachelink-service this service fronts a redis cache and adds the ability to set cache key associations. it should be used primarily for *sets* and *clears*. gets should always go directly to redis in production for fast access. =ralouphie","author":"=ralouphie","date":"2014-09-03 "},{"name":"cacheman","description":"Small and efficient cache provider for Node.JS with In-memory, Redis and MongoDB engines","url":null,"keywords":"cache file redis memory mongodb caching mongo store ttl middleware","version":"1.0.3","words":"cacheman small and efficient cache provider for node.js with in-memory, redis and mongodb engines =cayasso cache file redis memory mongodb caching mongo store ttl middleware","author":"=cayasso","date":"2014-07-15 "},{"name":"cacheman-file","description":"File caching library for Node.JS and also cache engine for cacheman","url":null,"keywords":"cache file caching store ttl cacheman","version":"0.0.8","words":"cacheman-file file caching library for node.js and also cache engine for cacheman =anaptfox cache file caching store ttl cacheman","author":"=anaptfox","date":"2014-02-11 "},{"name":"cacheman-memory","description":"In-memory caching library for Node.JS and also cache engine for cacheman","url":null,"keywords":"cache memory caching store ttl cacheman","version":"0.1.2","words":"cacheman-memory in-memory caching library for node.js and also cache engine for cacheman =cayasso cache memory caching store ttl cacheman","author":"=cayasso","date":"2014-02-08 "},{"name":"cacheman-mongo","description":"MongoDB standalone caching library for Node.JS and also cache engine for cacheman","url":null,"keywords":"cache mongodb caching mongo store ttl cacheman","version":"0.1.0","words":"cacheman-mongo mongodb standalone caching library for node.js and also cache engine for cacheman =cayasso cache mongodb caching mongo store ttl cacheman","author":"=cayasso","date":"2013-11-13 "},{"name":"cacheman-redis","description":"Redis standalone caching library for Node.JS and also cache engine for Cacheman","url":null,"keywords":"cache redis caching store ttl cacheman","version":"0.1.1","words":"cacheman-redis redis standalone caching library for node.js and also cache engine for cacheman =cayasso cache redis caching store ttl cacheman","author":"=cayasso","date":"2014-03-23 "},{"name":"cachemanager","description":"Manages a cache","url":null,"keywords":"cache memory","version":"0.0.5","words":"cachemanager manages a cache =greggman cache memory","author":"=greggman","date":"2014-07-24 "},{"name":"cachemere","description":"A nice, smooth, cushiony layer of cache","url":null,"keywords":"cache caching server fs cachemere cashmere","version":"0.9.13","words":"cachemere a nice, smooth, cushiony layer of cache =topcloudsystems cache caching server fs cachemere cashmere","author":"=topcloudsystems","date":"2014-04-30 "},{"name":"cacheout","description":"High performance http client and server output caching for node.js express","url":null,"keywords":"cache node cache express cache http cache etag cache-control vary static cache","version":"0.1.3","words":"cacheout high performance http client and server output caching for node.js express =ashleybrener cache node cache express cache http cache etag cache-control vary static cache","author":"=ashleybrener","date":"2013-09-25 "},{"name":"cachepuncher","description":"Punch browser caching right in the cache","url":null,"keywords":"","version":"0.1.2","words":"cachepuncher punch browser caching right in the cache =ronkorving","author":"=ronkorving","date":"2013-11-26 "},{"name":"cacher","description":"A memcached backed http cache in the form of express middleware","url":null,"keywords":"memcached cache middleware express http-caching","version":"1.1.2","words":"cacher a memcached backed http cache in the form of express middleware =addisonj memcached cache middleware express http-caching","author":"=addisonj","date":"2014-06-27 "},{"name":"cacher-memcached","description":"A pluggable backend for Cacher that uses memcached","url":null,"keywords":"cacher memcached http-caching","version":"0.0.2","words":"cacher-memcached a pluggable backend for cacher that uses memcached =addisonj cacher memcached http-caching","author":"=addisonj","date":"2013-06-02 "},{"name":"cacher-nedb","description":"A pluggable backend for Cacher that uses nedb","url":null,"keywords":"cacher nedb http-caching","version":"0.0.4","words":"cacher-nedb a pluggable backend for cacher that uses nedb =skiltz cacher nedb http-caching","author":"=skiltz","date":"2014-04-23 "},{"name":"cacher-redis","description":"A pluggable backend for Cacher that uses redis","url":null,"keywords":"cacher redis http-caching","version":"0.0.1","words":"cacher-redis a pluggable backend for cacher that uses redis =addisonj cacher redis http-caching","author":"=addisonj","date":"2013-06-02 "},{"name":"caches","description":"NodeJS Cache Abstraction","url":null,"keywords":"cache","version":"0.0.1-5","words":"caches nodejs cache abstraction =dresende cache","author":"=dresende","date":"2012-02-09 "},{"name":"cacheskin","description":"cache consistency manager in Node.js.","url":null,"keywords":"cache consistency manager","version":"0.1.0","words":"cacheskin cache consistency manager in node.js. =aleafs cache consistency manager","author":"=aleafs","date":"2012-10-29 "},{"name":"cachet","description":"Tiny Caching functions designed to expire ts content either by duration or date object.","url":null,"keywords":"","version":"0.0.1","words":"cachet tiny caching functions designed to expire ts content either by duration or date object. =maurerdotme","author":"=maurerdotme","date":"2011-11-06 "},{"name":"cachetree","description":"A scoped, fluent API for easily interacting with hierarchical, key-value data","url":null,"keywords":"cache tree hierarchy scoped key-value keyvalue hash dict dictionary","version":"1.3.0","words":"cachetree a scoped, fluent api for easily interacting with hierarchical, key-value data =davidwood cache tree hierarchy scoped key-value keyvalue hash dict dictionary","author":"=davidwood","date":"2013-04-08 "},{"name":"cachetree-redis","description":"Redis storage backend for Cachetree","url":null,"keywords":"cache tree cachetree redis","version":"1.2.0","words":"cachetree-redis redis storage backend for cachetree =davidwood cache tree cachetree redis","author":"=davidwood","date":"2013-04-08 "},{"name":"cacheup","description":"A general purpose cache library","url":null,"keywords":"cache redis","version":"0.4.0","words":"cacheup a general purpose cache library =laoshanlung cache redis","author":"=laoshanlung","date":"2014-02-18 "},{"name":"cachew","url":null,"keywords":"","version":"0.0.1","words":"cachew =shenanigans","author":"=shenanigans","date":"2014-08-13 "},{"name":"cachey","description":"Redis Based Cache Facilitator","url":null,"keywords":"cache redis","version":"0.3.2","words":"cachey redis based cache facilitator =bencevans cache redis","author":"=bencevans","date":"2013-03-05 "},{"name":"cachifest","description":"A command line tool for watching for a directory and updating manifest files on changes","url":null,"keywords":"","version":"0.1.0","words":"cachifest a command line tool for watching for a directory and updating manifest files on changes =wicked","author":"=wicked","date":"2013-04-05 "},{"name":"cachify","description":"A HTML5 Cache Manifest Genorator.","url":null,"keywords":"HTML5 cache manifest cache manifest appcache","version":"0.0.5","words":"cachify a html5 cache manifest genorator. =ariporad html5 cache manifest cache manifest appcache","author":"=ariporad","date":"2013-03-17 "},{"name":"caching","description":"Easier caching in node.js","url":null,"keywords":"","version":"0.1.4","words":"caching easier caching in node.js =mape","author":"=mape","date":"2011-09-06 "},{"name":"caching-agent","keywords":"","version":[],"words":"caching-agent","author":"","date":"2014-08-02 "},{"name":"caching-coffeeify","description":"A coffeeify version that caches previously compiled coffee-script to optimize the coffee-script compilation step.","url":null,"keywords":"coffee-script browserify v2 js plugin transform cache optimize","version":"0.4.0","words":"caching-coffeeify a coffeeify version that caches previously compiled coffee-script to optimize the coffee-script compilation step. =thlorenz coffee-script browserify v2 js plugin transform cache optimize","author":"=thlorenz","date":"2014-06-27 "},{"name":"cachon","description":"Redis cache for lazies.","url":null,"keywords":"","version":"0.0.1","words":"cachon redis cache for lazies. =timisbusy","author":"=timisbusy","date":"2013-05-13 "},{"name":"cachou","description":"Simple and fast cache module based on redis.","url":null,"keywords":"redis cache key value","version":"0.2.3","words":"cachou simple and fast cache module based on redis. =neoziro redis cache key value","author":"=neoziro","date":"2014-05-07 "},{"name":"cachy","description":"Simple cache of keys and javascript objects as json, uses other modules to provide storage","url":null,"keywords":"cachy cache simple","version":"0.0.4","words":"cachy simple cache of keys and javascript objects as json, uses other modules to provide storage =tleen cachy cache simple","author":"=tleen","date":"2014-02-07 "},{"name":"cachy-default","description":"Default storage for cachy cache if none is given (throws errors about storage config)","url":null,"keywords":"cachy cache simple","version":"0.0.3","words":"cachy-default default storage for cachy cache if none is given (throws errors about storage config) =tleen cachy cache simple","author":"=tleen","date":"2014-02-05 "},{"name":"cachy-filesystem","description":"Filesystem based storage for cachy caches","url":null,"keywords":"cache cachy filesystem simple","version":"0.0.5","words":"cachy-filesystem filesystem based storage for cachy caches =tleen cache cachy filesystem simple","author":"=tleen","date":"2014-02-07 "},{"name":"cachy-memory","description":"Memory based storage for cachy caches","url":null,"keywords":"cache cachy memory simple","version":"0.0.3","words":"cachy-memory memory based storage for cachy caches =tleen cache cachy memory simple","author":"=tleen","date":"2014-02-17 "},{"name":"cachy-memory-persistent","description":"Flushable/loadable memory based storage for cachy caches","url":null,"keywords":"cache cachy memory persistent simple","version":"0.0.2","words":"cachy-memory-persistent flushable/loadable memory based storage for cachy caches =tleen cache cachy memory persistent simple","author":"=tleen","date":"2014-02-17 "},{"name":"cackle-sync","description":"Sync comments with Cackle service http://cackle.me","url":null,"keywords":"cackle comments sync","version":"0.0.3","words":"cackle-sync sync comments with cackle service http://cackle.me =danilaws cackle comments sync","author":"=danilaws","date":"2014-06-03 "},{"name":"cacti-host-updown-monitor","description":"If use cacti, this node module will send alarm email when server down","url":null,"keywords":"cacti monitor updown alarm","version":"0.0.2","words":"cacti-host-updown-monitor if use cacti, this node module will send alarm email when server down =jasoncheng cacti monitor updown alarm","author":"=jasoncheng","date":"2012-08-02 "},{"name":"cactu","description":"Cactu is a CSS library to create web styles easily to SASS","url":null,"keywords":"scss css mixins","version":"0.1.2","words":"cactu cactu is a css library to create web styles easily to sass =giovanni_mendoza scss css mixins","author":"=giovanni_mendoza","date":"2014-05-01 "},{"name":"cactus","description":"lightweight layer for node.js","url":null,"keywords":"","version":"0.0.6","words":"cactus lightweight layer for node.js =anthonydm","author":"=anthonydm","date":"2014-06-25 "},{"name":"cactus.js","description":"lightweight layer for node.js","url":null,"keywords":"","version":"0.0.3","words":"cactus.js lightweight layer for node.js =anthonydm","author":"=anthonydm","date":"2014-06-25 "},{"name":"cadabra","description":"A NodeJS wrapper for ImageMagick using the mogrify command line program.","url":null,"keywords":"image imagemagick magick mogrify","version":"0.0.1","words":"cadabra a nodejs wrapper for imagemagick using the mogrify command line program. =fabricelejeune image imagemagick magick mogrify","author":"=fabricelejeune","date":"2012-04-17 "},{"name":"caddis","description":"Caddis --- > On-The-Fly Mock JSON Server","url":null,"keywords":"","version":"0.4.4","words":"caddis caddis --- > on-the-fly mock json server =bustardcelly","author":"=bustardcelly","date":"2014-03-13 "},{"name":"caddy","description":"caddy =====","url":null,"keywords":"","version":"0.0.13","words":"caddy caddy ===== =ainsleychong","author":"=ainsleychong","date":"2013-11-28 "},{"name":"cade","description":"Jade/Blade inspired template compiler for coffee-script fans [early commits]","url":null,"keywords":"coffee-script jade blade templates","version":"0.0.1","words":"cade jade/blade inspired template compiler for coffee-script fans [early commits] =artazor coffee-script jade blade templates","author":"=artazor","date":"2014-01-27 "},{"name":"cade-meu-fretado","description":"App para sabe a localização do fretado em tempo real.","url":null,"keywords":"","version":"0.0.6","words":"cade-meu-fretado app para sabe a localização do fretado em tempo real. =eher","author":"=eher","date":"2013-09-05 "},{"name":"cadeau","description":"A slide management system for Javascript presentation frameworks","url":null,"keywords":"presentations slides","version":"0.4.0","words":"cadeau a slide management system for javascript presentation frameworks =mtiller presentations slides","author":"=mtiller","date":"2014-07-17 "},{"name":"cadence","description":"A Swiss Army asynchronous control flow function for highly-parallel control flows.","url":null,"keywords":"async asynchronous control flow loop micro-js step callback","version":"0.0.42","words":"cadence a swiss army asynchronous control flow function for highly-parallel control flows. =bigeasy async asynchronous control flow loop micro-js step callback","author":"=bigeasy","date":"2014-09-20 "},{"name":"cadfael","keywords":"","version":[],"words":"cadfael","author":"","date":"2013-04-01 "},{"name":"cadfael-cli","keywords":"","version":[],"words":"cadfael-cli","author":"","date":"2013-03-24 "},{"name":"cadigan","description":"a blog engine","url":null,"keywords":"cli blog","version":"1.3.2","words":"cadigan a blog engine =nathanielksmith cli blog","author":"=nathanielksmith","date":"2012-08-26 "},{"name":"cadvisor","description":"a basic cadvisor HTTP API client","url":null,"keywords":"cadvsior","version":"0.1.2","words":"cadvisor a basic cadvisor http api client =binocarlos cadvsior","author":"=binocarlos","date":"2014-08-27 "},{"name":"caesar","description":"An easy-to-use advanced cryptography library.","url":null,"keywords":"encryption decryption searchable deterministic authenticated commitments rsa siv xts opse sse rsse hors merkle","version":"1.1.12","words":"caesar an easy-to-use advanced cryptography library. =bren2010 encryption decryption searchable deterministic authenticated commitments rsa siv xts opse sse rsse hors merkle","author":"=bren2010","date":"2014-08-30 "},{"name":"caesar-cipher","description":"Useless but fun. A quick implementation of the Caesar Cipher.","url":null,"keywords":"cipher caesar","version":"0.1.0","words":"caesar-cipher useless but fun. a quick implementation of the caesar cipher. =brianleroux cipher caesar","author":"=brianleroux","date":"2013-08-06 "},{"name":"caesar-ciphers","description":"This project have reached end-of-life, please use 'caesar-salad' instead.","url":null,"keywords":"ceasar chipher cli","version":"0.1.3","words":"caesar-ciphers this project have reached end-of-life, please use 'caesar-salad' instead. =schnittstabil ceasar chipher cli","author":"=schnittstabil","date":"2014-08-03 "},{"name":"caesar-salad","description":"Caesar, Vigenere and ROT Cipher.","url":null,"keywords":"Caesar Cipher Vigenere ROT ROT13 ROT18 ROT47 ROT5","version":"0.1.6","words":"caesar-salad caesar, vigenere and rot cipher. =schnittstabil caesar cipher vigenere rot rot13 rot18 rot47 rot5","author":"=schnittstabil","date":"2014-09-12 "},{"name":"caesium","keywords":"","version":[],"words":"caesium","author":"","date":"2013-08-25 "},{"name":"caevents","description":"'Catch all events' event emitter for node.js","url":null,"keywords":"","version":"0.0.2","words":"caevents 'catch all events' event emitter for node.js =pureppl","author":"=pureppl","date":"2012-04-13 "},{"name":"caf_ardrone","description":"Cloud Assistants lib to interact with ARDrone hardware","url":null,"keywords":"","version":"0.0.19","words":"caf_ardrone cloud assistants lib to interact with ardrone hardware =antlai","author":"=antlai","date":"2013-11-21 "},{"name":"caf_ardrone_setup","description":"Firmware drone changes to support caf_ardrone","url":null,"keywords":"","version":"0.0.4","words":"caf_ardrone_setup firmware drone changes to support caf_ardrone =antlai","author":"=antlai","date":"2013-07-29 "},{"name":"caf_cli","description":"Cloud Assistants lib for interacting as a client of other CA","url":null,"keywords":"","version":"0.0.5","words":"caf_cli cloud assistants lib for interacting as a client of other ca =antlai","author":"=antlai","date":"2013-11-26 "},{"name":"caf_conduit","description":"Cloud Assistants lib for orchestrating asynchronous tasks.","url":null,"keywords":"","version":"0.0.8","words":"caf_conduit cloud assistants lib for orchestrating asynchronous tasks. =antlai","author":"=antlai","date":"2014-05-01 "},{"name":"caf_core","description":"Cloud Assistant Framework Core","url":null,"keywords":"","version":"0.0.9","words":"caf_core cloud assistant framework core =antlai","author":"=antlai","date":"2014-06-22 "},{"name":"caf_deploy","description":"Cloud Assistants lib for deploying apps in CF","url":null,"keywords":"","version":"0.0.6","words":"caf_deploy cloud assistants lib for deploying apps in cf =antlai","author":"=antlai","date":"2013-12-05 "},{"name":"caf_examples","description":"Cloud Assistant Framework Examples","url":null,"keywords":"","version":"0.0.4","words":"caf_examples cloud assistant framework examples =antlai","author":"=antlai","date":"2013-01-30 "},{"name":"caf_hellodrone_cli","description":"Cloud Assistants minimal drone example (code running in drone)","url":null,"keywords":"","version":"0.0.11","words":"caf_hellodrone_cli cloud assistants minimal drone example (code running in drone) =antlai","author":"=antlai","date":"2013-11-21 "},{"name":"caf_helloworld","description":"Cloud Assistants minimal Example ","url":null,"keywords":"","version":"0.0.1","words":"caf_helloworld cloud assistants minimal example =antlai","author":"=antlai","date":"2014-06-22 "},{"name":"caf_idol","description":"Wrapper to IDOL on Demand APIs","url":null,"keywords":"","version":"0.0.3","words":"caf_idol wrapper to idol on demand apis =antlai","author":"=antlai","date":"2014-05-01 "},{"name":"caf_imap","description":"Cloud Assistants lib for accessing an imap mail server","url":null,"keywords":"","version":"0.0.1","words":"caf_imap cloud assistants lib for accessing an imap mail server =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_iot","description":"Enables simple interactions between a CA and a gadget of the IoT","url":null,"keywords":"","version":"0.0.3","words":"caf_iot enables simple interactions between a ca and a gadget of the iot =antlai","author":"=antlai","date":"2013-12-04 "},{"name":"caf_iot_cli","description":"Cloud Assistants lib for IoT devices that interact with CAs using node.js","url":null,"keywords":"","version":"0.0.4","words":"caf_iot_cli cloud assistants lib for iot devices that interact with cas using node.js =antlai","author":"=antlai","date":"2013-07-25 "},{"name":"caf_piface","description":"Cloud Assistants lib to interact with Pi-Face hardware","url":null,"keywords":"","version":"0.0.1","words":"caf_piface cloud assistants lib to interact with pi-face hardware =antlai","author":"=antlai","date":"2013-02-17 "},{"name":"caf_profiler","description":"Performance profiling of CAF","url":null,"keywords":"","version":"0.0.1","words":"caf_profiler performance profiling of caf =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_prop","description":"Exposes statically defined properties to all CAs","url":null,"keywords":"","version":"0.0.1","words":"caf_prop exposes statically defined properties to all cas =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_pubsub","description":"Cloud Assistants lib for a Redis based publish/subscribe","url":null,"keywords":"","version":"0.0.1","words":"caf_pubsub cloud assistants lib for a redis based publish/subscribe =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_pull","description":"Cloud Assistants lib for caching locally external resources","url":null,"keywords":"","version":"0.0.1","words":"caf_pull cloud assistants lib for caching locally external resources =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_security","description":"Cloud Assistants security lib","url":null,"keywords":"","version":"0.0.2","words":"caf_security cloud assistants security lib =antlai","author":"=antlai","date":"2013-12-04 "},{"name":"caf_session","description":"Cloud Assistants lib for supporting logical/persistent sessions","url":null,"keywords":"","version":"0.0.1","words":"caf_session cloud assistants lib for supporting logical/persistent sessions =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_sharing","description":"Cloud Assistants lib for efficient sharing of data and code among CAs (single writer/ multiple reader) using the Sharing Actors paradigm","url":null,"keywords":"","version":"0.0.1","words":"caf_sharing cloud assistants lib for efficient sharing of data and code among cas (single writer/ multiple reader) using the sharing actors paradigm =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"caf_sim","description":"Simulates an http router in Cloud Foundry to allow local debugging","url":null,"keywords":"","version":"0.0.1","words":"caf_sim simulates an http router in cloud foundry to allow local debugging =antlai","author":"=antlai","date":"2013-01-16 "},{"name":"cafe","description":"Rails' view helpers and core extensions ported to Coffeescript","url":null,"keywords":"date date-helper rails","version":"0.0.6","words":"cafe rails' view helpers and core extensions ported to coffeescript =markhuetsch date date-helper rails","author":"=markhuetsch","date":"2013-02-19 "},{"name":"cafe-au-lait","description":"A node.js library for the to-do list software Remember the Milk","url":null,"keywords":"","version":"0.0.3","words":"cafe-au-lait a node.js library for the to-do list software remember the milk =lazerwalker","author":"=lazerwalker","date":"2013-06-22 "},{"name":"cafe4","description":"Client-side applications build tool","url":null,"keywords":"","version":"0.1.14","words":"cafe4 client-side applications build tool =eugene","author":"=eugene","date":"2014-06-20 "},{"name":"cafe4-utils","description":"Utils for cafe4 build system","url":null,"keywords":"cafe4 build system","version":"0.0.1","words":"cafe4-utils utils for cafe4 build system =alexander cafe4 build system","author":"=alexander","date":"2013-07-31 "},{"name":"cafeina","url":null,"keywords":"","version":"0.0.0","words":"cafeina =joaoafrmartins","author":"=joaoafrmartins","date":"2014-04-06 "},{"name":"cafesuada","description":"A CoffeeScript-based MVC framework built on top of ExpressJS.","url":null,"keywords":"","version":"0.0.2","words":"cafesuada a coffeescript-based mvc framework built on top of expressjs. =vutran","author":"=vutran","date":"2013-11-22 "},{"name":"cafetiere","description":"A static file compacter supporting CoffeeScript, Stylus and CoffeeCup files","url":null,"keywords":"","version":"0.1.0","words":"cafetiere a static file compacter supporting coffeescript, stylus and coffeecup files =adriantoine","author":"=adriantoine","date":"2012-12-17 "},{"name":"caffeinated-parameters","description":"Handle positional, named, and type-delimited arguments within coffeescript functions.","url":null,"keywords":"javascript function arguments","version":"0.1.4","words":"caffeinated-parameters handle positional, named, and type-delimited arguments within coffeescript functions. =ckirby javascript function arguments","author":"=ckirby","date":"2013-02-11 "},{"name":"caffeine","description":"Unfancy JavaScript powered by CoffeeScript Caffeine","url":null,"keywords":"javascript language coffeescript caffeine compiler","version":"0.2.7","words":"caffeine unfancy javascript powered by coffeescript caffeine =ich javascript language coffeescript caffeine compiler","author":"=ich","date":"2012-09-28 "},{"name":"cage","keywords":"","version":[],"words":"cage","author":"","date":"2013-10-25 "},{"name":"cagematch","description":"","url":null,"keywords":"","version":"0.0.0","words":"cagematch =robashton","author":"=robashton","date":"2013-12-06 "},{"name":"cagination","description":"A Mongoose helper to simplify the pagination process.","url":null,"keywords":"paginate paging pagination caginate cagination pages mongoose mongodb","version":"0.1.1","words":"cagination a mongoose helper to simplify the pagination process. =hemphillcc paginate paging pagination caginate cagination pages mongoose mongodb","author":"=hemphillcc","date":"2014-08-15 "},{"name":"cah","description":"CAH game server, similar to Cards Against Humanity","url":null,"keywords":"","version":"1.0.0","words":"cah cah game server, similar to cards against humanity =mappu","author":"=mappu","date":"2014-04-25 "},{"name":"cah-cards","description":"CAH cards in JSON format","url":null,"keywords":"","version":"0.1.0","words":"cah-cards cah cards in json format =phated","author":"=phated","date":"2014-02-02 "},{"name":"cahier","description":"Static file conversion, writing and reading","url":null,"keywords":"static file directory folder convert gzip compress read write copy","version":"0.3.6","words":"cahier static file conversion, writing and reading =andreasmadsen static file directory folder convert gzip compress read write copy","author":"=andreasmadsen","date":"2013-02-25 "},{"name":"caisson","description":"Deploy your static website to AWS","url":null,"keywords":"aws s3 route 53 cloudfront static site generator static website jekyll wintersmith octopress","version":"0.1.3","words":"caisson deploy your static website to aws =christophercliff aws s3 route 53 cloudfront static site generator static website jekyll wintersmith octopress","author":"=christophercliff","date":"2013-10-05 "},{"name":"caizhenbo","description":"this is a testpage by publish","url":null,"keywords":"","version":"0.0.1","words":"caizhenbo this is a testpage by publish =caizhenbo","author":"=caizhenbo","date":"2014-02-24 "},{"name":"caja-html-sanitizer","description":"Caja HTML sanitizer as nodejs module","url":null,"keywords":"html santizier xss","version":"0.1.1","words":"caja-html-sanitizer caja html sanitizer as nodejs module =nadav html santizier xss","author":"=nadav","date":"2014-07-08 "},{"name":"caja-sanitizer","description":"Caja's stand-alone HTML sanitizer for node","url":null,"keywords":"","version":"0.1.2","words":"caja-sanitizer caja's stand-alone html sanitizer for node =jgillich","author":"=jgillich","date":"2014-01-08 "},{"name":"cajole","description":"coax data into formats","url":null,"keywords":"model coerce cast format gusto","version":"0.1.0","words":"cajole coax data into formats =quarterto model coerce cast format gusto","author":"=quarterto","date":"2014-08-16 "},{"name":"cajon","description":"A browser module loader that can load CommonJS/node and AMD modules. Built on top of RequireJS.","url":null,"keywords":"","version":"0.2.5","words":"cajon a browser module loader that can load commonjs/node and amd modules. built on top of requirejs. =jrburke","author":"=jrburke","date":"2014-09-08 "},{"name":"cake","description":"Coffee-Script's Make","url":null,"keywords":"coffeescript","version":"0.1.1","words":"cake coffee-script's make =shimaore coffeescript","author":"=shimaore","date":"2013-10-15 "},{"name":"cake-affiliate-api","description":"Cake Affiliate API for Node.js","url":null,"keywords":"cake api affiliate advertisement marketing","version":"0.0.3","words":"cake-affiliate-api cake affiliate api for node.js =estliberitas cake api affiliate advertisement marketing","author":"=estliberitas","date":"2014-07-07 "},{"name":"cake-angular-interceptors","description":"transform between serialised CakePHP JSON and object/subobject JSON","url":null,"keywords":"","version":"0.0.10","words":"cake-angular-interceptors transform between serialised cakephp json and object/subobject json =howlingeverett","author":"=howlingeverett","date":"2014-09-19 "},{"name":"cake-angular-transform","description":"transform between serialised CakePHP JSON and object/subobject JSON","url":null,"keywords":"","version":"0.0.3","words":"cake-angular-transform transform between serialised cakephp json and object/subobject json =howlingeverett","author":"=howlingeverett","date":"2014-08-18 "},{"name":"cake-async","description":"Asynchronous tasks for Cakefiles","url":null,"keywords":"","version":"0.1.0","words":"cake-async asynchronous tasks for cakefiles =ricardobeat","author":"=ricardobeat","date":"2013-01-06 "},{"name":"cake-bins","description":"small DSL for cakefiles to include binaries from node_modules/.bin","url":null,"keywords":"cake coffee-script build cakefile addon dsl","version":"0.1.0","words":"cake-bins small dsl for cakefiles to include binaries from node_modules/.bin =sableloki cake coffee-script build cakefile addon dsl","author":"=sableloki","date":"2014-07-29 "},{"name":"cake-db","description":"A database migrate module with cake task","url":null,"keywords":"","version":"0.1.3","words":"cake-db a database migrate module with cake task =sailxjx","author":"=sailxjx","date":"2013-08-28 "},{"name":"cake-dog","description":"A loyal friend help for watching your CoffeeScript files","url":null,"keywords":"cake coffee nodejs task","version":"0.4.4","words":"cake-dog a loyal friend help for watching your coffeescript files =sailxjx cake coffee nodejs task","author":"=sailxjx","date":"2014-08-29 "},{"name":"cakehelper","description":"Utility library for easing the setup of a projects cake tasks.","url":null,"keywords":"","version":"0.0.1","words":"cakehelper utility library for easing the setup of a projects cake tasks. =whenraptorsattack","author":"=whenraptorsattack","date":"2013-03-06 "},{"name":"cakemail-api-wrapper","description":"A NodeJS consumer of CakeMail's API","url":null,"keywords":"","version":"0.0.1","words":"cakemail-api-wrapper a nodejs consumer of cakemail's api =cjoudrey","author":"=cjoudrey","date":"2012-05-07 "},{"name":"cakepop","description":"CoffeScript Cake extensions.","url":null,"keywords":"coffeescript cake utils","version":"0.1.2","words":"cakepop coffescript cake extensions. =ryan.roemer coffeescript cake utils","author":"=ryan.roemer","date":"2013-08-20 "},{"name":"cakes","description":"A simple class-like interface to Javascript prototypal inheritance.","url":null,"keywords":"class class-like prototypal","version":"1.0.1","words":"cakes a simple class-like interface to javascript prototypal inheritance. =a15819620038 class class-like prototypal","author":"=a15819620038","date":"2014-08-19 "},{"name":"cakewalk","description":"Cakewalk is a tool designed for rapid frontend web prototyping.","url":null,"keywords":"","version":"0.2.3","words":"cakewalk cakewalk is a tool designed for rapid frontend web prototyping. =roshambo","author":"=roshambo","date":"2013-01-24 "},{"name":"cal-heatmap","description":"Cal-Heatmap is a javascript module to create calendar heatmap to visualize time series data","url":null,"keywords":"calendar graph d3js heat map","version":"3.4.0","words":"cal-heatmap cal-heatmap is a javascript module to create calendar heatmap to visualize time series data =kamisama calendar graph d3js heat map","author":"=kamisama","date":"2014-02-02 "},{"name":"calabash","description":"Calabash offsers a shortcut for bash command-lines","url":null,"keywords":"bash command-line","version":"0.1.2","words":"calabash calabash offsers a shortcut for bash command-lines =jiyinyiyong bash command-line","author":"=jiyinyiyong","date":"2014-02-20 "},{"name":"calacitizen-github-example","description":"Get a list of github repos","url":null,"keywords":"","version":"0.1.0","words":"calacitizen-github-example get a list of github repos =calacitizen-example","author":"=calacitizen-example","date":"2012-09-08 "},{"name":"calais","description":"Semantically analyze text using the Calais web service. Original project http://github.com/mcantelon/node-calais","url":null,"keywords":"","version":"0.3.2","words":"calais semantically analyze text using the calais web service. original project http://github.com/mcantelon/node-calais =mcantelon","author":"=mcantelon","date":"2014-08-24 "},{"name":"calamity","description":"An event bus library for event-driven applications.","url":null,"keywords":"events pubsub","version":"0.5.0-rc.7","words":"calamity an event bus library for event-driven applications. =kennethjor events pubsub","author":"=kennethjor","date":"2014-08-22 "},{"name":"calaxa","description":"calaxa ======","url":null,"keywords":"yeoman-generator sass compass watch grunt jade livereload","version":"0.0.1","words":"calaxa calaxa ====== =apathetic yeoman-generator sass compass watch grunt jade livereload","author":"=apathetic","date":"2013-05-14 "},{"name":"calc","description":"Simple cmd line calculator","url":null,"keywords":"math calculator arithmetic","version":"0.0.2","words":"calc simple cmd line calculator =goatslacker math calculator arithmetic","author":"=goatslacker","date":"2011-11-23 "},{"name":"calc_functions","description":"First node test","url":null,"keywords":"math example","version":"0.0.2","words":"calc_functions first node test =neil800 math example","author":"=neil800","date":"2014-07-12 "},{"name":"calc_jk","description":"Test node package","url":null,"keywords":"trash unuseful","version":"0.0.1","words":"calc_jk test node package =jkacalak trash unuseful","author":"=jkacalak","date":"2013-10-04 "},{"name":"calcdeps","description":"A Node.js port of Google Closure library calcdeps.py","url":null,"keywords":"calcdeps.py closure closure compiler calcdeps","version":"0.2.0","words":"calcdeps a node.js port of google closure library calcdeps.py =bramstein calcdeps.py closure closure compiler calcdeps","author":"=bramstein","date":"2013-01-27 "},{"name":"calcjs","description":"calcjs","url":null,"keywords":"calcjs calc math","version":"0.0.3","words":"calcjs calcjs =iyu calcjs calc math","author":"=iyu","date":"2014-05-07 "},{"name":"calcmd","description":"Commandline calculator. [DEMONSTARTION for itfactory's node.js course.]","url":null,"keywords":"calculator","version":"1.0.0","words":"calcmd commandline calculator. [demonstartion for itfactory's node.js course.] =schwarzkopfb calculator","author":"=schwarzkopfb","date":"2013-08-23 "},{"name":"calculable","keywords":"","version":[],"words":"calculable","author":"","date":"2014-04-05 "},{"name":"calculadora","description":"Es una calculadora de ejemplo con node.js","url":null,"keywords":"matematicas suma","version":"1.0.1","words":"calculadora es una calculadora de ejemplo con node.js =p_kos matematicas suma","author":"=p_kos","date":"2013-12-11 "},{"name":"calculate","description":"Certains calculate","url":null,"keywords":"","version":"0.0.0","words":"calculate certains calculate =gcall","author":"=gcall","date":"2014-05-26 "},{"name":"calculate-assets","description":"Calculate the path to an 'assets' or 'public' directory from dest files. Determines whether or not the path should have a trailing slash making it safe to use in templates.","url":null,"keywords":"path public assets calculate","version":"0.1.2","words":"calculate-assets calculate the path to an 'assets' or 'public' directory from dest files. determines whether or not the path should have a trailing slash making it safe to use in templates. =jonschlinkert path public assets calculate","author":"=jonschlinkert","date":"2014-05-31 "},{"name":"calculator","description":"simple cli calculator","url":null,"keywords":"calc calculator calculus","version":"0.1.12","words":"calculator simple cli calculator =saamyjoon calc calculator calculus","author":"=saamyjoon","date":"2014-03-03 "},{"name":"calculator-gokmen","url":null,"keywords":"","version":"0.0.1","words":"calculator-gokmen =tolgagokmen","author":"=tolgagokmen","date":"2014-06-01 "},{"name":"calculator-module-example","description":"Calculator Module Example","url":null,"keywords":"","version":"0.0.0","words":"calculator-module-example calculator module example =rahmanusta","author":"=rahmanusta","date":"2014-04-20 "},{"name":"calculator-ned","url":null,"keywords":"","version":"0.0.1","words":"calculator-ned =nedelingg","author":"=nedelingg","date":"2013-08-09 "},{"name":"calculator-usta","url":null,"keywords":"","version":"0.0.1","words":"calculator-usta =rahmanusta","author":"=rahmanusta","date":"2014-06-01 "},{"name":"calculator-yucesoy","url":null,"keywords":"","version":"1.0.0","words":"calculator-yucesoy =yucesoy","author":"=yucesoy","date":"2014-06-01 "},{"name":"calculator_example","description":"An example of creating package","url":null,"keywords":"math example addition subtraction multiplication division","version":"0.0.0","words":"calculator_example an example of creating package =samir.shnino math example addition subtraction multiplication division","author":"=samir.shnino","date":"2014-07-11 "},{"name":"calculatorex","description":"The is a calculator module.","url":null,"keywords":"add subtract","version":"0.1.1","words":"calculatorex the is a calculator module. =jeffreysun add subtract","author":"=jeffreysun","date":"2012-09-23 "},{"name":"calcultor-app","description":"calculator app","url":null,"keywords":"","version":"0.0.1","words":"calcultor-app calculator app =jeganathan","author":"=jeganathan","date":"2014-08-31 "},{"name":"caldav","description":"Node CalDAV Client","url":null,"keywords":"CalDAV Canlendar TODO","version":"0.0.1","words":"caldav node caldav client =jacksontian caldav canlendar todo","author":"=jacksontian","date":"2013-01-03 "},{"name":"calder","description":"tba","url":null,"keywords":"","version":"0.0.1","words":"calder tba =vezea","author":"=vezea","date":"2014-04-17 "},{"name":"calendar","description":"calendar generator","url":null,"keywords":"","version":"0.1.0","words":"calendar calendar generator =ramalho","author":"=ramalho","date":"2011-12-28 "},{"name":"calendar-component","description":"Calendar component","url":null,"keywords":"calendar date ui","version":"0.0.3","words":"calendar-component calendar component =tjholowaychuk calendar date ui","author":"=tjholowaychuk","date":"2012-09-21 "},{"name":"calendar-lib","description":"calendar ========","url":null,"keywords":"calendar","version":"0.0.0","words":"calendar-lib calendar ======== =kjs8469 calendar","author":"=kjs8469","date":"2013-08-02 "},{"name":"calendar-tools","description":"Calendar object model","url":null,"keywords":"calendar google calendar fullCalendar recurring events icalendar rfc2445","version":"0.3.9","words":"calendar-tools calendar object model =rauchg =retrofox calendar google calendar fullcalendar recurring events icalendar rfc2445","author":"=rauchg =retrofox","date":"2014-06-05 "},{"name":"calendarjs","description":"Javascript component to creating calendars.","url":null,"keywords":"","version":"0.0.1","words":"calendarjs javascript component to creating calendars. =sjlu","author":"=sjlu","date":"2014-06-23 "},{"name":"calendars","description":"caldav/ical calendar web app backend","url":null,"keywords":"","version":"0.0.1-alpha","words":"calendars caldav/ical calendar web app backend =gaye","author":"=gaye","date":"2014-06-25 "},{"name":"calendarth","description":"Fetch a public Google Calendar using AJAX","url":null,"keywords":"","version":"0.0.6","words":"calendarth fetch a public google calendar using ajax =thanpolas","author":"=thanpolas","date":"2014-04-11 "},{"name":"calender","description":"Simple, themable, Datepicker for Ender","url":null,"keywords":"ender calendar date datepicker datechooser","version":"1.0.3","words":"calender simple, themable, datepicker for ender =ded ender calendar date datepicker datechooser","author":"=ded","date":"2014-04-05 "},{"name":"calendr","description":"Calendar grid generator","url":null,"keywords":"calendar grid","version":"0.0.3","words":"calendr calendar grid generator =yunghwakwon calendar grid","author":"=yunghwakwon","date":"2014-05-01 "},{"name":"calibrate","description":"Provide a standard json output for RESTful APIs","url":null,"keywords":"calibrate rest api","version":"0.0.5","words":"calibrate provide a standard json output for restful apis =johnbrett calibrate rest api","author":"=johnbrett","date":"2014-08-24 "},{"name":"calico","description":"Converts files to uppercase","url":null,"keywords":"upper case file","version":"0.1.1","words":"calico converts files to uppercase =noambenami upper case file","author":"=noambenami","date":"2014-05-30 "},{"name":"calipso","description":"A NodeJS CMS","url":null,"keywords":"cms content management server mongodb","version":"0.3.50","words":"calipso a nodejs cms =cliftonc =richtera cms content management server mongodb","author":"=cliftonc =richtera","date":"2013-12-07 "},{"name":"call","description":"HTTP Router","url":null,"keywords":"HTTP router","version":"1.0.0","words":"call http router =hueniverse http router","author":"=hueniverse","date":"2014-09-14 "},{"name":"call-after-brunch","description":"A micro-plugin to run some javascript after Brunch's compile, inspired by after-brunch","url":null,"keywords":"brunch after javascript post-compile","version":"1.7.2","words":"call-after-brunch a micro-plugin to run some javascript after brunch's compile, inspired by after-brunch =huafu brunch after javascript post-compile","author":"=huafu","date":"2014-06-16 "},{"name":"call-all","description":"Call Given Async Functions In Given Order","url":null,"keywords":"async functions","version":"0.0.1","words":"call-all call given async functions in given order =azer async functions","author":"=azer","date":"2013-08-31 "},{"name":"call-conduit","description":"Call Conduit programatically","url":null,"keywords":"","version":"0.1.4","words":"call-conduit call conduit programatically =ozanturgut","author":"=ozanturgut","date":"2014-07-17 "},{"name":"call-external","description":"A powerful way to get data (http, redis, mongo)","url":null,"keywords":"","version":"0.0.2","words":"call-external a powerful way to get data (http, redis, mongo) =latenightdeveloper","author":"=latenightdeveloper","date":"2014-07-03 "},{"name":"call-log","description":"Instrument an object or class so that anytime one of its method is invoked it gets logged to the console.","url":null,"keywords":"call log instrumentation print calls print function calls function calls","version":"1.0.1","words":"call-log instrument an object or class so that anytime one of its method is invoked it gets logged to the console. =feross call log instrumentation print calls print function calls function calls","author":"=feross","date":"2014-08-07 "},{"name":"call-method","description":"Higher-order function for encapsulating method calls","url":null,"keywords":"call-method send send-method-call","version":"1.0.1","words":"call-method higher-order function for encapsulating method calls =grncdr call-method send send-method-call","author":"=grncdr","date":"2014-06-03 "},{"name":"call-watcher","description":"Node.js profiling tool that watches method calls and provides statistics reporters to analyze possible callback piling and memory problems","url":null,"keywords":"","version":"0.0.1","words":"call-watcher node.js profiling tool that watches method calls and provides statistics reporters to analyze possible callback piling and memory problems =madis","author":"=madis","date":"2013-09-09 "},{"name":"callable","description":"Callback helper with proper domain error handling","url":null,"keywords":"callback domain exception error emit callable","version":"0.1.0","words":"callable callback helper with proper domain error handling =trevorsheridan callback domain exception error emit callable","author":"=trevorsheridan","date":"2013-02-04 "},{"name":"callable-klass","description":"Allows to create constructor functions (\"classes\") that returns callable instances","url":null,"keywords":"callable","version":"0.0.1","words":"callable-klass allows to create constructor functions (\"classes\") that returns callable instances =nadav callable","author":"=nadav","date":"2013-03-29 "},{"name":"callapp","description":"launch mac application cli.","url":null,"keywords":"","version":"0.0.0","words":"callapp launch mac application cli. =fnobi","author":"=fnobi","date":"2013-08-08 "},{"name":"callback","description":"Expressive, terse, functions for aynchronous and callback functions","url":null,"keywords":"async asynchronous flow flow control step callback callbacks","version":"0.0.1","words":"callback expressive, terse, functions for aynchronous and callback functions =martypdx async asynchronous flow flow control step callback callbacks","author":"=martypdx","date":"2012-01-03 "},{"name":"callback-as-promised","description":"Don't keep promises you can't keep.","url":null,"keywords":"promise promises deferred future control flow flow control","version":"0.0.1","words":"callback-as-promised don't keep promises you can't keep. =steckel =square promise promises deferred future control flow flow control","author":"=steckel =square","date":"2013-12-04 "},{"name":"callback-count","description":"Count your callbacks before continuing. A tiny control flow helper that supports dynamic counting.","url":null,"keywords":"callback count callback count counter control flow next done dynamic","version":"0.1.0","words":"callback-count count your callbacks before continuing. a tiny control flow helper that supports dynamic counting. =tjmehta callback count callback count counter control flow next done dynamic","author":"=tjmehta","date":"2014-03-06 "},{"name":"callback-error-middleware","description":"Invoke a callback if the response is bad","url":null,"keywords":"express error","version":"1.0.0","words":"callback-error-middleware invoke a callback if the response is bad =tjkrusinski express error","author":"=tjkrusinski","date":"2014-09-12 "},{"name":"callback-logger","description":"Log callback results","url":null,"keywords":"","version":"0.1.1","words":"callback-logger log callback results =manuelcabral","author":"=manuelcabral","date":"2014-04-15 "},{"name":"callback-manager","description":"Processing return callbacks.","url":null,"keywords":"","version":"0.0.2","words":"callback-manager processing return callbacks. =sparrow.jang","author":"=Sparrow.Jang","date":"2012-08-04 "},{"name":"callback-memoize","description":"Memoize that handles async-functions","url":null,"keywords":"","version":"0.0.1","words":"callback-memoize memoize that handles async-functions =julian","author":"=julian","date":"2013-05-07 "},{"name":"callback-pool","description":"Simple utility to queue callbacks in a pool until the drain has been unplugged.","url":null,"keywords":"drain callbacks queue pool async","version":"1.0.1","words":"callback-pool simple utility to queue callbacks in a pool until the drain has been unplugged. =jsdevel drain callbacks queue pool async","author":"=jsdevel","date":"2014-01-30 "},{"name":"callback-reduce","description":"Callbacks made reducible","url":null,"keywords":"callback reduce reducible stream promise eventual","version":"1.1.0","words":"callback-reduce callbacks made reducible =gozala callback reduce reducible stream promise eventual","author":"=gozala","date":"2013-01-11 "},{"name":"callback-stream","description":"A pipeable stream that calls your callback","url":null,"keywords":"callback stream","version":"1.0.2","words":"callback-stream a pipeable stream that calls your callback =matteo.collina callback stream","author":"=matteo.collina","date":"2013-09-11 "},{"name":"callback-timeout","description":"Invokes callback with single error argument if timeout occurs before it's invoked by other means","url":null,"keywords":"callback timeout","version":"0.1.0","words":"callback-timeout invokes callback with single error argument if timeout occurs before it's invoked by other means =jasonpincin callback timeout","author":"=jasonpincin","date":"2013-03-13 "},{"name":"callback-timer","description":"Helper method to wrap callback for logging timing info","url":null,"keywords":"","version":"0.0.4","words":"callback-timer helper method to wrap callback for logging timing info =petey","author":"=petey","date":"2014-07-15 "},{"name":"callback-tracker","description":"Track your callbacks.","url":null,"keywords":"","version":"2.0.3","words":"callback-tracker track your callbacks. =isaacs","author":"=isaacs","date":"2014-09-19 "},{"name":"callback-utils","description":"node-callback-utils ===================","url":null,"keywords":"","version":"1.0.0","words":"callback-utils node-callback-utils =================== =kdunsmore","author":"=kdunsmore","date":"2012-11-10 "},{"name":"callback-with","description":"Generates a function that is called with initially supplied arguments","url":null,"keywords":"async functional callback asynchronous sync synchronous callbacks server client browser util utility","version":"0.0.1","words":"callback-with generates a function that is called with initially supplied arguments =landau async functional callback asynchronous sync synchronous callbacks server client browser util utility","author":"=landau","date":"2014-03-06 "},{"name":"callback-wrapper","description":"","url":null,"keywords":"callback","version":"0.0.0","words":"callback-wrapper =poying callback","author":"=poying","date":"2013-10-07 "},{"name":"callback-wrappers","description":"wrappers for async callbacks that implement common error handling scenarios","url":null,"keywords":"callback async","version":"0.2.0","words":"callback-wrappers wrappers for async callbacks that implement common error handling scenarios =femto113 callback async","author":"=femto113","date":"2013-03-29 "},{"name":"callback_tracker","description":"Easily create callbacks that are not resolved until other callbacks have completed.","url":null,"keywords":"","version":"0.1.0","words":"callback_tracker easily create callbacks that are not resolved until other callbacks have completed. =samshull","author":"=samshull","date":"2014-06-13 "},{"name":"callbacker","description":"Parse the last argument in a function as the callback function","url":null,"keywords":"callback last argument always","version":"0.1.1","words":"callbacker parse the last argument in a function as the callback function =scottcorgan callback last argument always","author":"=scottcorgan","date":"2014-03-10 "},{"name":"callbackhell","description":"utility for callback hell","url":null,"keywords":"","version":"1.1.1","words":"callbackhell utility for callback hell =bradleymeck","author":"=bradleymeck","date":"2014-07-26 "},{"name":"callbackify","description":"backwards compatibilify your callback functions while migrating apis to promises","url":null,"keywords":"promises promisesaplus","version":"1.0.0","words":"callbackify backwards compatibilify your callback functions while migrating apis to promises =jden promises promisesaplus","author":"=jden","date":"2014-07-13 "},{"name":"callbackmanager","description":"Simple Asynchronous Callback Manager","url":null,"keywords":"async callback","version":"1.0.2","words":"callbackmanager simple asynchronous callback manager =iameugenejo async callback","author":"=iameugenejo","date":"2014-08-19 "},{"name":"callbackmaybe","description":"I just met you / and this is crazy / but here's a module / CallbackMaybe","url":null,"keywords":"utility events callbacks","version":"0.0.3","words":"callbackmaybe i just met you / and this is crazy / but here's a module / callbackmaybe =pofallon utility events callbacks","author":"=pofallon","date":"2012-08-26 "},{"name":"callbackQueue","description":"Dependencie registration module to control your workflow.","url":null,"keywords":"","version":"0.0.2","words":"callbackqueue dependencie registration module to control your workflow. =zyndiecate","author":"=zyndiecate","date":"2012-02-25 "},{"name":"CallbackRouter","description":"callback router","url":null,"keywords":"","version":"0.0.1","words":"callbackrouter callback router =fractal","author":"=fractal","date":"2011-12-13 "},{"name":"callbacks","description":"An experimental callback system","url":null,"keywords":"callback system","version":"0.0.0","words":"callbacks an experimental callback system =martinandert callback system","author":"=martinandert","date":"2014-03-05 "},{"name":"callbacks-manager","description":"Processing return callbacks.","url":null,"keywords":"","version":"0.0.2","words":"callbacks-manager processing return callbacks. =sparrow.jang","author":"=sparrow.jang","date":"2012-08-04 "},{"name":"callcounter","description":"call counter","url":null,"keywords":"call counter","version":"0.0.2","words":"callcounter call counter =lucass call counter","author":"=lucass","date":"2014-06-20 "},{"name":"caller","description":"@substack's caller.js as a module","url":null,"keywords":"caller file require","version":"1.0.0","words":"caller @substack's caller.js as a module =totherik caller file require","author":"=totherik","date":"2014-09-12 "},{"name":"caller-id","description":"A utility for getting information on the caller of a function in node.js","url":null,"keywords":"function method call caller stack trace stacktrace caller-id","version":"0.1.0","words":"caller-id a utility for getting information on the caller of a function in node.js =pixelsandbytes function method call caller stack trace stacktrace caller-id","author":"=pixelsandbytes","date":"2013-11-05 "},{"name":"caller-of","description":"The tiniest yet most powerful JS utility ever :D","url":null,"keywords":"development web server terminal prototyping node","version":"1.0.0","words":"caller-of the tiniest yet most powerful js utility ever :d =webreflection development web server terminal prototyping node","author":"=webreflection","date":"2013-02-19 "},{"name":"caller-path","description":"Get the path of the caller module","url":null,"keywords":"caller calling module path parent callsites callsite stacktrace stack trace function file","version":"0.1.0","words":"caller-path get the path of the caller module =sindresorhus caller calling module path parent callsites callsite stacktrace stack trace function file","author":"=sindresorhus","date":"2014-04-19 "},{"name":"callerid","description":"Allows you to retrieve the filename or directory path of the file that has required your file/module.","url":null,"keywords":"module require stack","version":"0.1.0","words":"callerid allows you to retrieve the filename or directory path of the file that has required your file/module. =jbrumwell module require stack","author":"=jbrumwell","date":"2012-11-26 "},{"name":"callermodule","description":"Determines the name of the module that called this code.","url":null,"keywords":"","version":"1.0.3","words":"callermodule determines the name of the module that called this code. =tlivings","author":"=tlivings","date":"2014-08-29 "},{"name":"callfire","description":"SDK for the CallFire REST API","url":null,"keywords":"callfire sdk","version":"0.1.1","words":"callfire sdk for the callfire rest api =frozenfire callfire sdk","author":"=frozenfire","date":"2014-03-29 "},{"name":"callgrind.js","url":null,"keywords":"","version":"0.0.2","words":"callgrind.js =fedor.indutny =indutny","author":"=fedor.indutny =indutny","date":"2014-03-18 "},{"name":"callify","description":"Create browserify transforms that change or inline external module function calls","url":null,"keywords":"browserify inline brfs transform precompile","version":"0.3.0","words":"callify create browserify transforms that change or inline external module function calls =mmckegg browserify inline brfs transform precompile","author":"=mmckegg","date":"2014-08-15 "},{"name":"calliope","description":"Command line interface for kalamoi/papyr documentation in JS projects.","url":null,"keywords":"documentation docs","version":"0.1.0","words":"calliope command line interface for kalamoi/papyr documentation in js projects. =killdream documentation docs","author":"=killdream","date":"2013-02-23 "},{"name":"callme","description":"Hey I just met you, and this is crazy, but here's my callback.","url":null,"keywords":"flow api test","version":"0.1.0","words":"callme hey i just met you, and this is crazy, but here's my callback. =fent flow api test","author":"=fent","date":"2012-09-29 "},{"name":"callmydouble","description":"callmydouble gives you a public route to be dispatched locally.","url":null,"keywords":"","version":"0.2.6","words":"callmydouble callmydouble gives you a public route to be dispatched locally. =nebulon","author":"=nebulon","date":"2014-05-29 "},{"name":"callosum","description":"Self-balancing distributed services protocol","url":null,"keywords":"self-balancing distributed services protocol","version":"0.0.0","words":"callosum self-balancing distributed services protocol =tristanls self-balancing distributed services protocol","author":"=tristanls","date":"2013-10-31 "},{"name":"callosum-client-tcp","description":"TCP client for Callosum: a self-balancing distributed services protocol","url":null,"keywords":"self-balancing distributed services client tcp","version":"0.1.5","words":"callosum-client-tcp tcp client for callosum: a self-balancing distributed services protocol =tristanls self-balancing distributed services client tcp","author":"=tristanls","date":"2013-11-01 "},{"name":"callosum-client-tcp-rover","description":"TCP client rover for Callosum: a self-balancing distributed services protocol","url":null,"keywords":"self-balancing distributed services client rover tcp","version":"0.1.0","words":"callosum-client-tcp-rover tcp client rover for callosum: a self-balancing distributed services protocol =tristanls self-balancing distributed services client rover tcp","author":"=tristanls","date":"2013-10-31 "},{"name":"callosum-server-slots","description":"Server slot management for Callosum: a self-balancing distributed services protocol","url":null,"keywords":"distributed load-balancer server slots management","version":"0.1.0","words":"callosum-server-slots server slot management for callosum: a self-balancing distributed services protocol =tristanls distributed load-balancer server slots management","author":"=tristanls","date":"2013-10-31 "},{"name":"callosum-server-tcp","description":"TCP server for Callosum: a self-balancing distributed services protocol","url":null,"keywords":"distributed load-balancer server tcp","version":"0.1.0","words":"callosum-server-tcp tcp server for callosum: a self-balancing distributed services protocol =tristanls distributed load-balancer server tcp","author":"=tristanls","date":"2013-10-31 "},{"name":"callow","keywords":"","version":[],"words":"callow","author":"","date":"2014-04-05 "},{"name":"callqueue","description":"provide easy way to run one command at a time. Prepared for cron and longtime jobs with 1-size pipeline.","url":null,"keywords":"","version":"1.0.4","words":"callqueue provide easy way to run one command at a time. prepared for cron and longtime jobs with 1-size pipeline. =aoj","author":"=aoj","date":"2014-04-04 "},{"name":"callsite","description":"access to v8's CallSites","url":null,"keywords":"stack trace line","version":"1.0.0","words":"callsite access to v8's callsites =tjholowaychuk stack trace line","author":"=tjholowaychuk","date":"2013-01-24 "},{"name":"callsites","description":"Get callsites from the V8 stack trace API","url":null,"keywords":"callsites callsite v8 stacktrace stack trace function file line debug","version":"1.0.0","words":"callsites get callsites from the v8 stack trace api =sindresorhus callsites callsite v8 stacktrace stack trace function file line debug","author":"=sindresorhus","date":"2014-08-17 "},{"name":"callstack","description":"The simplest possible callstack fetcher","url":null,"keywords":"stacktrace callstack dump simple","version":"1.0.1","words":"callstack the simplest possible callstack fetcher =nailgun stacktrace callstack dump simple","author":"=nailgun","date":"2013-08-19 "},{"name":"callstack-cleaner","description":"Clean the callstack from error messages","url":null,"keywords":"callstack error","version":"0.1.0","words":"callstack-cleaner clean the callstack from error messages =fgribreau callstack error","author":"=fgribreau","date":"2012-12-31 "},{"name":"callstackjs","description":"JavaScript call stack controller","url":null,"keywords":"stack call stack flow controll","version":"0.4.0","words":"callstackjs javascript call stack controller =rubaxa stack call stack flow controll","author":"=rubaxa","date":"2013-11-28 "},{"name":"calltrace","description":"Capture function calls and verbose stacktraces","url":null,"keywords":"","version":"1.1.0","words":"calltrace capture function calls and verbose stacktraces =jhermsmeier","author":"=jhermsmeier","date":"2013-11-25 "},{"name":"callwatch","description":"Monitor your application by tracking function calls","url":null,"keywords":"","version":"0.1.3","words":"callwatch monitor your application by tracking function calls =olivierkaisin","author":"=olivierkaisin","date":"2014-05-29 "},{"name":"calmcard","description":"not-so-wild wildcard string matching","url":null,"keywords":"wildcard matching pattern string glob","version":"0.1.1","words":"calmcard not-so-wild wildcard string matching =lnwdr wildcard matching pattern string glob","author":"=lnwdr","date":"2014-07-04 "},{"name":"calmsoul","description":"Console logging wrapper to ease your development soul.","url":null,"keywords":"console log logger calm soul debug info debugger","version":"0.0.2","words":"calmsoul console logging wrapper to ease your development soul. =itg console log logger calm soul debug info debugger","author":"=itg","date":"2014-06-03 "},{"name":"calnet","description":"Login to Berkeley's CAS through the terminal.","url":null,"keywords":"calnet CalNet Authentication Service cas login berkeley","version":"0.0.5","words":"calnet login to berkeley's cas through the terminal. =edwlook calnet calnet authentication service cas login berkeley","author":"=edwlook","date":"2014-03-07 "},{"name":"calor","description":"a simple terminal text colorizer. simple simple simple. simple.","url":null,"keywords":"color terminal colorize","version":"0.0.1-f","words":"calor a simple terminal text colorizer. simple simple simple. simple. =pagodajosh =joshragem color terminal colorize","author":"=pagodajosh =joshragem","date":"2013-09-19 "},{"name":"calvin","description":"A tiny server, router, and middleware framework.","url":null,"keywords":"framework","version":"0.8.9","words":"calvin a tiny server, router, and middleware framework. =shanebo framework","author":"=shanebo","date":"2014-08-26 "},{"name":"calvin-linked-list","description":"a linked list, for learning purposes","url":null,"keywords":"","version":"0.0.0","words":"calvin-linked-list a linked list, for learning purposes =cwmma","author":"=cwmma","date":"2014-07-22 "},{"name":"calvin-map","description":"Map ====","url":null,"keywords":"","version":"0.1.0","words":"calvin-map map ==== =cwmma","author":"=cwmma","date":"2014-07-28 "},{"name":"calypso","description":"A common query interface for data stores, featuring a SQL-like query language.","url":null,"keywords":"query orm","version":"0.3.0","words":"calypso a common query interface for data stores, featuring a sql-like query language. =kevinswiber query orm","author":"=kevinswiber","date":"2014-09-18 "},{"name":"calypso-level","description":"A calypso driver for LevelUP-compatible data stores.","url":null,"keywords":"calypso levelup leveldb caql query","version":"0.4.0","words":"calypso-level a calypso driver for levelup-compatible data stores. =kevinswiber calypso levelup leveldb caql query","author":"=kevinswiber","date":"2014-09-17 "},{"name":"calypso-memory","description":"A calypso driver for in-memory data stores.","url":null,"keywords":"calypso memory caql query","version":"0.3.0","words":"calypso-memory a calypso driver for in-memory data stores. =kevinswiber calypso memory caql query","author":"=kevinswiber","date":"2014-08-07 "},{"name":"calypso-mongodb","description":"A MongoDB driver for Calypso.","url":null,"keywords":"calypso mongodb session","version":"0.1.0","words":"calypso-mongodb a mongodb driver for calypso. =kevinswiber calypso mongodb session","author":"=kevinswiber","date":"2014-07-23 "},{"name":"calypso-usergrid","description":"A Usergrid session for Calypso.","url":null,"keywords":"calypso usergrid session","version":"0.1.0","words":"calypso-usergrid a usergrid session for calypso. =kevinswiber calypso usergrid session","author":"=kevinswiber","date":"2014-07-23 "},{"name":"cam3d","description":"Minimal set of Perspective & Orthographic camera utilities","url":null,"keywords":"","version":"1.0.6","words":"cam3d minimal set of perspective & orthographic camera utilities =mattdesl","author":"=mattdesl","date":"2014-07-09 "},{"name":"caman","description":"Javascript (Ca)nvas (Man)ipulation for NodeJS and the browser","url":null,"keywords":"canvas image manipulate filter image manipulation editing","version":"4.1.2","words":"caman javascript (ca)nvas (man)ipulation for nodejs and the browser =meltingice canvas image manipulate filter image manipulation editing","author":"=meltingice","date":"2013-07-27 "},{"name":"cameio","description":"A tool for creating and developing came.io apps.","url":null,"keywords":"came.io cameio mobile app hybrid cordova phonegap","version":"0.0.5","words":"cameio a tool for creating and developing came.io apps. =albpb came.io cameio mobile app hybrid cordova phonegap","author":"=albpb","date":"2014-08-18 "},{"name":"camel","description":"A Node.js wrapper for using coffeescript with requirejs AMD-style loader","url":null,"keywords":"","version":"0.1.2","words":"camel a node.js wrapper for using coffeescript with requirejs amd-style loader =mountain","author":"=mountain","date":"2013-03-11 "},{"name":"camel-back-promise","description":"The straw that breaks the camel's back. A function which resolve a promise after getting called n times.","url":null,"keywords":"promise","version":"1.0.0","words":"camel-back-promise the straw that breaks the camel's back. a function which resolve a promise after getting called n times. =jonahss promise","author":"=jonahss","date":"2014-09-04 "},{"name":"camel-case","description":"Camel case a string","url":null,"keywords":"camel case","version":"1.0.2","words":"camel-case camel case a string =blakeembrey camel case","author":"=blakeembrey","date":"2014-08-19 "},{"name":"camel_case","description":"ESLint rule for enforcing camelCame names but allowing _ in property names","url":null,"keywords":"eslint rule","version":"0.4.0","words":"camel_case eslint rule for enforcing camelcame names but allowing _ in property names =bahmutov eslint rule","author":"=bahmutov","date":"2014-08-13 "},{"name":"camelcase","keywords":"","version":[],"words":"camelcase","author":"","date":"2013-10-30 "},{"name":"camelcaser","description":"a simple module to capitalize first letter of your filename","url":null,"keywords":"camelcase filename uppercase lowercase directory","version":"0.0.6","words":"camelcaser a simple module to capitalize first letter of your filename =xanderdwyl camelcase filename uppercase lowercase directory","author":"=xanderdwyl","date":"2014-03-08 "},{"name":"camelify","description":"Simple util for mapping an object with hyphen-separated keys to camelCased keys","url":null,"keywords":"","version":"0.0.1","words":"camelify simple util for mapping an object with hyphen-separated keys to camelcased keys =lennym","author":"=lennym","date":"2014-09-03 "},{"name":"camelize","description":"recursively transform key strings to camel-case","url":null,"keywords":"camel-case json transform","version":"1.0.0","words":"camelize recursively transform key strings to camel-case =substack camel-case json transform","author":"=substack","date":"2014-07-07 "},{"name":"camelize-http-headers","description":"Function to camelize HTTP headers","url":null,"keywords":"http headers case","version":"0.0.1","words":"camelize-http-headers function to camelize http headers =andreineculau http headers case","author":"=andreineculau","date":"2013-06-28 "},{"name":"camelize-object","description":"camelize object","url":null,"keywords":"camelize camel case camel object coffee","version":"1.0.1","words":"camelize-object camelize object =duereg camelize camel case camel object coffee","author":"=duereg","date":"2014-09-13 "},{"name":"camelot","description":"A node wrapper for webcam controller providing configurable async frame grabbing.","url":null,"keywords":"webcam cam frame","version":"0.0.4","words":"camelot a node wrapper for webcam controller providing configurable async frame grabbing. =pdeschen webcam cam frame","author":"=pdeschen","date":"2012-09-04 "},{"name":"camelot-engine","description":"A game engine for the classic game Camelot","url":null,"keywords":"game camelot","version":"4.0.0","words":"camelot-engine a game engine for the classic game camelot =nick.heiner game camelot","author":"=nick.heiner","date":"2014-08-31 "},{"name":"camelscore","description":"camelCase and under_score utilities for objects.","url":null,"keywords":"","version":"0.1.1","words":"camelscore camelcase and under_score utilities for objects. =tlivings","author":"=tlivings","date":"2014-08-21 "},{"name":"cameo","description":"Small-scale webpage archiver","url":null,"keywords":"unscalable wayback archive postgres redis queue crawl web","version":"0.0.4","words":"cameo small-scale webpage archiver =chbrown unscalable wayback archive postgres redis queue crawl web","author":"=chbrown","date":"2014-04-23 "},{"name":"cameo-crawler","description":"Crawl the web breadth-first from a seed url, statefully","url":null,"keywords":"web spider crawl recurse postgres","version":"0.3.0","words":"cameo-crawler crawl the web breadth-first from a seed url, statefully =chbrown web spider crawl recurse postgres","author":"=chbrown","date":"2014-05-22 "},{"name":"cameo-twitter","description":"Twitter archival tooling","url":null,"keywords":"","version":"0.1.1","words":"cameo-twitter twitter archival tooling =chbrown","author":"=chbrown","date":"2014-05-22 "},{"name":"camera","description":"Create readable streams from connected webcams","url":null,"keywords":"","version":"0.0.5","words":"camera create readable streams from connected webcams =fractal","author":"=fractal","date":"2014-03-30 "},{"name":"camera-api-cordova","description":"Constructor for accessing the Cordova Camera API ","url":null,"keywords":"cordova ios camera android phonegap","version":"0.1.2","words":"camera-api-cordova constructor for accessing the cordova camera api =rememberlenny cordova ios camera android phonegap","author":"=rememberlenny","date":"2014-05-30 "},{"name":"camera-debug","description":"camera debug controls for voxel-shader (voxel.js plugin)","url":null,"keywords":"voxel camera","version":"0.3.0","words":"camera-debug camera debug controls for voxel-shader (voxel.js plugin) =deathcap voxel camera","author":"=deathcap","date":"2014-06-07 "},{"name":"camera-vc0706","description":"Library to run the camera-vc0706 Tessel module","url":null,"keywords":"tessel camera technical machine vc0706 image","version":"0.1.6","words":"camera-vc0706 library to run the camera-vc0706 tessel module =johnnyman727 =technicalmachine =tcr tessel camera technical machine vc0706 image","author":"=johnnyman727 =technicalmachine =tcr","date":"2014-06-13 "},{"name":"camerapi","description":"Raspberry Pi Camera module","url":null,"keywords":"Camera Raspberry PI Raspicam","version":"0.0.9","words":"camerapi raspberry pi camera module =leandroosalas camera raspberry pi raspicam","author":"=leandroosalas","date":"2014-09-18 "},{"name":"cameron-streams","description":"Streams to help with testing other streams.","url":null,"keywords":"","version":"0.1.3","words":"cameron-streams streams to help with testing other streams. =evansolomon","author":"=evansolomon","date":"2013-10-23 "},{"name":"caminio","description":"highly modularized CMS framework","url":null,"keywords":"caminio mvc framework cms autorest","version":"1.1.0","words":"caminio highly modularized cms framework =quaqua caminio mvc framework cms autorest","author":"=quaqua","date":"2014-02-06 "},{"name":"caminio-auth","description":"authentication plugin (gear) for caminio","url":null,"keywords":"caminio caminio gear authentication passport","version":"0.0.5","words":"caminio-auth authentication plugin (gear) for caminio =quaqua caminio caminio gear authentication passport","author":"=quaqua","date":"2014-04-12 "},{"name":"caminio-carver","description":"caminio plugin and schemas extending carver","url":null,"keywords":"carver caminio","version":"0.0.1","words":"caminio-carver caminio plugin and schemas extending carver =quaqua carver caminio","author":"=quaqua","date":"2014-06-01 "},{"name":"caminio-cli","description":"project scaffold cli for caminio","url":null,"keywords":"caminio","version":"0.0.6","words":"caminio-cli project scaffold cli for caminio =quaqua caminio","author":"=quaqua","date":"2014-02-12 "},{"name":"camino","description":"One-stop routing for server- and client-side web applications","url":null,"keywords":"router routing route REST API hash history","version":"0.9.1","words":"camino one-stop routing for server- and client-side web applications =rpaskett router routing route rest api hash history","author":"=rpaskett","date":"2014-08-07 "},{"name":"caminte","description":"ORM for every database: redis, mysql, neo4j, mongodb, rethinkdb, postgres, sqlite, tingodb","url":null,"keywords":"orm caminte database adapter redis mysql mariadb mongodb neo4j nano couchdb firebird postgres sqlite3 tingodb rethinkdb","version":"0.0.21","words":"caminte orm for every database: redis, mysql, neo4j, mongodb, rethinkdb, postgres, sqlite, tingodb =biggora orm caminte database adapter redis mysql mariadb mongodb neo4j nano couchdb firebird postgres sqlite3 tingodb rethinkdb","author":"=biggora","date":"2014-06-18 "},{"name":"caminte-generator","description":"RestFul application generator based on CaminteJS ORM","url":null,"keywords":"caminte server rest restful app api redis mysql mariadb mongodb neo4j nano couchdb firebird postgres sqlite3 tingodb rethinkdb","version":"0.0.7-1","words":"caminte-generator restful application generator based on camintejs orm =biggora caminte server rest restful app api redis mysql mariadb mongodb neo4j nano couchdb firebird postgres sqlite3 tingodb rethinkdb","author":"=biggora","date":"2014-08-17 "},{"name":"camp","description":"Streamed Web Server with easy Ajax, EventSource, Templating, Static pages; Middleware approach and extensibility.","url":null,"keywords":"","version":"14.6.22","words":"camp streamed web server with easy ajax, eventsource, templating, static pages; middleware approach and extensibility. =espadrine","author":"=espadrine","date":"2014-06-21 "},{"name":"campaign","description":"Compose responsive email templates easily, fill them with models, and send them out.","url":null,"keywords":"campaign email mail mandrill templates mustache smtp imap pop3","version":"1.3.3","words":"campaign compose responsive email templates easily, fill them with models, and send them out. =bevacqua campaign email mail mandrill templates mustache smtp imap pop3","author":"=bevacqua","date":"2014-09-08 "},{"name":"campaign-jade","description":"Render Jade templates for `campaign` emails","url":null,"keywords":"","version":"1.0.6","words":"campaign-jade render jade templates for `campaign` emails =bevacqua","author":"=bevacqua","date":"2014-09-07 "},{"name":"campaign-jadum","description":"Render Jade templates for `campaign` emails, using jadum","url":null,"keywords":"","version":"1.0.0","words":"campaign-jadum render jade templates for `campaign` emails, using jadum =bevacqua","author":"=bevacqua","date":"2014-09-14 "},{"name":"campbx","description":"campbx.com API client for node.js","url":null,"keywords":"btc bitcoin campbx","version":"0.0.12","words":"campbx campbx.com api client for node.js =pskupinski btc bitcoin campbx","author":"=pskupinski","date":"2014-04-13 "},{"name":"campfire","description":"Use node.js to interact with Campfire.","url":null,"keywords":"chat campfire CF","version":"0.2.0","words":"campfire use node.js to interact with campfire. =tristandunn chat campfire cf","author":"=tristandunn","date":"2013-12-18 "},{"name":"campfire-archive","description":"Campfire Archiver","url":null,"keywords":"","version":"0.0.1","words":"campfire-archive campfire archiver =jt","author":"=jt","date":"2014-02-22 "},{"name":"camphora","description":"Camphora, a tiny module for NFU (Not Frequently Used) in-memory caching, with linear Aging.","url":null,"keywords":"camphora cache not frequently used NFU aging caching in-memory cache in-memory file caching util","version":"0.15.4","words":"camphora camphora, a tiny module for nfu (not frequently used) in-memory caching, with linear aging. =rootslab camphora cache not frequently used nfu aging caching in-memory cache in-memory file caching util","author":"=rootslab","date":"2014-08-10 "},{"name":"campusbooks","description":"JavaScript Client for CampusBooks Partner API (v12).","url":null,"keywords":"ender campusbooks amazon textbooks client browser api","version":"0.5.8","words":"campusbooks javascript client for campusbooks partner api (v12). =coolaj86 ender campusbooks amazon textbooks client browser api","author":"=coolaj86","date":"2013-03-01 "},{"name":"can","description":"A SocketCAN abstraction layer for NodeJS.","url":null,"keywords":"","version":"1.2.3","words":"can a socketcan abstraction layer for nodejs. =sebi2k1","author":"=sebi2k1","date":"2014-06-22 "},{"name":"can-boilerplate","description":"Get a head start on your CanJS project.","url":null,"keywords":"canjs donejs javascriptmvc generator boilerplate compile compiler","version":"0.7.0","words":"can-boilerplate get a head start on your canjs project. =stevenvachon canjs donejs javascriptmvc generator boilerplate compile compiler","author":"=stevenvachon","date":"2014-03-24 "},{"name":"can-boilerplate-utils","description":"Utility functions and tasks for can-boilerplate projects.","url":null,"keywords":"","version":"0.1.7","words":"can-boilerplate-utils utility functions and tasks for can-boilerplate projects. =stevenvachon","author":"=stevenvachon","date":"2014-08-12 "},{"name":"can-compile","description":"Compile CanJS Mustache and EJS views for lightning fast production apps","url":null,"keywords":"gruntplugin canjs","version":"0.7.0","words":"can-compile compile canjs mustache and ejs views for lightning fast production apps =daffl gruntplugin canjs","author":"=daffl","date":"2014-06-10 "},{"name":"can-compile-brunch","description":"Adds CanJS pre-compiled templates support to Brunch","url":null,"keywords":"","version":"0.1.1","words":"can-compile-brunch adds canjs pre-compiled templates support to brunch =aldoivan","author":"=aldoivan","date":"2014-09-10 "},{"name":"can-play-type-to-number","description":"'probably' => 2, 'maybe' => 1, '' => 0","url":null,"keywords":"audio video media type codec codecs canplaytype playability probably maybe support level number client-side browser","version":"1.0.0","words":"can-play-type-to-number 'probably' => 2, 'maybe' => 1, '' => 0 =shinnn audio video media type codec codecs canplaytype playability probably maybe support level number client-side browser","author":"=shinnn","date":"2014-08-02 "},{"name":"can-route","description":"A simple regexp router that returns false when it can’t handle a request.","url":null,"keywords":"simple router regex regexp","version":"0.3.0","words":"can-route a simple regexp router that returns false when it can’t handle a request. =michaelrhodes simple router regex regexp","author":"=michaelrhodes","date":"2014-04-26 "},{"name":"can-scroll","description":"Return the number of pixels an element can be scrolled by in all directions","url":null,"keywords":"","version":"1.0.2","words":"can-scroll return the number of pixels an element can be scrolled by in all directions =korynunn","author":"=korynunn","date":"2014-07-07 "},{"name":"can.bacon","description":"Bacon.js integration for CanJS","url":null,"keywords":"bacon frp can canjs reactive","version":"0.1.3","words":"can.bacon bacon.js integration for canjs =sykopomp bacon frp can canjs reactive","author":"=sykopomp","date":"2014-09-17 "},{"name":"can.eventstream","description":"EventStream API plugin for CanJS","url":null,"keywords":"bacon frp can canjs reactive","version":"0.3.0","words":"can.eventstream eventstream api plugin for canjs =sykopomp bacon frp can canjs reactive","author":"=sykopomp","date":"2014-09-19 "},{"name":"can.rx","description":"RxJS integration for CanJS","url":null,"keywords":"rx rxjs reactive-extensions frp can canjs reactive","version":"0.1.1","words":"can.rx rxjs integration for canjs =sykopomp rx rxjs reactive-extensions frp can canjs reactive","author":"=sykopomp","date":"2014-09-17 "},{"name":"can.viewify","description":"Browserify transform that allows using require() on .mustache and .ejs files in CanJS applications","url":null,"keywords":"browserify-transform canjs browserify mustache handlebars ejs","version":"0.2.2","words":"can.viewify browserify transform that allows using require() on .mustache and .ejs files in canjs applications =sykopomp browserify-transform canjs browserify mustache handlebars ejs","author":"=sykopomp","date":"2014-04-10 "},{"name":"can_signals","description":"Extension to 'can' to work with CAN messages and signals.","url":null,"keywords":"","version":"0.1.2","words":"can_signals extension to 'can' to work with can messages and signals. =sebi2k1","author":"=sebi2k1","date":"2012-12-31 "},{"name":"canadapost","description":"A wrapper for the Canada Post API to save you time","url":null,"keywords":"canada post shipping postage","version":"0.0.4","words":"canadapost a wrapper for the canada post api to save you time =seratonik canada post shipping postage","author":"=seratonik","date":"2013-07-04 "},{"name":"canal","description":"A powerful route design helper for Express.js web applications","url":null,"keywords":"","version":"1.1.2","words":"canal a powerful route design helper for express.js web applications =sierrasoftworks","author":"=sierrasoftworks","date":"2014-01-14 "},{"name":"canary","description":"Canary HQ Client","url":null,"keywords":"","version":"0.0.0","words":"canary canary hq client =makeusabrew","author":"=makeusabrew","date":"2014-02-04 "},{"name":"cancan-backbone","description":"A library with Javascript bindings for the Ruby access control library CanCan","url":null,"keywords":"cancan abilities ruby javascript","version":"0.0.1","words":"cancan-backbone a library with javascript bindings for the ruby access control library cancan =fluxsaas cancan abilities ruby javascript","author":"=fluxsaas","date":"2014-06-09 "},{"name":"cancel-group","description":"Queue up a list of cancellation functions to be called at later time","url":null,"keywords":"cancel function queue callback events","version":"0.1.0","words":"cancel-group queue up a list of cancellation functions to be called at later time =jaz303 cancel function queue callback events","author":"=jaz303","date":"2014-06-27 "},{"name":"cancelable","description":"Cancelable functions (Underscore/Lodash compatible)","url":null,"keywords":"functions underscore lodash cancelable","version":"0.1.0","words":"cancelable cancelable functions (underscore/lodash compatible) =fgribreau functions underscore lodash cancelable","author":"=fgribreau","date":"2013-03-17 "},{"name":"cancelify","description":"A library for making async operations cancellable","url":null,"keywords":"cancel cancelable cancelify","version":"0.1.5","words":"cancelify a library for making async operations cancellable =torworx cancel cancelable cancelify","author":"=torworx","date":"2014-09-02 "},{"name":"cancellation","description":"A method for making async operations cancellable","url":null,"keywords":"promises promises-A promises-A-plus async cancel progress","version":"1.0.0","words":"cancellation a method for making async operations cancellable =forbeslindesay promises promises-a promises-a-plus async cancel progress","author":"=forbeslindesay","date":"2012-12-04 "},{"name":"candc","description":"A framework to add a command and control interface to a Node.js daemon","url":null,"keywords":"telnet debug production","version":"0.0.1","words":"candc a framework to add a command and control interface to a node.js daemon =matthaeusharris telnet debug production","author":"=matthaeusharris","date":"2013-05-01 "},{"name":"candi","description":"Dependency injection and utility library for node.js","url":null,"keywords":"","version":"0.2.3","words":"candi dependency injection and utility library for node.js =nitintutlani","author":"=nitintutlani","date":"2014-01-03 "},{"name":"candle","description":"A module for weak referenced callbacks with timeouts.","url":null,"keywords":"callback flow-control timer timeout weak callback broker","version":"0.4.0","words":"candle a module for weak referenced callbacks with timeouts. =wicked callback flow-control timer timeout weak callback broker","author":"=wicked","date":"2013-04-05 "},{"name":"candle-api","description":"candle","url":null,"keywords":"","version":"0.0.9","words":"candle-api candle =surtich","author":"=surtich","date":"2013-10-08 "},{"name":"cando","description":"An authorization module","url":null,"keywords":"authorization matcher","version":"0.2.0","words":"cando an authorization module =twilson63 authorization matcher","author":"=twilson63","date":"2013-08-07 "},{"name":"candor.js","description":"Candor to javascript translator","url":null,"keywords":"","version":"0.0.3","words":"candor.js candor to javascript translator =fedor.indutny =indutny","author":"=fedor.indutny =indutny","date":"2014-03-18 "},{"name":"candy","description":"a micro bbs system based on duoshuo.com apis","url":null,"keywords":"candy bbs forum duoshuo social","version":"0.1.7","words":"candy a micro bbs system based on duoshuo.com apis =turing candy bbs forum duoshuo social","author":"=turing","date":"2014-03-12 "},{"name":"candy-theme-flat","description":"the default theme of candy","url":null,"keywords":"candy theme bbs flat forum","version":"0.1.0","words":"candy-theme-flat the default theme of candy =turing candy theme bbs flat forum","author":"=turing","date":"2014-07-31 "},{"name":"candy-theme-moeclub","description":"A theme for Moe.Club","url":null,"keywords":"candy theme","version":"0.0.7","words":"candy-theme-moeclub a theme for moe.club =sanddudu candy theme","author":"=sanddudu","date":"2014-05-25 "},{"name":"candyshop","description":"A collection of macros","url":null,"keywords":"macro macros sweet-macros","version":"0.1.1","words":"candyshop a collection of macros =locks macro macros sweet-macros","author":"=locks","date":"2014-01-29 "},{"name":"candystore","description":"Common widgets","url":null,"keywords":"widgets button label form dropdown popup","version":"0.1.4","words":"candystore common widgets =danstocker widgets button label form dropdown popup","author":"=danstocker","date":"2014-09-19 "},{"name":"cane","description":"Modular DOM library","url":null,"keywords":"dom style ajax modular","version":"0.2.1","words":"cane modular dom library =mathias.paumgarten dom style ajax modular","author":"=mathias.paumgarten","date":"2014-03-12 "},{"name":"cani","description":"Can I read/write/execute this file/path?","url":null,"keywords":"perms permission fs file dir stat read write execute","version":"0.1.0","words":"cani can i read/write/execute this file/path? =hemanth perms permission fs file dir stat read write execute","author":"=hemanth","date":"2014-06-15 "},{"name":"canihaz","description":"canihaz allows you to lazy install npm modules because not every dependency is needed.","url":null,"keywords":"npm install module lazy require dependencies optionalDepdencies","version":"1.0.1","words":"canihaz canihaz allows you to lazy install npm modules because not every dependency is needed. =v1 npm install module lazy require dependencies optionaldepdencies","author":"=V1","date":"2013-12-19 "},{"name":"caniuse","description":"Compatibility validation for support of HTML5, CSS3, SVG and more in desktop and mobile browsers.","url":null,"keywords":"css3 html5 svg browser","version":"0.1.3","words":"caniuse compatibility validation for support of html5, css3, svg and more in desktop and mobile browsers. =wuchengwei css3 html5 svg browser","author":"=wuchengwei","date":"2013-01-04 "},{"name":"caniuse-db","description":"Raw browser/feature support data from caniuse.com","url":null,"keywords":"support css js html5 svg","version":"1.0.20140918","words":"caniuse-db raw browser/feature support data from caniuse.com =fyrd support css js html5 svg","author":"=fyrd","date":"2014-09-19 "},{"name":"caniuse-js","description":"Check source code against a browser support matrix","url":null,"keywords":"","version":"0.2.1","words":"caniuse-js check source code against a browser support matrix =baer","author":"=baer","date":"2014-09-10 "},{"name":"caniusejs","description":"Check current enabled APIs on platforms. Such as WAC, Phonegap.","url":null,"keywords":"APIs WAC Phonegap html5","version":"0.0.1","words":"caniusejs check current enabled apis on platforms. such as wac, phonegap. =xuyuhan2011 apis wac phonegap html5","author":"=xuyuhan2011","date":"2012-09-21 "},{"name":"canjs","description":"MIT-licensed, client-side, JavaScript framework that makes building rich web applications easy.","url":null,"keywords":"canjs","version":"2.0.7-2","words":"canjs mit-licensed, client-side, javascript framework that makes building rich web applications easy. =thomblake canjs","author":"=thomblake","date":"2014-04-04 "},{"name":"canlii-api","description":"canlii-api-node","url":null,"keywords":"canlii law api","version":"0.1.2","words":"canlii-api canlii-api-node =webarnes canlii law api","author":"=webarnes","date":"2014-05-26 "},{"name":"canned","description":"serve canned responses to mock an api, based on files in a folder","url":null,"keywords":"mock api server","version":"0.2.3","words":"canned serve canned responses to mock an api, based on files in a folder =sideshowcoder mock api server","author":"=sideshowcoder","date":"2014-07-12 "},{"name":"canned-responses","description":"connect middleware that returns pre-configured responses","url":null,"keywords":"express middleware mock testing","version":"0.10.0","words":"canned-responses connect middleware that returns pre-configured responses =euge express middleware mock testing","author":"=euge","date":"2013-07-22 "},{"name":"cannon","description":"A lightweight 3D physics engine written in JavaScript. Perfect to use with three.js, for example.","url":null,"keywords":"cannon.js cannon physics engine 3d","version":"0.5.0","words":"cannon a lightweight 3d physics engine written in javascript. perfect to use with three.js, for example. =schteppe cannon.js cannon physics engine 3d","author":"=schteppe","date":"2013-02-20 "},{"name":"cannonian","description":"Metric time converter","url":null,"keywords":"metric time metric time cannon cannonian converter","version":"1.1.3","words":"cannonian metric time converter =jackcannon metric time metric time cannon cannonian converter","author":"=jackcannon","date":"2014-08-03 "},{"name":"cannot","description":"Easy error handling, by enforcing human readable messages without compromising machine processing ability.","url":null,"keywords":"error handling human readable error message","version":"0.1.10","words":"cannot easy error handling, by enforcing human readable messages without compromising machine processing ability. =kommander error handling human readable error message","author":"=kommander","date":"2014-05-14 "},{"name":"canoe","description":"S3 utility library","url":null,"keywords":"aws s3 stream write","version":"0.3.3","words":"canoe s3 utility library =evansolomon =medium aws s3 stream write","author":"=evansolomon =medium","date":"2014-03-14 "},{"name":"canon","description":"Canonical object notation","url":null,"keywords":"data serialization","version":"0.4.1","words":"canon canonical object notation =davidchambers data serialization","author":"=davidchambers","date":"2014-08-29 "},{"name":"canonical-ga","description":"canonical genetic algorithm implementation","url":null,"keywords":"genetic-algorithms","version":"0.0.2","words":"canonical-ga canonical genetic algorithm implementation =gmturbo genetic-algorithms","author":"=gmturbo","date":"2014-06-01 "},{"name":"canonical-host","description":"Redirect users to the canonical hostname for your site.","url":null,"keywords":"redirect canonical canon hostname host header","version":"0.0.4","words":"canonical-host redirect users to the canonical hostname for your site. =isaacs redirect canonical canon hostname host header","author":"=isaacs","date":"2012-10-09 "},{"name":"canonical-json","description":"a canonical json implementation","url":null,"keywords":"","version":"0.0.4","words":"canonical-json a canonical json implementation =mirkok","author":"=mirkok","date":"2014-02-06 "},{"name":"canonical-path","description":"paths that always use forward slashes","url":null,"keywords":"path forward slashes OS","version":"0.0.2","words":"canonical-path paths that always use forward slashes =petebd path forward slashes os","author":"=petebd","date":"2013-12-19 "},{"name":"canonical-stringify","description":"JSON.stringify that sorts Object keys","url":null,"keywords":"","version":"0.0.1-alpha.1","words":"canonical-stringify json.stringify that sorts object keys =kemitchell","author":"=kemitchell","date":"2014-01-25 "},{"name":"canoo","description":"down the river","url":null,"keywords":"framework","version":"0.0.1","words":"canoo down the river =suppenkelch framework","author":"=suppenkelch","date":"2014-08-04 "},{"name":"canopy","description":"PEG parser compiler for JavaScript","url":null,"keywords":"parser compiler peg","version":"0.2.0","words":"canopy peg parser compiler for javascript =jcoglan parser compiler peg","author":"=jcoglan","date":"2012-07-17 "},{"name":"canrfcemail","description":"returns `true` for known valid addresses and returns `false` for some invalid email addresses.","url":null,"keywords":"email validation","version":"0.0.2","words":"canrfcemail returns `true` for known valid addresses and returns `false` for some invalid email addresses. =bumblehead email validation","author":"=bumblehead","date":"2014-05-11 "},{"name":"cansecurity","description":"cansecurity is your all-in-one security library for user authentication, authorization and management in node expressjs apps","url":null,"keywords":"security node nodejs express cansecurity authentication authorization declarative","version":"0.6.16","words":"cansecurity cansecurity is your all-in-one security library for user authentication, authorization and management in node expressjs apps =deitch security node nodejs express cansecurity authentication authorization declarative","author":"=deitch","date":"2014-09-07 "},{"name":"cantest","description":"Canvas visual testing","url":null,"keywords":"","version":"0.0.2","words":"cantest canvas visual testing =eladb =avnerner","author":"=eladb =avnerner","date":"2012-11-25 "},{"name":"cantina","description":"An application bootstrapper and plugin framework.","url":null,"keywords":"","version":"4.1.7","words":"cantina an application bootstrapper and plugin framework. =carlos8f =cpsubrian =jahjahd","author":"=carlos8f =cpsubrian =jahjahd","date":"2014-08-17 "},{"name":"cantina-amino","description":"Enables a Cantina app to be auto-clustered by Amino","url":null,"keywords":"","version":"4.1.5","words":"cantina-amino enables a cantina app to be auto-clustered by amino =cpsubrian =carlos8f =jahjahd","author":"=cpsubrian =carlos8f =jahjahd","date":"2014-08-27 "},{"name":"cantina-app-ui-users","description":"Drop-in UI for cantina-app-users","url":null,"keywords":"","version":"4.1.2","words":"cantina-app-ui-users drop-in ui for cantina-app-users =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-app-users","description":"Drop-in users system for Cantina apps","url":null,"keywords":"","version":"4.1.2","words":"cantina-app-users drop-in users system for cantina apps =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-assets","description":"Asset aggregator and minifier for Cantina applications.","url":null,"keywords":"cantina","version":"4.2.3","words":"cantina-assets asset aggregator and minifier for cantina applications. =cpsubrian =jahjahd cantina","author":"=cpsubrian =jahjahd","date":"2014-09-11 "},{"name":"cantina-auth","description":"Authentication base plugin for Cantina","url":null,"keywords":"","version":"4.1.2","words":"cantina-auth authentication base plugin for cantina =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-auth-facebook","description":"Facebook authentication for cantina","url":null,"keywords":"","version":"4.1.1","words":"cantina-auth-facebook facebook authentication for cantina =cpsubrian","author":"=cpsubrian","date":"2014-08-03 "},{"name":"cantina-auth-twitter","description":"Twitter authentication for cantina","url":null,"keywords":"","version":"4.1.1","words":"cantina-auth-twitter twitter authentication for cantina =cpsubrian","author":"=cpsubrian","date":"2014-08-03 "},{"name":"cantina-cache","description":"Tag-based caching for cantina apps","url":null,"keywords":"cantina cache","version":"4.1.2","words":"cantina-cache tag-based caching for cantina apps =cpsubrian =carlos8f =jahjahd cantina cache","author":"=cpsubrian =carlos8f =jahjahd","date":"2014-08-29 "},{"name":"cantina-cli","description":"Initialize a directory for a new cantina app","url":null,"keywords":"","version":"0.3.1","words":"cantina-cli initialize a directory for a new cantina app =cpsubrian","author":"=cpsubrian","date":"2014-08-03 "},{"name":"cantina-cron","description":"An amino/redis-powered in-app crontab.","url":null,"keywords":"cantina cron","version":"4.1.2","words":"cantina-cron an amino/redis-powered in-app crontab. =cpsubrian cantina cron","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-email","description":"Email sending and templating for Cantina applications.","url":null,"keywords":"cantina email","version":"4.1.2","words":"cantina-email email sending and templating for cantina applications. =cpsubrian =carlos8f =jahjahd cantina email","author":"=cpsubrian =carlos8f =jahjahd","date":"2014-08-29 "},{"name":"cantina-log","description":"JSON logging for Cantina apps","url":null,"keywords":"","version":"4.1.2","words":"cantina-log json logging for cantina apps =cpsubrian =carlos8f =jahjahd","author":"=cpsubrian =carlos8f =jahjahd","date":"2014-08-29 "},{"name":"cantina-models","description":"Extensible models for cantina applications.","url":null,"keywords":"cantina models","version":"4.1.2","words":"cantina-models extensible models for cantina applications. =cpsubrian cantina models","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-models-mongo","description":"MongoDB store implementing a modeler-compatible API for cantina-models","url":null,"keywords":"","version":"4.1.2","words":"cantina-models-mongo mongodb store implementing a modeler-compatible api for cantina-models =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-models-redis","description":"Redis store for cantina-models","url":null,"keywords":"","version":"4.1.2","words":"cantina-models-redis redis store for cantina-models =jahjahd =cpsubrian =carlos8f","author":"=jahjahd =cpsubrian =carlos8f","date":"2014-08-29 "},{"name":"cantina-models-schemas","description":"Schemas for cantina-models","url":null,"keywords":"","version":"4.1.2","words":"cantina-models-schemas schemas for cantina-models =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-mongo","description":"MongoDB for Cantina applications","url":null,"keywords":"","version":"4.1.2","words":"cantina-mongo mongodb for cantina applications =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-mysql","description":"MySQL for Cantina applications.","url":null,"keywords":"","version":"4.1.2","words":"cantina-mysql mysql for cantina applications. =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-permissions","description":"Permissions system for Cantina apps","url":null,"keywords":"","version":"4.1.2","words":"cantina-permissions permissions system for cantina apps =cpsubrian","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-queue","description":"Amino queue interface for cantina applications.","url":null,"keywords":"cantina queue amino","version":"4.1.2","words":"cantina-queue amino queue interface for cantina applications. =cpsubrian cantina queue amino","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-redis","description":"Provides a redis client for Cantina applications.","url":null,"keywords":"","version":"4.1.2","words":"cantina-redis provides a redis client for cantina applications. =cpsubrian","author":"=cpsubrian","date":"2014-08-15 "},{"name":"cantina-repl","description":"REPL for cantina applications","url":null,"keywords":"","version":"4.1.0","words":"cantina-repl repl for cantina applications =cpsubrian","author":"=cpsubrian","date":"2014-08-03 "},{"name":"cantina-session","description":"Session support for Cantina","url":null,"keywords":"","version":"4.1.2","words":"cantina-session session support for cantina =cpsubrian","author":"=cpsubrian","date":"2014-08-15 "},{"name":"cantina-tokens","description":"Provides generation, validation, and deletion of expirable tokens for Cantina applications.","url":null,"keywords":"cantina tokens","version":"4.1.2","words":"cantina-tokens provides generation, validation, and deletion of expirable tokens for cantina applications. =cpsubrian cantina tokens","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-validators","description":"Provides validators for Cantina applications.","url":null,"keywords":"cantina validators","version":"4.1.2","words":"cantina-validators provides validators for cantina applications. =cpsubrian cantina validators","author":"=cpsubrian","date":"2014-08-29 "},{"name":"cantina-vhosts","description":"Support for multi-site cantina apps.","url":null,"keywords":"cantina vhosts","version":"4.1.11","words":"cantina-vhosts support for multi-site cantina apps. =cpsubrian cantina vhosts","author":"=cpsubrian","date":"2014-09-04 "},{"name":"cantina-web","description":"A stack of cantina plugins that sets up a ready-to-go web application.","url":null,"keywords":"cantina","version":"4.2.2","words":"cantina-web a stack of cantina plugins that sets up a ready-to-go web application. =cpsubrian =jahjahd =carlos8f cantina","author":"=cpsubrian =jahjahd =carlos8f","date":"2014-08-18 "},{"name":"canto","description":"Value added Redis","url":null,"keywords":"","version":"0.1.3","words":"canto value added redis =automatthew =dyoder","author":"=automatthew =dyoder","date":"2014-01-23 "},{"name":"canto34","description":"A library for helping you build recursive descent parsers and regex-based lexers","url":null,"keywords":"parsing lexing lexical analysis parser lexer","version":"0.0.2","words":"canto34 a library for helping you build recursive descent parsers and regex-based lexers =stevecooperorg parsing lexing lexical analysis parser lexer","author":"=stevecooperorg","date":"2014-07-21 "},{"name":"cantonese","description":"Cantonese romanization. Cantonese to Latin conversion.","url":null,"keywords":"cantonese romanization latin conversion","version":"0.0.0","words":"cantonese cantonese romanization. cantonese to latin conversion. =caiguanhao cantonese romanization latin conversion","author":"=caiguanhao","date":"2014-08-03 "},{"name":"canvace","description":"The Canvace Visual Development Environment.","url":null,"keywords":"canvace darblast devenv visual development environment html5 application game stage level design project sencha extjs socket.io","version":"0.9.16","words":"canvace the canvace visual development environment. =jmc88 =71104 canvace darblast devenv visual development environment html5 application game stage level design project sencha extjs socket.io","author":"=jmc88 =71104","date":"2013-07-14 "},{"name":"canvas","description":"Canvas graphics API backed by Cairo","url":null,"keywords":"canvas graphic graphics pixman cairo image images pdf","version":"1.1.6","words":"canvas canvas graphics api backed by cairo =tjholowaychuk =kangax =tootallnate =rauchg canvas graphic graphics pixman cairo image images pdf","author":"=tjholowaychuk =kangax =tootallnate =rauchg","date":"2014-08-02 "},{"name":"canvas-5-polyfill","description":"Polyfill for HTML 5 Canvas features.","url":null,"keywords":"canvas html5 polyfill","version":"0.1.0","words":"canvas-5-polyfill polyfill for html 5 canvas features. =jcgregorio canvas html5 polyfill","author":"=jcgregorio","date":"2014-04-29 "},{"name":"canvas-api","keywords":"","version":[],"words":"canvas-api","author":"","date":"2014-07-23 "},{"name":"canvas-app","description":"sets up a retina-scaled canvas with render loop","url":null,"keywords":"canvas 2d webgl gl context context2d render renderer loop frame game shell animation","version":"1.1.0","words":"canvas-app sets up a retina-scaled canvas with render loop =mattdesl canvas 2d webgl gl context context2d render renderer loop frame game shell animation","author":"=mattdesl","date":"2014-07-09 "},{"name":"canvas-autoscale","description":"A variant of canvas-fit that handles some extra magic for you: adjusting the scale of the canvas to maintain smooth framerates","url":null,"keywords":"fps canvas fit scale screen window browser browserify resize automatic","version":"2.0.0","words":"canvas-autoscale a variant of canvas-fit that handles some extra magic for you: adjusting the scale of the canvas to maintain smooth framerates =hughsk fps canvas fit scale screen window browser browserify resize automatic","author":"=hughsk","date":"2014-09-04 "},{"name":"canvas-browserify","description":"wrap canvas module so the same code works in node or browser","url":null,"keywords":"","version":"1.1.1","words":"canvas-browserify wrap canvas module so the same code works in node or browser =dominictarr","author":"=dominictarr","date":"2013-11-25 "},{"name":"canvas-captcha","description":"a nodejs captcha module based on node-canvas","url":null,"keywords":"captcha canvas cairo","version":"1.2.2","words":"canvas-captcha a nodejs captcha module based on node-canvas =zxdong262 captcha canvas cairo","author":"=zxdong262","date":"2014-07-18 "},{"name":"canvas-colorize-alpha","description":"colorize-alpha for canvas","url":null,"keywords":"html5 canvas colorize alpha","version":"0.0.0","words":"canvas-colorize-alpha colorize-alpha for canvas =tmcw html5 canvas colorize alpha","author":"=tmcw","date":"2013-03-21 "},{"name":"canvas-colorpicker","description":"Displays an image in canvas and shows what color the cursor is at.","url":null,"keywords":"canvas color picker","version":"0.0.3","words":"canvas-colorpicker displays an image in canvas and shows what color the cursor is at. =jameskyburz canvas color picker","author":"=jameskyburz","date":"2013-09-11 "},{"name":"canvas-fit","description":"Small module for fitting a canvas element within the bounds of its parent.","url":null,"keywords":"canvas fit screen window browser stretch resize","version":"1.2.0","words":"canvas-fit small module for fitting a canvas element within the bounds of its parent. =hughsk canvas fit screen window browser stretch resize","author":"=hughsk","date":"2014-08-20 "},{"name":"canvas-grid","description":"draw canvas grid and react to events","url":null,"keywords":"canvas grid events","version":"0.1.5","words":"canvas-grid draw canvas grid and react to events =meandave canvas grid events","author":"=meandave","date":"2014-09-18 "},{"name":"canvas-gurtnec","description":"Canvas graphics API backed by Cairo","url":null,"keywords":"canvas graphic graphics pixman cairo image images pdf","version":"1.1.1","words":"canvas-gurtnec canvas graphics api backed by cairo =cocoggu canvas graphic graphics pixman cairo image images pdf","author":"=cocoggu","date":"2013-08-29 "},{"name":"canvas-heroku","description":"Canvas fork including Cairo binaries for Heroku deployment","url":null,"keywords":"canvas graphic graphics pixman cairo","version":"0.12.0","words":"canvas-heroku canvas fork including cairo binaries for heroku deployment =bpartridge canvas graphic graphics pixman cairo","author":"=bpartridge","date":"2012-06-06 "},{"name":"canvas-image","description":"CanvasImage - scripting animation on canvas","url":null,"keywords":"","version":"0.0.7","words":"canvas-image canvasimage - scripting animation on canvas =rook2pawn","author":"=rook2pawn","date":"2014-01-25 "},{"name":"canvas-lms-api","description":"Promise-driven accessor for the Canvas LMS API","url":null,"keywords":"api canvas","version":"0.0.3","words":"canvas-lms-api promise-driven accessor for the canvas lms api =aaronbean api canvas","author":"=aaronbean","date":"2014-07-23 "},{"name":"canvas-lms.js","description":"Functional Node wrapper for the open source Canvas LMS REST API.","url":null,"keywords":"canvas lms education edtech","version":"0.7.0","words":"canvas-lms.js functional node wrapper for the open source canvas lms rest api. =rockymadden canvas lms education edtech","author":"=rockymadden","date":"2014-08-15 "},{"name":"canvas-orbit-camera","description":"An alternative wrapper for orbit-camera that works independently of game-shell.","url":null,"keywords":"canvas orbit camera webgl 3d arcball rotation","version":"1.0.0","words":"canvas-orbit-camera an alternative wrapper for orbit-camera that works independently of game-shell. =hughsk canvas orbit camera webgl 3d arcball rotation","author":"=hughsk","date":"2014-08-25 "},{"name":"canvas-pixel-color","description":"get color data of pixel from canvas","url":null,"keywords":"pixel color rgba hex data canvas event","version":"1.0.2","words":"canvas-pixel-color get color data of pixel from canvas =meandave pixel color rgba hex data canvas event","author":"=meandave","date":"2014-09-14 "},{"name":"canvas-pixels","description":"Grab the pixels from a canvas' context, be it 2D or 3D, and return them in an array.","url":null,"keywords":"canvas webgl context pixel array data color","version":"0.0.0","words":"canvas-pixels grab the pixels from a canvas' context, be it 2d or 3d, and return them in an array. =hughsk canvas webgl context pixel array data color","author":"=hughsk","date":"2014-06-05 "},{"name":"canvas-plotter","description":"Plot graphs using canvas","url":null,"keywords":"","version":"0.0.5","words":"canvas-plotter plot graphs using canvas =bytesnake","author":"=bytesnake","date":"2013-10-20 "},{"name":"canvas-progress-bar","description":"A progress bar generated with canvas.","url":null,"keywords":"","version":"1.0.3","words":"canvas-progress-bar a progress bar generated with canvas. =dominictarr","author":"=dominictarr","date":"2014-01-04 "},{"name":"canvas-splitter","description":"Split a big canvas element into a grid of lots of little canvas elements","url":null,"keywords":"canvas split grid square table browserify","version":"0.0.2","words":"canvas-splitter split a big canvas element into a grid of lots of little canvas elements =hughsk canvas split grid square table browserify","author":"=hughsk","date":"2013-02-04 "},{"name":"canvas-superjoe","description":"Canvas graphics API backed by Cairo","url":null,"keywords":"canvas graphic graphics pixman cairo image images pdf","version":"1.1.1","words":"canvas-superjoe canvas graphics api backed by cairo =superjoe canvas graphic graphics pixman cairo image images pdf","author":"=superjoe","date":"2013-10-08 "},{"name":"canvas-testbed","description":"A minimal tedbed for simple canvas demos","url":null,"keywords":"canvas test testbed demo beefy prototype prototyping webgl","version":"0.4.0","words":"canvas-testbed a minimal tedbed for simple canvas demos =mattdesl canvas test testbed demo beefy prototype prototyping webgl","author":"=mattdesl","date":"2014-07-06 "},{"name":"canvas-text-wrapper","description":"JavaScript canvas text wrapper that automatically splits a string into lines on specified rule with optional alignments and padding.","url":null,"keywords":"","version":"0.1.1","words":"canvas-text-wrapper javascript canvas text wrapper that automatically splits a string into lines on specified rule with optional alignments and padding. =namniak","author":"=namniak","date":"2014-06-27 "},{"name":"canvas-to-blob","description":"Canvas toBlob polyfill","url":null,"keywords":"canvas polyfill blob","version":"0.0.0","words":"canvas-to-blob canvas toblob polyfill =remixz canvas polyfill blob","author":"=remixz","date":"2014-01-16 "},{"name":"canvas-to-pixels","description":"Convert canvas actions into pixels","url":null,"keywords":"canvas pixel pixels","version":"0.1.1","words":"canvas-to-pixels convert canvas actions into pixels =twolfson canvas pixel pixels","author":"=twolfson","date":"2013-11-22 "},{"name":"canvas-trunk","description":"Canvas graphics API backed by Cairo","url":null,"keywords":"canvas graphic graphics pixman cairo image images pdf","version":"1.1.3","words":"canvas-trunk canvas graphics api backed by cairo =kenansulayman canvas graphic graphics pixman cairo image images pdf","author":"=kenansulayman","date":"2014-05-18 "},{"name":"canvas-utils","description":"Utility functions for the HTML5 canvas","url":null,"keywords":"canvas util","version":"0.1.0","words":"canvas-utils utility functions for the html5 canvas =tillarnold canvas util","author":"=tillarnold","date":"2014-09-12 "},{"name":"canvas-win","description":"GDI+ based implementation of HTML5 canvas","url":null,"keywords":"canvas graphic graphics gdi+ windows image images","version":"0.1.7","words":"canvas-win gdi+ based implementation of html5 canvas =pastorgluk canvas graphic graphics gdi+ windows image images","author":"=pastorgluk","date":"2012-10-04 "},{"name":"canvas2blob","description":"convert canvas to blob","url":null,"keywords":"canvas image png blob file","version":"0.1.0","words":"canvas2blob convert canvas to blob =meandave canvas image png blob file","author":"=meandave","date":"2014-08-18 "},{"name":"canvas_react_i18n","description":"Convert React components to Canvas-ready I18n.t() calls.","url":null,"keywords":"canvas lms","version":"1.1.0","words":"canvas_react_i18n convert react components to canvas-ready i18n.t() calls. =amireh canvas lms","author":"=amireh","date":"2014-08-19 "},{"name":"canvasengine","description":"Use a model for handling server-side events and develop a multiplayer game.","url":null,"keywords":"html5 canvas game model","version":"1.0.8","words":"canvasengine use a model for handling server-side events and develop a multiplayer game. =webcreative5 html5 canvas game model","author":"=webcreative5","date":"2013-09-27 "},{"name":"canvass","description":"canvass =======","url":null,"keywords":"","version":"0.1.0","words":"canvass canvass ======= =ericcf","author":"=ericcf","date":"2013-09-09 "},{"name":"canvassmith","description":"node-canvas engine for spritesmith","url":null,"keywords":"phantomjs spritesmith image layout","version":"0.2.1","words":"canvassmith node-canvas engine for spritesmith =twolfson phantomjs spritesmith image layout","author":"=twolfson","date":"2013-12-06 "},{"name":"canvastools","description":"JavaScript functions to play with html5 canvas under the MIT-License","url":null,"keywords":"canvas image editing html5","version":"0.1.2","words":"canvastools javascript functions to play with html5 canvas under the mit-license =simonwaldherr canvas image editing html5","author":"=simonwaldherr","date":"2014-01-05 "},{"name":"canvasui","description":"A controvertial canvas based user interface system for mobile apps","url":null,"keywords":"","version":"0.0.1","words":"canvasui a controvertial canvas based user interface system for mobile apps =eladb","author":"=eladb","date":"2012-06-14 "},{"name":"canvasutil","description":"Pixel transformations and processing for canvas","url":null,"keywords":"canvas grayscale transform","version":"0.0.4","words":"canvasutil pixel transformations and processing for canvas =soldair canvas grayscale transform","author":"=soldair","date":"2014-05-26 "},{"name":"canvg","description":"A port of canvg, which pareses svg input and renders the result to a canvas.","url":null,"keywords":"canvas svg","version":"0.0.5","words":"canvg a port of canvg, which pareses svg input and renders the result to a canvas. =yetzt canvas svg","author":"=yetzt","date":"2014-02-11 "},{"name":"canvgc","description":"A port of canvg & jscanvas, which pareses svg input and outputs js code to reproduce on a canvas.","url":null,"keywords":"canvas svg","version":"0.1.4","words":"canvgc a port of canvg & jscanvas, which pareses svg input and outputs js code to reproduce on a canvas. =nathan-muir canvas svg","author":"=nathan-muir","date":"2013-09-05 "},{"name":"cao","description":"combine useful flow tools with co","url":null,"keywords":"co flow parallel gather any wait","version":"0.0.1","words":"cao combine useful flow tools with co =dead_horse co flow parallel gather any wait","author":"=dead_horse","date":"2014-03-10 "},{"name":"Cap","description":"A language that compiles to JavaScript","url":null,"keywords":"","version":"0.0.2","words":"cap a language that compiles to javascript =bengourley","author":"=bengourley","date":"2012-08-10 "},{"name":"cap","description":"A cross-platform binding for performing packet capturing with node.js","url":null,"keywords":"pcap packet capture libpcap winpcap","version":"0.0.10","words":"cap a cross-platform binding for performing packet capturing with node.js =mscdex pcap packet capture libpcap winpcap","author":"=mscdex","date":"2014-07-22 "},{"name":"capacitor","description":"Reactive MVC based on event streams","url":null,"keywords":"mvc event stream event stream react state machine node-stream pipe","version":"0.5.1","words":"capacitor reactive mvc based on event streams =joesavona mvc event stream event stream react state machine node-stream pipe","author":"=joesavona","date":"2014-05-13 "},{"name":"capacitor-log","description":"Basic console logger for CapacitorJS","url":null,"keywords":"mvc event stream event stream react state machine node-stream pipe","version":"0.1.0","words":"capacitor-log basic console logger for capacitorjs =joesavona mvc event stream event stream react state machine node-stream pipe","author":"=joesavona","date":"2014-05-13 "},{"name":"capacitor-react","description":"React view renderer for CapacitorJS","url":null,"keywords":"mvc event stream event stream react state machine node-stream pipe","version":"0.1.0","words":"capacitor-react react view renderer for capacitorjs =joesavona mvc event stream event stream react state machine node-stream pipe","author":"=joesavona","date":"2014-05-13 "},{"name":"capacitor-rift","description":"HTTP library for CapacitorJS - write params -> rift -> read response.","url":null,"keywords":"mvc event stream event stream react state machine node-stream pipe","version":"0.1.0","words":"capacitor-rift http library for capacitorjs - write params -> rift -> read response. =joesavona mvc event stream event stream react state machine node-stream pipe","author":"=joesavona","date":"2014-05-13 "},{"name":"capacitor-state-machine","description":"State Machine for CapacitorJS - handle events based on the current state, and easily switch between states.","url":null,"keywords":"mvc event stream event stream react state machine node-stream pipe","version":"0.1.0","words":"capacitor-state-machine state machine for capacitorjs - handle events based on the current state, and easily switch between states. =joesavona mvc event stream event stream react state machine node-stream pipe","author":"=joesavona","date":"2014-05-13 "},{"name":"capcha-api","keywords":"","version":[],"words":"capcha-api","author":"","date":"2014-05-19 "},{"name":"cape","description":"Clone this project to scaffold a new (npm/node) project.","url":null,"keywords":"","version":"0.1.6","words":"cape clone this project to scaffold a new (npm/node) project. =michieljoris","author":"=michieljoris","date":"2014-05-26 "},{"name":"caper","description":"Just-in-time HTTP server for simple dictionary resources.","url":null,"keywords":"","version":"0.0.2","words":"caper just-in-time http server for simple dictionary resources. =dyoder","author":"=dyoder","date":"2014-08-04 "},{"name":"caphe","description":"various design utils","url":null,"keywords":"coffeescript forward delegate mixin include","version":"0.0.2","words":"caphe various design utils =drabiter coffeescript forward delegate mixin include","author":"=drabiter","date":"2014-07-06 "},{"name":"capillary","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"1.0.0","words":"capillary error: no readme.md file found! =cjohansen","author":"=cjohansen","date":"2013-01-31 "},{"name":"capirona","description":"Javascript Tasks","url":null,"keywords":"","version":"0.2.0","words":"capirona javascript tasks =architectd","author":"=architectd","date":"2012-11-26 "},{"name":"capisce","description":"A small CPS-style utility library for node.js","url":null,"keywords":"queue sequence concurrent parallel","version":"0.6.2","words":"capisce a small cps-style utility library for node.js =nlehuen queue sequence concurrent parallel","author":"=nlehuen","date":"2012-11-02 "},{"name":"capishe","description":"Utilities for building APIs in express.","url":null,"keywords":"","version":"0.0.4","words":"capishe utilities for building apis in express. =phuu","author":"=phuu","date":"2013-04-05 "},{"name":"capital","description":"Asset compiler/minifier - supports Stylus, CoffeeScript, and vanilla JavaScript and CSS","url":null,"keywords":"assets compiler","version":"0.0.3","words":"capital asset compiler/minifier - supports stylus, coffeescript, and vanilla javascript and css =sebmck assets compiler","author":"=sebmck","date":"2013-07-08 "},{"name":"capital-bike-share-js","description":"Capital Bike Share Api","url":null,"keywords":"capital bikeshare bikeshare bikeshare api","version":"1.0.0","words":"capital-bike-share-js capital bike share api =jgeller capital bikeshare bikeshare bikeshare api","author":"=jgeller","date":"2014-09-18 "},{"name":"capitalize","description":"capitalize the first letter of a string, or all words in a string","url":null,"keywords":"capitalize","version":"0.5.0","words":"capitalize capitalize the first letter of a string, or all words in a string =robkuz =grncdr capitalize","author":"=robkuz =grncdr","date":"2014-01-31 "},{"name":"capitalize-first-char","description":"A function to capitalize the first character on a string","url":null,"keywords":"","version":"1.0.0","words":"capitalize-first-char a function to capitalize the first character on a string =yamadapc","author":"=yamadapc","date":"2014-01-26 "},{"name":"capjs","description":"Clone this project to scaffold a new (npm/node) project.","url":null,"keywords":"","version":"0.1.2","words":"capjs clone this project to scaffold a new (npm/node) project. =michieljoris","author":"=michieljoris","date":"2014-05-24 "},{"name":"capnp","description":"A wrapper for the C++ Cap'n Proto library","url":null,"keywords":"capnproto serialization","version":"0.1.6","words":"capnp a wrapper for the c++ cap'n proto library =kentonv capnproto serialization","author":"=kentonv","date":"2014-09-20 "},{"name":"capnpc-stdout","description":"Barf Capnproto compiler output to stdout.","url":null,"keywords":"","version":"0.0.1","words":"capnpc-stdout barf capnproto compiler output to stdout. =popham","author":"=popham","date":"2014-05-20 "},{"name":"capo","description":"Understand subscriptions and listeners. Get the list of events or event handlers. Capo is a complement for Mediator","url":null,"keywords":"mediator analyzer events backbone publish subscribe pubsub","version":"1.0.1","words":"capo understand subscriptions and listeners. get the list of events or event handlers. capo is a complement for mediator =msemenistyi mediator analyzer events backbone publish subscribe pubsub","author":"=msemenistyi","date":"2014-08-10 "},{"name":"capoo","description":"Run capistrano tasks the pretty way","url":null,"keywords":"","version":"0.0.2","words":"capoo run capistrano tasks the pretty way =saschagehlich","author":"=saschagehlich","date":"2011-03-11 "},{"name":"capp","description":"Uber-simple CouchApp deployment with Node.js.","url":null,"keywords":"couchdb couchapp","version":"0.1.0","words":"capp uber-simple couchapp deployment with node.js. =nick-thompson couchdb couchapp","author":"=nick-thompson","date":"2014-01-26 "},{"name":"capped-array","description":"Simple Array extension to have a fixed-length array that automatically drops the last entry when pushing over the size","url":null,"keywords":"array capped list fixed-length","version":"0.0.1","words":"capped-array simple array extension to have a fixed-length array that automatically drops the last entry when pushing over the size =sbsoftware array capped list fixed-length","author":"=sbsoftware","date":"2013-11-30 "},{"name":"cappuccino","description":"hot mocking library on jasmine and node.js","url":null,"keywords":"","version":"0.0.13","words":"cappuccino hot mocking library on jasmine and node.js =functioncallback","author":"=functioncallback","date":"2011-11-02 "},{"name":"capre","description":"Cross-Server Data Replication","url":null,"keywords":"","version":"0.0.6","words":"capre cross-server data replication =timoxley =flybyme","author":"=timoxley =flybyme","date":"2012-11-07 "},{"name":"caprese","description":"Capped Log for Node.js","url":null,"keywords":"capped log logger circular","version":"0.2.0","words":"caprese capped log for node.js =patriksimek capped log logger circular","author":"=patriksimek","date":"2014-08-23 "},{"name":"capri","description":"Capri Library :: Clasic object oriented JavaScript","url":null,"keywords":"framework library oop object-oriented class interface module jquery","version":"0.1.0","words":"capri capri library :: clasic object oriented javascript =kruncher framework library oop object-oriented class interface module jquery","author":"=kruncher","date":"2012-05-20 "},{"name":"caprice","keywords":"","version":[],"words":"caprice","author":"","date":"2014-04-05 "},{"name":"caps","description":"Store any file on anonymous public services","url":null,"keywords":"","version":"0.4.1","words":"caps store any file on anonymous public services =programble","author":"=programble","date":"2014-06-30 "},{"name":"caps-lock","description":"CAPS LOCK FOR YOUR NODE PROGRAM","url":null,"keywords":"CAPSLOCK CAPS LOUD ENGAGE DISENGAGE","version":"0.0.4","words":"caps-lock caps lock for your node program =substack capslock caps loud engage disengage","author":"=substack","date":"2012-08-04 "},{"name":"caps-rate","description":"Get frequency of YELLING.","url":null,"keywords":"caps","version":"1.0.3","words":"caps-rate get frequency of yelling. =kenan caps","author":"=kenan","date":"2014-07-21 "},{"name":"capsela","description":"A high-level, promises-based web framework built for testability","url":null,"keywords":"","version":"0.6.3","words":"capsela a high-level, promises-based web framework built for testability =sitelier","author":"=sitelier","date":"2012-11-15 "},{"name":"capsela-util","description":"Assorted utilities required by most Capsela modules","url":null,"keywords":"","version":"1.0.5","words":"capsela-util assorted utilities required by most capsela modules =sitelier","author":"=sitelier","date":"2012-03-08 "},{"name":"capshare","description":"Automatic image uploads to an s3 bucket then add url to clipboard","url":null,"keywords":"","version":"0.1.0","words":"capshare automatic image uploads to an s3 bucket then add url to clipboard =bhelx","author":"=bhelx","date":"2013-06-23 "},{"name":"capslock","description":"Caps Lock Observer","url":null,"keywords":"capsLock capslock caps lock observe observer","version":"1.0.1","words":"capslock caps lock observer =aaditmshah capslock capslock caps lock observe observer","author":"=aaditmshah","date":"2014-06-05 "},{"name":"capslockscript","description":"JAVASCRIPT HOW IT SHOULD HAVE ALWAYS BEEN","url":null,"keywords":"CAPS CAPSLOCK CAPSLOCKSCRIPT","version":"0.0.4","words":"capslockscript javascript how it should have always been =rvagg caps capslock capslockscript","author":"=rvagg","date":"2012-08-04 "},{"name":"capstone","description":"Bindings for the capstone disassembler library","url":null,"keywords":"capstone disassembler disassembly ASM ARM ARM64 PowerPC PPC x86 x86_64 i386 MIPS","version":"2.1.3","words":"capstone bindings for the capstone disassembler library =parasyte capstone disassembler disassembly asm arm arm64 powerpc ppc x86 x86_64 i386 mips","author":"=parasyte","date":"2014-06-02 "},{"name":"capsulate","description":"Better JavaScript Object validation and management for servers.","url":null,"keywords":"","version":"0.1.1","words":"capsulate better javascript object validation and management for servers. =kixxauth","author":"=kixxauth","date":"2012-12-13 "},{"name":"capsulayer","description":"Capsulayer agent","url":null,"keywords":"encapsulation load balancing cdn caching api private api internal api tunnel ssh autoscaling key exchange private cloud private paas","version":"0.1.10","words":"capsulayer capsulayer agent =capsulayer encapsulation load balancing cdn caching api private api internal api tunnel ssh autoscaling key exchange private cloud private paas","author":"=capsulayer","date":"2014-09-19 "},{"name":"capsule","description":"Realtime web framework for Backbone.js and Socket.io","url":null,"keywords":"realtime backbone socket.io websocket","version":"0.2.2","words":"capsule realtime web framework for backbone.js and socket.io =henrikjoreteg realtime backbone socket.io websocket","author":"=henrikjoreteg","date":"2011-06-27 "},{"name":"capsule-crm","description":"Node helper for Capsule CRM","url":null,"keywords":"","version":"0.0.8","words":"capsule-crm node helper for capsule crm =tralamazza =bugbuster","author":"=tralamazza =bugbuster","date":"2013-03-07 "},{"name":"capsule-js","description":"Simple browser module system","url":null,"keywords":"module browser require commonj-esque bundle","version":"0.1.0-alpha.6","words":"capsule-js simple browser module system =justinvdm module browser require commonj-esque bundle","author":"=justinvdm","date":"2014-08-20 "},{"name":"capsulejs","description":"Easy deploy from git (bitbucket/github) to web server","url":null,"keywords":"","version":"1.1.1","words":"capsulejs easy deploy from git (bitbucket/github) to web server =iamlop","author":"=iamlop","date":"2014-09-03 "},{"name":"capsules","description":"Run actions in interval capsules","url":null,"keywords":"","version":"0.1.1","words":"capsules run actions in interval capsules =arunoda2","author":"=arunoda2","date":"2012-03-08 "},{"name":"capt","description":"Command line tool for creating backbone.js applications with coffeescript","url":null,"keywords":"jst templates rest backbone jquery zepto framework coffeescript less underscore","version":"0.6.0","words":"capt command line tool for creating backbone.js applications with coffeescript =bnolan jst templates rest backbone jquery zepto framework coffeescript less underscore","author":"=bnolan","date":"2012-05-14 "},{"name":"captain","description":"Captain is a blog engine for node.js","url":null,"keywords":"blog cms content management web","version":"0.1.17","words":"captain captain is a blog engine for node.js =shinuza blog cms content management web","author":"=shinuza","date":"2013-04-06 "},{"name":"captain-admin","description":"Admin front-end for captain.js","url":null,"keywords":"blog cms content management web admin","version":"0.5.10","words":"captain-admin admin front-end for captain.js =shinuza blog cms content management web admin","author":"=shinuza","date":"2013-04-06 "},{"name":"captain-core","description":"Core module for captain.js","url":null,"keywords":"blog cms content management web","version":"0.21.29","words":"captain-core core module for captain.js =shinuza blog cms content management web","author":"=shinuza","date":"2013-04-06 "},{"name":"captain-hook","description":"Pre- and Post- Create and Update Hooks for Mongoose ODM","url":null,"keywords":"mongoose odm hooks pre post create update plugin","version":"0.0.3","words":"captain-hook pre- and post- create and update hooks for mongoose odm =nathanhackley mongoose odm hooks pre post create update plugin","author":"=nathanhackley","date":"2014-09-19 "},{"name":"captains-log","description":"Simple wrapper around Winston to allow for declarative configuaration","url":null,"keywords":"winston sails log logger waterline","version":"0.11.11","words":"captains-log simple wrapper around winston to allow for declarative configuaration =balderdashy winston sails log logger waterline","author":"=balderdashy","date":"2014-06-30 "},{"name":"captcha","description":"Simple captcha middleware for Connect","url":null,"keywords":"","version":"0.0.4","words":"captcha simple captcha middleware for connect =napa3um","author":"=napa3um","date":"2012-11-24 "},{"name":"captcha-api","description":"Client for captcha solvers API","url":null,"keywords":"","version":"0.0.3","words":"captcha-api client for captcha solvers api =kamil","author":"=kamil","date":"2014-05-19 "},{"name":"captcha2","description":"captcha version 2","url":null,"keywords":"captcha nodejs js node javascript ","version":"0.0.3","words":"captcha2 captcha version 2 =zhanghaojie captcha nodejs js node javascript","author":"=zhanghaojie","date":"2013-07-29 "},{"name":"captchafa","description":"CAPTCHAfa NodeJS module","url":null,"keywords":"captchafa captcha recaptchafa persian farsi eamin","version":"1.0.1","words":"captchafa captchafa nodejs module =eamin captchafa captcha recaptchafa persian farsi eamin","author":"=eamin","date":"2012-10-05 "},{"name":"captchagen","description":"Captcha generator","url":null,"keywords":"","version":"1.1.0","words":"captchagen captcha generator =fractal","author":"=fractal","date":"2013-10-03 "},{"name":"captchapng","description":"A numeric captcha generator for Node.js","url":null,"keywords":"captchapng","version":"0.0.1","words":"captchapng a numeric captcha generator for node.js =gchan captchapng","author":"=gchan","date":"2013-08-20 "},{"name":"captchar","description":"Generate captcha image. Written in Node.js.","url":null,"keywords":"","version":"0.1.1","words":"captchar generate captcha image. written in node.js. =chrisyipw","author":"=chrisyipw","date":"2014-07-10 "},{"name":"caption","description":"A captioned image generator for node.js, using imagemagick libraries.","url":null,"keywords":"caption image imagemagick meme pictures","version":"0.0.1","words":"caption a captioned image generator for node.js, using imagemagick libraries. =jesseditson caption image imagemagick meme pictures","author":"=jesseditson","date":"2012-12-07 "},{"name":"capture","description":"Captures Screenshots using Phantom.js","url":null,"keywords":"capture phantomjs screenshot web website","version":"0.1.0","words":"capture captures screenshots using phantom.js =mmoulton capture phantomjs screenshot web website","author":"=mmoulton","date":"2013-04-09 "},{"name":"capture-output","description":"capture output of shell command","url":null,"keywords":"capture output shell","version":"0.0.5","words":"capture-output capture output of shell command =hushicai capture output shell","author":"=hushicai","date":"2014-08-17 "},{"name":"capture-proxy","description":"A http proxy that can be used to intercept http requests and persist the request and response payloads.","url":null,"keywords":"capture proxy curl replay HttpRequest HttpResponse","version":"0.2.4","words":"capture-proxy a http proxy that can be used to intercept http requests and persist the request and response payloads. =socsieng capture proxy curl replay httprequest httpresponse","author":"=socsieng","date":"2014-03-09 "},{"name":"capturejs","description":"CaptureJS =========","url":null,"keywords":"","version":"0.0.8","words":"capturejs capturejs ========= =superbrothers","author":"=superbrothers","date":"2014-09-06 "},{"name":"captureme","description":"CLI utility that helps you capture screenshots from any browser available in the cloud","url":null,"keywords":"","version":"0.1.0","words":"captureme cli utility that helps you capture screenshots from any browser available in the cloud =vesln","author":"=vesln","date":"2014-02-26 "},{"name":"captureweb","description":"NodeJS module for capturing entire web with screenshots","url":null,"keywords":"phantomjs screenshots server snapshot test headless","version":"0.0.7","words":"captureweb nodejs module for capturing entire web with screenshots =darul75 phantomjs screenshots server snapshot test headless","author":"=darul75","date":"2014-05-14 "},{"name":"caql","description":"Calypso Query Language","url":null,"keywords":"calypso query language sql","version":"0.1.0","words":"caql calypso query language =kevinswiber calypso query language sql","author":"=kevinswiber","date":"2014-07-23 "},{"name":"caql-js-compiler","description":"A CaQL compiler that converts queries into executable JavaScript.","url":null,"keywords":"caql calypso compiler","version":"0.1.0","words":"caql-js-compiler a caql compiler that converts queries into executable javascript. =kevinswiber caql calypso compiler","author":"=kevinswiber","date":"2014-07-31 "},{"name":"car","description":"A library to look up license plates of cars","url":null,"keywords":"","version":"0.1.2","words":"car a library to look up license plates of cars =kristjanmik","author":"=kristjanmik","date":"2014-08-06 "},{"name":"car2go","description":"Car2Go REST API","url":null,"keywords":"car2go c2g","version":"0.0.1","words":"car2go car2go rest api =jbuck car2go c2g","author":"=jbuck","date":"2013-07-28 "},{"name":"caradoc","description":"node js framework","url":null,"keywords":"caradoc frameword web api router security app","version":"0.3.7","words":"caradoc node js framework =goten caradoc frameword web api router security app","author":"=goten","date":"2013-11-20 "},{"name":"caradoc-entity","description":"entity managment for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server entity","version":"0.2.0-alpha","words":"caradoc-entity entity managment for caradoc framework =goten caradoc frameword web api router security app router server entity","author":"=goten","date":"2013-11-06 "},{"name":"caradoc-login","description":"login service for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.1.0","words":"caradoc-login login service for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-04 "},{"name":"caradoc-mail","description":"mail service for caradoc framework","url":null,"keywords":"caradoc mail","version":"0.1.2","words":"caradoc-mail mail service for caradoc framework =goten caradoc mail","author":"=goten","date":"2013-11-06 "},{"name":"caradoc-router","description":"router for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.1.5","words":"caradoc-router router for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-05 "},{"name":"caradoc-security","description":"security middleware for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.3.0","words":"caradoc-security security middleware for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-19 "},{"name":"caradoc-server","description":"server for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.2.4","words":"caradoc-server server for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-20 "},{"name":"caradoc-sql","description":"service SQL for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.1.1","words":"caradoc-sql service sql for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-03 "},{"name":"caradoc-user","description":"default user for caradoc framework","url":null,"keywords":"caradoc frameword web api router security app router server","version":"0.1.4","words":"caradoc-user default user for caradoc framework =goten caradoc frameword web api router security app router server","author":"=goten","date":"2013-11-20 "},{"name":"carahue","description":"Declarative style diffing tool","url":null,"keywords":"CSS continuous-integration phantomjs","version":"1.0.0","words":"carahue declarative style diffing tool =kpdecker css continuous-integration phantomjs","author":"=kpdecker","date":"2013-09-12 "},{"name":"caramel","description":"Caramel.js ==========","url":null,"keywords":"Postgresql ORM pg node-pg node-sql","version":"0.1.2","words":"caramel caramel.js ========== =sidazhang postgresql orm pg node-pg node-sql","author":"=sidazhang","date":"2014-07-16 "},{"name":"carapace","description":"Manipulate images with JavaScript","url":null,"keywords":"canvas image editing","version":"0.3.0","words":"carapace manipulate images with javascript =christophercliff canvas image editing","author":"=christophercliff","date":"2014-05-16 "},{"name":"carapace-crop","description":"Crop for Carapace","url":null,"keywords":"canvas","version":"0.0.1","words":"carapace-crop crop for carapace =christophercliff canvas","author":"=christophercliff","date":"2014-02-15 "},{"name":"carbeurator","description":"0.0.1","url":null,"keywords":"","version":"0.0.0","words":"carbeurator 0.0.1 =disdev","author":"=disdev","date":"2014-04-27 "},{"name":"carbon","description":"Middleware based proxy for cluster or table based routing.","url":null,"keywords":"proxy cluster balancer balance","version":"0.5.0","words":"carbon middleware based proxy for cluster or table based routing. =jakeluer proxy cluster balancer balance","author":"=jakeluer","date":"2013-01-25 "},{"name":"carbon-logger","description":"Quantum based logger for Carbon proxy.","url":null,"keywords":"","version":"0.1.0","words":"carbon-logger quantum based logger for carbon proxy. =jakeluer","author":"=jakeluer","date":"2012-05-24 "},{"name":"carbon-stats","description":"Stats middleware for Carbon proxy.","url":null,"keywords":"","version":"0.1.0","words":"carbon-stats stats middleware for carbon proxy. =jakeluer","author":"=jakeluer","date":"2012-05-24 "},{"name":"carbon-streams","description":"Framework for intercepting and modifying Carbon (Graphite) metrics","url":null,"keywords":"carbon graphite stream metrics","version":"0.9.1","words":"carbon-streams framework for intercepting and modifying carbon (graphite) metrics =blalor carbon graphite stream metrics","author":"=blalor","date":"2013-10-11 "},{"name":"carbonfibers","description":"Carbon Fibers is a hybrid promise/fibers library designed to easily bridge the gap between fibers and traditional promises, and can be used like a simplified \"threading library\" that is built on the fibers library.","url":null,"keywords":"","version":"0.0.41","words":"carbonfibers carbon fibers is a hybrid promise/fibers library designed to easily bridge the gap between fibers and traditional promises, and can be used like a simplified \"threading library\" that is built on the fibers library. =javascriptismagic","author":"=javascriptismagic","date":"2014-08-19 "},{"name":"carboy","description":"","url":null,"keywords":"","version":"0.0.3","words":"carboy =davewasmer","author":"=davewasmer","date":"2013-12-11 "},{"name":"carcall","description":"Car calling simulation","url":null,"keywords":"car call sim","version":"0.0.1","words":"carcall car calling simulation =andreio car call sim","author":"=andreio","date":"2014-05-06 "},{"name":"carcase","description":"Creation tool source codes","url":null,"keywords":"scaffold express node generator carcase","version":"0.1.3","words":"carcase creation tool source codes =williamurbano scaffold express node generator carcase","author":"=williamurbano","date":"2014-09-12 "},{"name":"carcass","description":"A toolbox for Node.js.","url":null,"keywords":"carcass toolbox","version":"0.11.5","words":"carcass a toolbox for node.js. =makara carcass toolbox","author":"=makara","date":"2014-07-18 "},{"name":"carcass-auth","description":"(Node.js) Authentication middlewares, in Carcass style.","url":null,"keywords":"carcass auth","version":"0.4.1","words":"carcass-auth (node.js) authentication middlewares, in carcass style. =makara carcass auth","author":"=makara","date":"2014-06-23 "},{"name":"carcass-config","description":"(Node.js) A config file loader and manager, in Carcass style.","url":null,"keywords":"carcass config","version":"0.2.2","words":"carcass-config (node.js) a config file loader and manager, in carcass style. =makara carcass config","author":"=makara","date":"2014-06-05 "},{"name":"carcass-couch","description":"(Node.js) A simple wrap of cradle plus some stream APIs, in Carcass style.","url":null,"keywords":"carcass couch couchdb cradle stream","version":"0.6.0","words":"carcass-couch (node.js) a simple wrap of cradle plus some stream apis, in carcass style. =makara carcass couch couchdb cradle stream","author":"=makara","date":"2014-08-11 "},{"name":"carcass-memoray","description":"Memory storage with Array.js for Carcass","url":null,"keywords":"carcass storage","version":"0.0.1","words":"carcass-memoray memory storage with array.js for carcass =tknew carcass storage","author":"=tknew","date":"2013-02-26 "},{"name":"carcass-monitor","description":"(Node.js) A simple wrap of forever-monitor, in Carcass style.","url":null,"keywords":"carcass monitor forever forever-monitor","version":"0.4.0","words":"carcass-monitor (node.js) a simple wrap of forever-monitor, in carcass style. =makara carcass monitor forever forever-monitor","author":"=makara","date":"2014-04-23 "},{"name":"carcass-program","description":"(Node.js) A simple wrap of commander.js, plus some tools and examples, in Carcass style.","url":null,"keywords":"carcass program commander","version":"0.3.1","words":"carcass-program (node.js) a simple wrap of commander.js, plus some tools and examples, in carcass style. =makara carcass program commander","author":"=makara","date":"2014-07-23 "},{"name":"carcass-stripe","description":"(Node.js) A simple wrap of stripe APIs, in Carcass style.","url":null,"keywords":"carcass stripe payment stream","version":"0.1.3","words":"carcass-stripe (node.js) a simple wrap of stripe apis, in carcass style. =kuno carcass stripe payment stream","author":"=kuno","date":"2014-08-27 "},{"name":"card","description":"Card let's you add an interactive, CSS3 credit card animation to your credit card form to help your users through the process.","url":null,"keywords":"","version":"0.0.6","words":"card card let's you add an interactive, css3 credit card animation to your credit card form to help your users through the process. =jessepollak","author":"=jessepollak","date":"2014-08-07 "},{"name":"card-dealer","keywords":"","version":[],"words":"card-dealer","author":"","date":"2014-04-21 "},{"name":"card-swipe","description":"A utility for detecting CC track inputs from streaming character data and extracting data from them","url":null,"keywords":"credit cards card swipe track data","version":"0.1.0-beta","words":"card-swipe a utility for detecting cc track inputs from streaming character data and extracting data from them =khrome credit cards card swipe track data","author":"=khrome","date":"2014-01-28 "},{"name":"card-validate","description":"Validate Credit Card","url":null,"keywords":"payment card validation validate","version":"0.0.1","words":"card-validate validate credit card =howlowck payment card validation validate","author":"=howlowck","date":"2014-07-15 "},{"name":"cardamom","description":"Experimental Coffeescript Prelude","keywords":"argument type checking function node.js coffeescript","version":[],"words":"cardamom experimental coffeescript prelude =jaekwon argument type checking function node.js coffeescript","author":"=jaekwon","date":"2012-12-22 "},{"name":"cardboard","description":"[![build status](https://secure.travis-ci.org/mapbox/cardboard.png)](http://travis-ci.org/mapbox/cardboard)","url":null,"keywords":"geographic index spatial","version":"0.7.0","words":"cardboard [![build status](https://secure.travis-ci.org/mapbox/cardboard.png)](http://travis-ci.org/mapbox/cardboard) =tmcw =morganherlocker =dthompson =ingalls =ansis =jfirebaugh =miccolis =gretacb =aaronlidman =camilleanne =rclark =mapbox =willwhite =springmeyer =kkaefer =yhahn =lxbarth =mikemorris =ianshward =mourner =tristen geographic index spatial","author":"=tmcw =morganherlocker =dthompson =ingalls =ansis =jfirebaugh =miccolis =gretacb =aaronlidman =camilleanne =rclark =mapbox =willwhite =springmeyer =kkaefer =yhahn =lxbarth =mikemorris =ianshward =mourner =tristen","date":"2014-09-19 "},{"name":"cardcatalog","description":"A routing system for node using pluggable apps.","url":null,"keywords":"router plugins","version":"0.0.3","words":"cardcatalog a routing system for node using pluggable apps. =particlebanana router plugins","author":"=particlebanana","date":"2012-08-24 "},{"name":"cardi","description":"Parse web page meta data into an object containing title, description, keywords, and images.","url":null,"keywords":"meta card opengraph","version":"0.1.6","words":"cardi parse web page meta data into an object containing title, description, keywords, and images. =scottksmith95 meta card opengraph","author":"=scottksmith95","date":"2014-08-28 "},{"name":"cardinal","description":"Syntax highlights JavaScript code with ANSI colors to be printed to the terminal.","url":null,"keywords":"syntax highlight theme javascript json terminal console print output","version":"0.4.4","words":"cardinal syntax highlights javascript code with ansi colors to be printed to the terminal. =thlorenz syntax highlight theme javascript json terminal console print output","author":"=thlorenz","date":"2014-01-07 "},{"name":"cardinality","description":"Set cardinality estimates using HyperLogLog implementation","url":null,"keywords":"log loglog hyper hyperloglog cardinality estimate estimation algorithm set flajolet durand gandouet jean-marie fusy meunier","version":"0.0.2","words":"cardinality set cardinality estimates using hyperloglog implementation =mattbornski log loglog hyper hyperloglog cardinality estimate estimation algorithm set flajolet durand gandouet jean-marie fusy meunier","author":"=mattbornski","date":"2012-05-18 "},{"name":"cardio","description":"A cardiograph for your web application code base","url":null,"keywords":"tool performance","version":"0.1.0","words":"cardio a cardiograph for your web application code base =msiebuhr =munter =papandreou =auchenberg =tenzer tool performance","author":"=msiebuhr =munter =papandreou =auchenberg =tenzer","date":"2014-07-16 "},{"name":"cards","description":"Basic playing cards module","url":null,"keywords":"cards games random shuffle","version":"0.1.0","words":"cards basic playing cards module =k cards games random shuffle","author":"=k","date":"2013-02-12 "},{"name":"cards-tester","description":"basic tests for kik cards","url":null,"keywords":"","version":"0.0.17","words":"cards-tester basic tests for kik cards =jairajs89","author":"=jairajs89","date":"2014-06-12 "},{"name":"cards-tester-service","description":"1. Make sure you have NodeJS, http://nodejs.org/download/ 2. Make sure you have PhantomJS, http://phantomjs.org/download.html 3. Run this command, `sudo npm install -g cards-tester`","url":null,"keywords":"","version":"0.0.1","words":"cards-tester-service 1. make sure you have nodejs, http://nodejs.org/download/ 2. make sure you have phantomjs, http://phantomjs.org/download.html 3. run this command, `sudo npm install -g cards-tester` =jairajs89","author":"=jairajs89","date":"2014-02-14 "},{"name":"care-package","description":"Bundle and cache assets based on your own criteria.\n\nWarning! This is currently under heavy development and is as it stands, pointless.","url":null,"keywords":"","version":"0.0.4","words":"care-package bundle and cache assets based on your own criteria.\n\nwarning! this is currently under heavy development and is as it stands, pointless. =stefanpearson","author":"=stefanpearson","date":"2014-05-06 "},{"name":"carena","description":"Lightweight javascript scene graph for use with canvas","url":null,"keywords":"","version":"0.1.3","words":"carena lightweight javascript scene graph for use with canvas =tmpvar","author":"=tmpvar","date":"2013-11-02 "},{"name":"cares-wrap","keywords":"","version":[],"words":"cares-wrap","author":"","date":"2013-10-04 "},{"name":"caress","description":"Chatphrase Asynchronous Representational State Signaling","url":null,"keywords":"chatphrase rest webrtc signaling","version":"0.4.2","words":"caress chatphrase asynchronous representational state signaling =stuartpb chatphrase rest webrtc signaling","author":"=stuartpb","date":"2014-01-13 "},{"name":"caress-server","description":"caress-server is a NodeJS server that coverts TUIO data to events and emits those events","url":null,"keywords":"tuio osc touch multitouch eventemitter","version":"0.2.1","words":"caress-server caress-server is a nodejs server that coverts tuio data to events and emits those events =ekryski tuio osc touch multitouch eventemitter","author":"=ekryski","date":"2014-05-14 "},{"name":"caret","description":"**caret** inserts a caret and text beneath a string.","url":null,"keywords":"","version":"0.1.0","words":"caret **caret** inserts a caret and text beneath a string. =ryan","author":"=ryan","date":"2013-10-25 "},{"name":"caretaker","description":"lean parameters and define defaults.","url":null,"keywords":"","version":"0.1.0","words":"caretaker lean parameters and define defaults. =craigr_","author":"=craigr_","date":"2012-05-21 "},{"name":"careware","description":"Makes your output care just a little more than before","url":null,"keywords":"careware care ware","version":"0.3.0","words":"careware makes your output care just a little more than before =monteslu careware care ware","author":"=monteslu","date":"2014-03-06 "},{"name":"carfax","keywords":"","version":[],"words":"carfax","author":"","date":"2014-04-23 "},{"name":"cargo","description":"HTML5 web storage module","url":null,"keywords":"storage localstorage sessionstorage data html5 browser ender","version":"0.8.0","words":"cargo html5 web storage module =ryanve storage localstorage sessionstorage data html5 browser ender","author":"=ryanve","date":"2014-05-13 "},{"name":"cargobox","description":"Web development framework for Node.JS (Express port)","url":null,"keywords":"","version":"0.1.5","words":"cargobox web development framework for node.js (express port) =pauliusuza","author":"=pauliusuza","date":"2012-03-29 "},{"name":"cargomaster","description":"Intelligent, fast and reliable asset management for Express on Node.js","url":null,"keywords":"","version":"0.1.1","words":"cargomaster intelligent, fast and reliable asset management for express on node.js =ytanay","author":"=ytanay","date":"2013-12-02 "},{"name":"cargoship","description":"Cargoship ===","url":null,"keywords":"","version":"0.7.12","words":"cargoship cargoship === =nakosung","author":"=nakosung","date":"2014-04-21 "},{"name":"cargoship-db","description":"","url":null,"keywords":"","version":"0.0.3","words":"cargoship-db =nakosung","author":"=nakosung","date":"2013-09-26 "},{"name":"cargoship-eventbus","description":"","url":null,"keywords":"","version":"0.0.0","words":"cargoship-eventbus =nakosung","author":"=nakosung","date":"2013-09-24 "},{"name":"cargoship-logstash","url":null,"keywords":"","version":"0.0.5","words":"cargoship-logstash =nakosung","author":"=nakosung","date":"2014-02-24 "},{"name":"cargoship-mapreduce","description":"","url":null,"keywords":"","version":"0.0.0","words":"cargoship-mapreduce =nakosung","author":"=nakosung","date":"2013-11-19 "},{"name":"cargoship-modules","description":"cargoship-modules =================","url":null,"keywords":"","version":"0.2.2","words":"cargoship-modules cargoship-modules ================= =nakosung","author":"=nakosung","date":"2014-04-11 "},{"name":"cargoship-status","url":null,"keywords":"","version":"0.0.14","words":"cargoship-status =seobyeongky","author":"=seobyeongky","date":"2014-05-30 "},{"name":"cargoship-webapp","description":"cargoship-webapp ================","url":null,"keywords":"","version":"0.3.4","words":"cargoship-webapp cargoship-webapp ================ =nakosung =seobyeongky","author":"=nakosung =seobyeongky","date":"2013-11-19 "},{"name":"caridy","description":"Caridy Patiño - Blog Engine based on flipflop","url":null,"keywords":"caridy patino patiño blog","version":"0.0.4","words":"caridy caridy patiño - blog engine based on flipflop =caridy caridy patino patiño blog","author":"=caridy","date":"2013-06-04 "},{"name":"carl","description":"Probability density based anomaly detection library","url":null,"keywords":"","version":"0.0.4","words":"carl probability density based anomaly detection library =heikkiv","author":"=heikkiv","date":"2012-10-01 "},{"name":"carlhopf-cordova-lib","description":"Apache Cordova tools core lib and API","url":null,"keywords":"","version":"0.21.3","words":"carlhopf-cordova-lib apache cordova tools core lib and api =mrlocus","author":"=mrlocus","date":"2014-06-12 "},{"name":"carlos-npm-example","description":"Get a list of github user repos","url":null,"keywords":"","version":"0.0.2","words":"carlos-npm-example get a list of github user repos =closrks","author":"=closrks","date":"2012-09-14 "},{"name":"carlosify","description":"\"Carlosifies\" a directory into one of his new node modules","url":null,"keywords":"scaffolding carlos8f boilerplate productivity bacon","version":"0.0.6","words":"carlosify \"carlosifies\" a directory into one of his new node modules =carlos8f scaffolding carlos8f boilerplate productivity bacon","author":"=carlos8f","date":"2013-07-17 "},{"name":"carmen","description":"Mapnik vector-tile-based geocoder with support for swappable data sources.","url":null,"keywords":"","version":"0.7.1","words":"carmen mapnik vector-tile-based geocoder with support for swappable data sources. =yhahn =miccolis =willwhite =kkaefer =ianshward =springmeyer =tmcw =aaronlidman =mapbox =ian29 =dvncan =nickidlugash =samanbb =ajashton =lxbarth =mikemorris =mourner =tristen =ingalls =ansis =jfirebaugh =gretacb =morganherlocker =camilleanne","author":"=yhahn =miccolis =willwhite =kkaefer =ianshward =springmeyer =tmcw =aaronlidman =mapbox =ian29 =dvncan =nickidlugash =samanbb =ajashton =lxbarth =mikemorris =mourner =tristen =ingalls =ansis =jfirebaugh =gretacb =morganherlocker =camilleanne","date":"2014-09-17 "},{"name":"carmen-cache","description":"C++ protobuf cache used by carmen","url":null,"keywords":"","version":"0.0.1","words":"carmen-cache c++ protobuf cache used by carmen =yhahn","author":"=yhahn","date":"2014-04-02 "},{"name":"carmichaels","description":"Carmichael numbers","url":null,"keywords":"math primality","version":"1.0.0","words":"carmichaels carmichael numbers =kenan math primality","author":"=kenan","date":"2014-09-02 "},{"name":"carol","description":"Checks a list of URLs for bad status codes (400+, 500+)","url":null,"keywords":"link checker linter","version":"0.0.1","words":"carol checks a list of urls for bad status codes (400+, 500+) =noodlehaus link checker linter","author":"=noodlehaus","date":"2013-12-20 "},{"name":"caroline","description":"colourful console output for node.js","url":null,"keywords":"console colour color terminal xterm ansi","version":"0.0.2","words":"caroline colourful console output for node.js =beatfactor console colour color terminal xterm ansi","author":"=beatfactor","date":"2014-02-18 "},{"name":"caronte","description":"Caronte provides a single interface to fetch data from anywhere.","url":null,"keywords":"service connector adapter","version":"1.2.5","words":"caronte caronte provides a single interface to fetch data from anywhere. =icemobile service connector adapter","author":"=icemobile","date":"2014-08-20 "},{"name":"carota","description":"Simple, flexible rich text rendering/editing on HTML Canvas","url":null,"keywords":"","version":"0.1.3","words":"carota simple, flexible rich text rendering/editing on html canvas =danielearwicker","author":"=danielearwicker","date":"2013-11-03 "},{"name":"carousel","description":"Turn HTML pages into keyboard-navigable slideshows.","url":null,"keywords":"slideshow browserify carousel deck","version":"0.0.3","words":"carousel turn html pages into keyboard-navigable slideshows. =zeke slideshow browserify carousel deck","author":"=zeke","date":"2014-01-11 "},{"name":"carousel-widget","description":"Carousel Widget in Mobile","url":null,"keywords":"","version":"1.0.3","words":"carousel-widget carousel widget in mobile =zhangdaiping","author":"=zhangdaiping","date":"2013-10-30 "},{"name":"carp","description":"lat/lng to bbox with a tolerance","url":null,"keywords":"","version":"0.2.0","words":"carp lat/lng to bbox with a tolerance =knownasilya","author":"=knownasilya","date":"2014-08-28 "},{"name":"carpathia","description":"Very simple translation module for Node.js","url":null,"keywords":"i18n translation","version":"0.1.0","words":"carpathia very simple translation module for node.js =elzair i18n translation","author":"=elzair","date":"2014-09-11 "},{"name":"carpenter","description":"template fillerouter, like blacksmith, but simpler","url":null,"keywords":"","version":"0.1.2","words":"carpenter template fillerouter, like blacksmith, but simpler =dominictarr","author":"=dominictarr","date":"2014-01-05 "},{"name":"carpet","description":"A very simple nodejs logger with colorful timestamps and logging level","url":null,"keywords":"log logging","version":"0.0.8","words":"carpet a very simple nodejs logger with colorful timestamps and logging level =mirceanis log logging","author":"=mirceanis","date":"2013-09-30 "},{"name":"carrier","description":"Evented stream line reader for node.js","url":null,"keywords":"","version":"0.1.14","words":"carrier evented stream line reader for node.js =pgte","author":"=pgte","date":"2014-05-10 "},{"name":"carrot","description":"Carrot2 framework rest api client","url":null,"keywords":"","version":"0.0.1","words":"carrot carrot2 framework rest api client =dreadjr","author":"=dreadjr","date":"2013-03-15 "},{"name":"carrot2","description":"Carrot2 Document Clustering Server implementation for Node.js","url":null,"keywords":"","version":"0.0.1","words":"carrot2 carrot2 document clustering server implementation for node.js =tllabs","author":"=tllabs","date":"2011-10-20 "},{"name":"carry","description":"Carry attrs, classes from one element to another.","url":null,"keywords":"","version":"0.0.1","words":"carry carry attrs, classes from one element to another. =shtylman","author":"=shtylman","date":"2014-01-15 "},{"name":"carryall-packer","description":"Generates files for use with the Carryall.js script loader.","url":null,"keywords":"carryall loader packager","version":"0.2.1","words":"carryall-packer generates files for use with the carryall.js script loader. =fohara carryall loader packager","author":"=fohara","date":"2014-04-28 "},{"name":"carstory-dashboard","keywords":"","version":[],"words":"carstory-dashboard","author":"","date":"2013-08-15 "},{"name":"cart","description":"Connect session store using supermarket","url":null,"keywords":"connect expresso http sessions","version":"1.0.4","words":"cart connect session store using supermarket =pkrumins connect expresso http sessions","author":"=pkrumins","date":"2012-02-01 "},{"name":"cartapacio-core","description":"generate a static site","url":null,"keywords":"generator","version":"0.0.3","words":"cartapacio-core generate a static site =z3a generator","author":"=z3a","date":"2014-07-07 "},{"name":"cartapacio-server","description":"a simple webserver to handle data from cartapacio","url":null,"keywords":"server rest","version":"0.0.8","words":"cartapacio-server a simple webserver to handle data from cartapacio =z3a server rest","author":"=z3a","date":"2014-06-03 "},{"name":"cartapacio.core.amass","description":"collect data from database","url":null,"keywords":"cartapacio","version":"0.1.1","words":"cartapacio.core.amass collect data from database =z3a cartapacio","author":"=z3a","date":"2014-07-07 "},{"name":"cartapacio.core.template","description":"compile and render handlebars templates","url":null,"keywords":"handlebars","version":"0.1.5","words":"cartapacio.core.template compile and render handlebars templates =z3a handlebars","author":"=z3a","date":"2014-07-15 "},{"name":"cartapacio.core.writer","description":"write html files to hd","url":null,"keywords":"cartapacio writer","version":"0.1.1","words":"cartapacio.core.writer write html files to hd =z3a cartapacio writer","author":"=z3a","date":"2014-07-07 "},{"name":"carte","description":"A Connect middleware that finds all documents in a MongoDB collection.","url":null,"keywords":"mongodb connect middleware","version":"0.0.3","words":"carte a connect middleware that finds all documents in a mongodb collection. =nucky mongodb connect middleware","author":"=nucky","date":"2014-06-29 "},{"name":"cartegan","description":"Cartegan ===","url":null,"keywords":"","version":"1.0.3","words":"cartegan cartegan === =coolaj86","author":"=coolaj86","date":"2012-06-26 "},{"name":"cartel","description":"A real-time bidirectional data transport between node.js and the browser.","url":null,"keywords":"","version":"0.0.1","words":"cartel a real-time bidirectional data transport between node.js and the browser. =alexgb","author":"=alexgb","date":"2013-04-11 "},{"name":"cartel-cli","description":"CLI for automatically logging in at cartel coffee shops","url":null,"keywords":"","version":"0.0.1","words":"cartel-cli cli for automatically logging in at cartel coffee shops =fractal","author":"=fractal","date":"2013-10-24 "},{"name":"cartero","description":"Modular front end development for the masses. Built on npm and browserify.","url":null,"keywords":"asset asset manager css javascript browserify commonjs","version":"3.0.2","words":"cartero modular front end development for the masses. built on npm and browserify. =rotundasoftware =davidbeck =go-oleg asset asset manager css javascript browserify commonjs","author":"=rotundasoftware =davidbeck =go-oleg","date":"2014-08-18 "},{"name":"cartero-builtin-express-middleware","description":"Cartero middleware for express that starts cartero for each view.","url":null,"keywords":"cartero express middleware","version":"0.0.2","words":"cartero-builtin-express-middleware cartero middleware for express that starts cartero for each view. =lucastschmidt cartero express middleware","author":"=lucastschmidt","date":"2014-08-16 "},{"name":"cartero-express-hook","description":"The Node.js / Express hook to go along with Cartero asset manager.","url":null,"keywords":"","version":"0.1.2","words":"cartero-express-hook the node.js / express hook to go along with cartero asset manager. =rotundasoftware","author":"=rotundasoftware","date":"2013-11-05 "},{"name":"cartero-express-middleware","description":"Express middleware for Cartero.","url":null,"keywords":"cartero","version":"0.3.1","words":"cartero-express-middleware express middleware for cartero. =davidbeck cartero","author":"=davidbeck","date":"2014-05-05 "},{"name":"cartero-node-hook","description":"Node hook to get the list of assets required by a cartero parcel.","url":null,"keywords":"cartero","version":"1.0.0","words":"cartero-node-hook node hook to get the list of assets required by a cartero parcel. =go-oleg =davidbeck cartero","author":"=go-oleg =davidbeck","date":"2014-08-04 "},{"name":"cartesian-product","keywords":"","version":[],"words":"cartesian-product","author":"","date":"2013-07-06 "},{"name":"cartesian-tree","description":"Linear time Cartesian tree construction","url":null,"keywords":"cartesian tree range minimum query linear time construction","version":"0.0.0","words":"cartesian-tree linear time cartesian tree construction =mikolalysenko cartesian tree range minimum query linear time construction","author":"=mikolalysenko","date":"2014-03-28 "},{"name":"cartier","description":"A small, unopinionated client-side router.","url":null,"keywords":"routing router clientside client browser","version":"0.1.4","words":"cartier a small, unopinionated client-side router. =bitjutsu routing router clientside client browser","author":"=bitjutsu","date":"2014-09-17 "},{"name":"cartilage","keywords":"","version":[],"words":"cartilage","author":"","date":"2014-04-05 "},{"name":"cartjs","description":"A simple shopping cart node module","url":null,"keywords":"express shopping cart","version":"0.0.1","words":"cartjs a simple shopping cart node module =precisepixels express shopping cart","author":"=precisepixels","date":"2014-01-04 "},{"name":"carto","description":"Mapnik Stylesheet Compiler","url":null,"keywords":"mapnik maps css stylesheets","version":"0.13.0","words":"carto mapnik stylesheet compiler =tmcw =willwhite =yhahn =kkaefer =springmeyer =ajashton =mapbox mapnik maps css stylesheets","author":"=tmcw =willwhite =yhahn =kkaefer =springmeyer =ajashton =mapbox","date":"2014-09-04 "},{"name":"cartocc","description":"Carto Config Customizer is a very simple tool for customizing layers values of a `.mml` config file ","url":null,"keywords":"tilemill maps carto mapnik","version":"0.0.3","words":"cartocc carto config customizer is a very simple tool for customizing layers values of a `.mml` config file =ybon tilemill maps carto mapnik","author":"=ybon","date":"2013-02-10 "},{"name":"cartodb","description":"CartoDB Node.js client library","url":null,"keywords":"","version":"0.2.0","words":"cartodb cartodb node.js client library =javisantana","author":"=javisantana","date":"2014-05-23 "},{"name":"cartodb-psql","description":"A simple postgres wrapper with logic about username and database to connect","url":null,"keywords":"cartodb","version":"0.1.0","words":"cartodb-psql a simple postgres wrapper with logic about username and database to connect =rochoa cartodb","author":"=rochoa","date":"2014-05-06 "},{"name":"cartodb-redis","description":"A Node.js based lib to interact with cartodb redis databases","url":null,"keywords":"","version":"0.3.0","words":"cartodb-redis a node.js based lib to interact with cartodb redis databases =strk","author":"=strk","date":"2013-12-17 "},{"name":"cartodb.js","description":"CartoDB javascript library","url":null,"keywords":"","version":"3.5.6","words":"cartodb.js cartodb javascript library =javisantana","author":"=javisantana","date":"2014-01-23 "},{"name":"cartograph","description":"Minimal JavaScript router","url":null,"keywords":"mapper matcher router","version":"0.1.7","words":"cartograph minimal javascript router =lucaong mapper matcher router","author":"=lucaong","date":"2014-06-17 "},{"name":"cartographer","description":"A wrapper API for mapping","url":null,"keywords":"","version":"0.0.1","words":"cartographer a wrapper api for mapping =jdunn2","author":"=jdunn2","date":"2012-08-29 "},{"name":"cartography","keywords":"","version":[],"words":"cartography","author":"","date":"2013-10-25 "},{"name":"cartography-models","description":"Sequelize model framework used in cartography systems.","url":null,"keywords":"cartography models tile2d map","version":"0.2.0","words":"cartography-models sequelize model framework used in cartography systems. =cbebry cartography models tile2d map","author":"=cbebry","date":"2014-02-02 "},{"name":"carton","description":"Storage for your dependencies","url":null,"keywords":"dependencies container","version":"1.3.1","words":"carton storage for your dependencies =briandehesu dependencies container","author":"=briandehesu","date":"2014-08-04 "},{"name":"carton-snor","description":"Carton module that wraps around Mustache","url":null,"keywords":"mustache carton","version":"0.1.2","words":"carton-snor carton module that wraps around mustache =briandehesu mustache carton","author":"=briandehesu","date":"2014-08-03 "},{"name":"cartoon-clouds","keywords":"","version":[],"words":"cartoon-clouds","author":"","date":"2012-04-16 "},{"name":"cartouche","description":"A minimal node.js image service powered by Amazon S3.","url":null,"keywords":"image service AWS S3 crop resize blur node","version":"0.1.2","words":"cartouche a minimal node.js image service powered by amazon s3. =olivierlesnicki image service aws s3 crop resize blur node","author":"=olivierlesnicki","date":"2014-02-07 "},{"name":"caruso","description":"Unobtrusive templating and dom manipulations","url":null,"keywords":"templating","version":"0.1.1","words":"caruso unobtrusive templating and dom manipulations =bmavity templating","author":"=bmavity","date":"2012-01-26 "},{"name":"carver","description":"static site generator","url":null,"keywords":"static site generator web site generator","version":"0.1.2","words":"carver static site generator =quaqua static site generator web site generator","author":"=quaqua","date":"2014-06-25 "},{"name":"carvoyant","description":"The Carvoyant API client library.","url":null,"keywords":"carvoyant","version":"0.0.6","words":"carvoyant the carvoyant api client library. =whitlockjc carvoyant","author":"=whitlockjc","date":"2014-05-08 "},{"name":"carvoyant-client","description":"Node.js client library for the Carvoyant API","url":null,"keywords":"","version":"0.1.1","words":"carvoyant-client node.js client library for the carvoyant api =djensen47","author":"=djensen47","date":"2013-11-08 "},{"name":"carweb","description":"API client for the vehicle registration lookup at Carweb.co.uk","url":null,"keywords":"","version":"0.0.4","words":"carweb api client for the vehicle registration lookup at carweb.co.uk =richmarr","author":"=richmarr","date":"2014-03-18 "},{"name":"carwingsjs","description":"Node bindings for the Nissan Leaf Carwings API","url":null,"keywords":"nissan leaf carwings api","version":"0.0.3","words":"carwingsjs node bindings for the nissan leaf carwings api =crabasa nissan leaf carwings api","author":"=crabasa","date":"2014-03-17 "},{"name":"cas","description":"Central Authentication Service (CAS) client for Node.js","url":null,"keywords":"cas central authentication service auth authentication central service","version":"0.0.3","words":"cas central authentication service (cas) client for node.js =kcbanner cas central authentication service auth authentication central service","author":"=kcbanner","date":"2013-08-27 "},{"name":"cas-auth","description":"Node CAS Client","url":null,"keywords":"cas exrpess connect","version":"0.0.2","words":"cas-auth node cas client =srobertson cas exrpess connect","author":"=srobertson","date":"2011-07-29 "},{"name":"cas-client","description":"Middleware CAS Client for Express","url":null,"keywords":"cas client jasig","version":"0.1.1","words":"cas-client middleware cas client for express =hmcqueen cas client jasig","author":"=hmcqueen","date":"2012-03-26 "},{"name":"cas-iu","description":"CAS library for node.js written for Indiana University's implementation of CAS","url":null,"keywords":"","version":"0.0.1","words":"cas-iu cas library for node.js written for indiana university's implementation of cas =mcfitz2","author":"=mcfitz2","date":"2013-11-07 "},{"name":"cas-login","keywords":"","version":[],"words":"cas-login","author":"","date":"2014-03-06 "},{"name":"cas-middleware","description":"Simple connect middleware for CAS (Central Authentication Service)","url":null,"keywords":"cas connect sso","version":"0.0.4","words":"cas-middleware simple connect middleware for cas (central authentication service) =hinderberg cas connect sso","author":"=hinderberg","date":"2014-09-17 "},{"name":"cas-proxy","description":"Add CAS Authentication for web proxy","url":null,"keywords":"proxy authentication","version":"1.0.9","words":"cas-proxy add cas authentication for web proxy =fakechris proxy authentication","author":"=fakechris","date":"2014-04-30 "},{"name":"cas-sfu","description":"CAS client for Simon Fraser University's CAS implementation","url":null,"keywords":"cas central authentication service auth authentication","version":"1.0.6","words":"cas-sfu cas client for simon fraser university's cas implementation =grahamb cas central authentication service auth authentication","author":"=grahamb","date":"2013-10-16 "},{"name":"cas.js","description":"Central Authentication Service (CAS) client for Node.js","url":null,"keywords":"cas central authentication service authentication client","version":"0.0.1","words":"cas.js central authentication service (cas) client for node.js =dongliu cas central authentication service authentication client","author":"=dongliu","date":"2013-04-08 "},{"name":"cas_validate","description":"Interact with a CAS server to validate client interaction","url":null,"keywords":"cas central authentication service authentication","version":"0.1.9","words":"cas_validate interact with a cas server to validate client interaction =jmarca cas central authentication service authentication","author":"=jmarca","date":"2014-02-21 "},{"name":"casable","description":"Node CAS plugin","url":null,"keywords":"CAS SSO Security Authentication","version":"0.4.9","words":"casable node cas plugin =crbaker cas sso security authentication","author":"=crbaker","date":"2014-03-25 "},{"name":"cascade","description":"Provides a set of functions to simplify calling sequental asynchronous methods","url":null,"keywords":"","version":"0.0.1","words":"cascade provides a set of functions to simplify calling sequental asynchronous methods =scottrabin","author":"=scottrabin","date":"2012-01-25 "},{"name":"cascade-ini","description":"Reads a ini file through a hierarchy of directory by appending properties from children to parent.","url":null,"keywords":"","version":"0.1.2","words":"cascade-ini reads a ini file through a hierarchy of directory by appending properties from children to parent. =stephl001","author":"=stephl001","date":"2014-05-14 "},{"name":"cascade-reduce","description":"Composable iterators for reduce","url":null,"keywords":"function composition reduce cascade","version":"0.0.4","words":"cascade-reduce composable iterators for reduce =jhedwards function composition reduce cascade","author":"=jhedwards","date":"2014-09-17 "},{"name":"cascade-stream","description":"A duplex stream that can lazily create child streams from a chunk and merge all outputs into one","url":null,"keywords":"stream cascade multiple duplex merge","version":"0.2.2","words":"cascade-stream a duplex stream that can lazily create child streams from a chunk and merge all outputs into one =binocarlos stream cascade multiple duplex merge","author":"=binocarlos","date":"2014-04-22 "},{"name":"cascadia","description":"oppinionated cascading static config loader","url":null,"keywords":"config static cascade","version":"0.1.0","words":"cascadia oppinionated cascading static config loader =josephmoniz config static cascade","author":"=josephmoniz","date":"2012-10-05 "},{"name":"cascadia-express","description":"A cascading template system for Express.","url":null,"keywords":"","version":"0.1.0","words":"cascadia-express a cascading template system for express. =iancmyers","author":"=iancmyers","date":"2013-12-09 "},{"name":"cascadify","description":"Recursively find and concatenates styles specified in package.json.","url":null,"keywords":"css browserify concatenate cat bundle styles","version":"0.0.7","words":"cascadify recursively find and concatenates styles specified in package.json. =timoxley css browserify concatenate cat bundle styles","author":"=timoxley","date":"2013-09-27 "},{"name":"cascading-grid-pagelet","description":"Subjects and/or titles encapsulated by grid blocks, with either images or colors as background","url":null,"keywords":"layout grid cascading subject title image","version":"0.0.1","words":"cascading-grid-pagelet subjects and/or titles encapsulated by grid blocks, with either images or colors as background =swaagie layout grid cascading subject title image","author":"=swaagie","date":"2014-08-22 "},{"name":"cascading-relations","description":"Alternate populate/save/delete functionality for mongoose to allow for cascading relations","url":null,"keywords":"mongodb mongoose ORM orm relations cascade","version":"0.7.9","words":"cascading-relations alternate populate/save/delete functionality for mongoose to allow for cascading relations =jraede mongodb mongoose orm orm relations cascade","author":"=jraede","date":"2014-04-11 "},{"name":"cascading-service-config","description":"dry configuration for a multi-service system","url":null,"keywords":"service config cascading inherit inheritance protypical protypal dry","version":"1.1.1","words":"cascading-service-config dry configuration for a multi-service system =jonpacker service config cascading inherit inheritance protypical protypal dry","author":"=jonpacker","date":"2013-10-01 "},{"name":"case","description":"Extensible string utility for converting, identifying and flipping string case","url":null,"keywords":"string case camel title upper lower snake squish constant flip capitalization converter","version":"1.0.3","words":"case extensible string utility for converting, identifying and flipping string case =nbubna string case camel title upper lower snake squish constant flip capitalization converter","author":"=nbubna","date":"2013-08-24 "},{"name":"caseless","description":"Caseless object set/get/has, very useful when working with HTTP headers.","url":null,"keywords":"headers http caseless","version":"0.6.0","words":"caseless caseless object set/get/has, very useful when working with http headers. =mikeal headers http caseless","author":"=mikeal","date":"2014-08-11 "},{"name":"cases","description":"cases provides parameterized unit tests for Mocha.","url":null,"keywords":"","version":"0.1.1","words":"cases cases provides parameterized unit tests for mocha. =thenativeweb","author":"=thenativeweb","date":"2014-06-16 "},{"name":"cash","description":"CoffeeScript shell language. Like Bash, but Cash.","url":null,"keywords":"","version":"0.0.0","words":"cash coffeescript shell language. like bash, but cash. =aseemk","author":"=aseemk","date":"2012-05-12 "},{"name":"cash.js","description":"Transaction safe currency object for JavaScript.","url":null,"keywords":"","version":"0.0.6","words":"cash.js transaction safe currency object for javascript. =daxxog","author":"=daxxog","date":"2013-04-03 "},{"name":"cashbox","description":"javascript cache library with configurable storage","url":null,"keywords":"javascrpit node cache memory redis","version":"0.4.1","words":"cashbox javascript cache library with configurable storage =bmharris =nbroslawsky javascrpit node cache memory redis","author":"=bmharris =nbroslawsky","date":"2013-11-18 "},{"name":"cashe","description":"Simple cache utility","url":null,"keywords":"","version":"0.3.1","words":"cashe simple cache utility =jaubourg","author":"=jaubourg","date":"2014-05-13 "},{"name":"cashed","description":"An in memory HTTP file serving cache that compresses once and serves many times","url":null,"keywords":"cache compression http memory","version":"0.1.0","words":"cashed an in memory http file serving cache that compresses once and serves many times =josephmoniz cache compression http memory","author":"=josephmoniz","date":"2012-09-29 "},{"name":"cashew","description":"ID generator","url":null,"keywords":"","version":"0.0.6","words":"cashew id generator =architectd","author":"=architectd","date":"2012-03-08 "},{"name":"Cashew","description":"ID generator","url":null,"keywords":"","version":"0.0.3","words":"cashew id generator =architectd","author":"=architectd","date":"2011-09-08 "},{"name":"cashier","description":"a module for caching static http responses in memory","url":null,"keywords":"cache watch static connect http","version":"0.1.5","words":"cashier a module for caching static http responses in memory =mafintosh cache watch static connect http","author":"=mafintosh","date":"2012-05-23 "},{"name":"casio","description":"ODM for Cassandra","url":null,"keywords":"","version":"0.0.0","words":"casio odm for cassandra =grippy","author":"=grippy","date":"2012-02-28 "},{"name":"cask","description":"cask ====","url":null,"keywords":"","version":"0.0.0","words":"cask cask ==== =jagoda","author":"=jagoda","date":"2013-05-06 "},{"name":"caspar-cg","description":"Caspar CG to Node interface","url":null,"keywords":"","version":"0.0.6-4","words":"caspar-cg caspar cg to node interface =respectthecode","author":"=respectthecode","date":"2014-04-30 "},{"name":"casparnode","description":"CasparCG Node Module","url":null,"keywords":"","version":"0.0.1","words":"casparnode casparcg node module =aksee","author":"=aksee","date":"2012-10-28 "},{"name":"casper","description":"Helpers and handlers for building APIs in express.","url":null,"keywords":"","version":"0.1.1","words":"casper helpers and handlers for building apis in express. =phuu","author":"=phuu","date":"2013-05-31 "},{"name":"casper-chai","description":"Extends Chai with assertions for CasperJS testing.","url":null,"keywords":"casper chai casperjs phantomjs","version":"0.2.1","words":"casper-chai extends chai with assertions for casperjs testing. =bmh =nathanboktae casper chai casperjs phantomjs","author":"=bmh =nathanboktae","date":"2013-11-13 "},{"name":"casper-flow","keywords":"","version":[],"words":"casper-flow","author":"","date":"2013-11-11 "},{"name":"casper-usemin-tmp","description":"因为usemin在grunt-requirejs config那里的实现似乎有bug,对usemin进行了修改,核心代码全都是usemin的!后面再给usemin作者pull下request","url":null,"keywords":"gruntplugin usemin yeoman html css optimize","version":"0.0.23","words":"casper-usemin-tmp 因为usemin在grunt-requirejs config那里的实现似乎有bug,对usemin进行了修改,核心代码全都是usemin的!后面再给usemin作者pull下request =chyingp gruntplugin usemin yeoman html css optimize","author":"=chyingp","date":"2013-10-01 "},{"name":"casper_sdk","description":"Casper SDK.","url":null,"keywords":"","version":"0.0.1","words":"casper_sdk casper sdk. =casperise","author":"=casperise","date":"2012-12-30 "},{"name":"casperbox","description":"A Node.js library for working with the CasperBox API","url":null,"keywords":"","version":"0.1.0","words":"casperbox a node.js library for working with the casperbox api =mirovarga","author":"=mirovarga","date":"2014-08-22 "},{"name":"casperjs","description":"A navigation scripting & testing utility for PhantomJS and SlimerJS","url":null,"keywords":"phantomjs slimerjs test testing scraping","version":"1.1.0-beta3","words":"casperjs a navigation scripting & testing utility for phantomjs and slimerjs =n1k0 phantomjs slimerjs test testing scraping","author":"=n1k0","date":"2013-11-29 "},{"name":"casperjs-searchscraper","description":"Javascript search engines scraper library based on casperjs. Currently supports google, google images, yahoo, baidu.","url":null,"keywords":"casperjs google yahoo baidu parser scraper","version":"1.0.1","words":"casperjs-searchscraper javascript search engines scraper library based on casperjs. currently supports google, google images, yahoo, baidu. =hastenax casperjs google yahoo baidu parser scraper","author":"=hastenax","date":"2014-06-03 "},{"name":"cassandra","description":"cassandra client for node.js","url":null,"keywords":"","version":"0.1.0","words":"cassandra cassandra client for node.js =yukim","author":"=yukim","date":"2011-02-28 "},{"name":"cassandra-client","description":"Node.js CQL driver for Apache Cassandra","url":null,"keywords":"","version":"0.15.2","words":"cassandra-client node.js cql driver for apache cassandra =gdusbabek =kami =jirwin =simonvetter =rchiniquy","author":"=gdusbabek =kami =jirwin =simonvetter =rchiniquy","date":"2014-05-13 "},{"name":"cassandra-driver","description":"DataStax Node.js Driver for Apache Cassandra","url":null,"keywords":"cassandra cql cql3 connection pool datastax","version":"1.0.0-beta1","words":"cassandra-driver datastax node.js driver for apache cassandra =jorgebay cassandra cql cql3 connection pool datastax","author":"=jorgebay","date":"2014-09-11 "},{"name":"cassandra-helenus-api","description":"Nodejs Helenus for clubond","url":null,"keywords":"cassandra helenus","version":"0.0.1","words":"cassandra-helenus-api nodejs helenus for clubond =chilijung cassandra helenus","author":"=chilijung","date":"2013-04-17 "},{"name":"cassandra-orm","description":"[![Build Status](https://secure.travis-ci.org/rolandpoulter/node-cassandra-orm.png)](http://travis-ci.org/rolandpoulter/node-cassandra-orm)","url":null,"keywords":"","version":"0.0.12","words":"cassandra-orm [![build status](https://secure.travis-ci.org/rolandpoulter/node-cassandra-orm.png)](http://travis-ci.org/rolandpoulter/node-cassandra-orm) =rolandpoulter","author":"=rolandpoulter","date":"2013-02-26 "},{"name":"cassandra-simple-orm","description":"a simple CRUD orm for cassandra helenus","url":null,"keywords":"orm cassandra","version":"0.1.14","words":"cassandra-simple-orm a simple crud orm for cassandra helenus =wwwy3y3 orm cassandra","author":"=wwwy3y3","date":"2013-10-30 "},{"name":"cassanova","description":"An object modeler for Cassandra CQL.","url":null,"keywords":"cassandra cql cql3 data model","version":"0.5.5","words":"cassanova an object modeler for cassandra cql. =incroud cassandra cql cql3 data model","author":"=incroud","date":"2014-08-26 "},{"name":"cassert","description":"C-style assert for javascript and coffee-script, in node.","url":null,"keywords":"assert debug","version":"0.1.2","words":"cassert c-style assert for javascript and coffee-script, in node. =rhoot assert debug","author":"=rhoot","date":"2013-04-10 "},{"name":"casset","description":"An asset helper for minify and execute sass","url":null,"keywords":"assets minify compass","version":"0.0.1","words":"casset an asset helper for minify and execute sass =juliogarcia assets minify compass","author":"=juliogarcia","date":"2011-08-24 "},{"name":"cassette-express","description":"Punk, carefree Browser-side Javascript Asset Bundling for Express sites","url":null,"keywords":"javascript asset management client-side depenency management bundling merging minification","version":"0.5.7","words":"cassette-express punk, carefree browser-side javascript asset bundling for express sites =charlottegore javascript asset management client-side depenency management bundling merging minification","author":"=CharlotteGore","date":"2012-08-08 "},{"name":"cassie","description":"Simple Promise library for JS.","url":null,"keywords":"future promise asynchronous flow control","version":"1.4.1","words":"cassie simple promise library for js. =killdream future promise asynchronous flow control","author":"=killdream","date":"2012-06-30 "},{"name":"cassini","description":"single-page documentation generation (based on underscore.js documentation formatting) for multi-versioned apps","url":null,"keywords":"documentation generator markdown","version":"0.1.7","words":"cassini single-page documentation generation (based on underscore.js documentation formatting) for multi-versioned apps =atuttle documentation generator markdown","author":"=atuttle","date":"2013-12-09 "},{"name":"casson","description":"Cassandra native CQL driver with Object Mapping","url":null,"keywords":"Cassandra Object Mapper CQL","version":"0.2.0","words":"casson cassandra native cql driver with object mapping =mosfeq4cm cassandra object mapper cql","author":"=mosfeq4cm","date":"2013-08-28 "},{"name":"cassowary","description":"A fast, modern JavaScript version of the Cassowary hierarchial linear constraint solver","url":null,"keywords":"cassowary constraint solver","version":"0.0.2","words":"cassowary a fast, modern javascript version of the cassowary hierarchial linear constraint solver =thick =slightlyoff cassowary constraint solver","author":"=thick =slightlyoff","date":"2013-02-02 "},{"name":"cassowary-system","description":"API wrapper over Cassowary.js","url":null,"keywords":"cassowary","version":"0.0.0","words":"cassowary-system api wrapper over cassowary.js =matthewtoast cassowary","author":"=matthewtoast","date":"2014-08-16 "},{"name":"cassy","description":"A wrapper for the cassy library","url":null,"keywords":"cassy","version":"0.1.1","words":"cassy a wrapper for the cassy library =bytesnake cassy","author":"=bytesnake","date":"2013-10-05 "},{"name":"cast","description":"Attempts to solve the problem of unintuitive data types","url":null,"keywords":"cast data-types data types types","version":"1.1.0","words":"cast attempts to solve the problem of unintuitive data types =beatgammit cast data-types data types types","author":"=beatgammit","date":"2012-02-10 "},{"name":"castaneum","description":"basic web browser for node.js","url":null,"keywords":"","version":"0.2.2","words":"castaneum basic web browser for node.js =goddamnbugs","author":"=goddamnbugs","date":"2010-12-24 "},{"name":"castaway","description":"cast JS objects to a specified schema, ahoy!","url":null,"keywords":"cast primitives coerce type typecast","version":"0.1.1","words":"castaway cast js objects to a specified schema, ahoy! =bmharris cast primitives coerce type typecast","author":"=bmharris","date":"2013-06-20 "},{"name":"castcloud","description":"Node.js implementation of the Castcloud API","url":null,"keywords":"podcast sync cloud","version":"0.0.7","words":"castcloud node.js implementation of the castcloud api =khlieng podcast sync cloud","author":"=khlieng","date":"2014-06-30 "},{"name":"caster","description":"Multicast Service Discovery","url":null,"keywords":"multicast udp service discovery mdns middleware","version":"0.1.1","words":"caster multicast service discovery =skenqbx multicast udp service discovery mdns middleware","author":"=skenqbx","date":"2012-09-11 "},{"name":"castform","description":"Async form validation on the client and server.","url":null,"keywords":"form validate middleware","version":"0.1.2","words":"castform async form validation on the client and server. =fent form validate middleware","author":"=fent","date":"2013-06-15 "},{"name":"casting","description":"Tiny type casting library for node.js and the browser.","url":null,"keywords":"types type cast typecasting cast casting","version":"0.0.1","words":"casting tiny type casting library for node.js and the browser. =codemix types type cast typecasting cast casting","author":"=codemix","date":"2014-06-03 "},{"name":"castjs","description":"Validation and conversion library","url":null,"keywords":"validation conversion data casting","version":"0.0.1","words":"castjs validation and conversion library =jessehouchins validation conversion data casting","author":"=jessehouchins","date":"2013-03-06 "},{"name":"castl","description":"JavaScript to Lua compiler with runtime library","url":null,"keywords":"castl castlua lua compiler ast","version":"1.1.4","words":"castl javascript to lua compiler with runtime library =paulbernier castl castlua lua compiler ast","author":"=paulbernier","date":"2014-09-17 "},{"name":"castlabs-hubot","description":"Castlabs Hubot scripts","url":null,"keywords":"","version":"0.0.1","words":"castlabs-hubot castlabs hubot scripts =castlabs","author":"=castlabs","date":"2013-11-19 "},{"name":"castle","keywords":"","version":[],"words":"castle","author":"","date":"2013-10-22 "},{"name":"castle-server","keywords":"","version":[],"words":"castle-server","author":"","date":"2013-10-22 "},{"name":"castlemaine","description":"exchange rates (forex) via commandline","url":null,"keywords":"openexchange forex foreign exchange","version":"1.0.0","words":"castlemaine exchange rates (forex) via commandline =booyaa openexchange forex foreign exchange","author":"=booyaa","date":"2013-06-06 "},{"name":"castly","description":"unmarshalling and type-casting in javascript","url":null,"keywords":"typecasting casting marshal marshalling type unmarshal unmarshalling cast typecast","version":"0.4.1","words":"castly unmarshalling and type-casting in javascript =dtudury typecasting casting marshal marshalling type unmarshal unmarshalling cast typecast","author":"=dtudury","date":"2013-12-03 "},{"name":"casto","description":"Casto(http://ca.storyboards.jp/ ) command line interface tool.","url":null,"keywords":"live coding casto cli tool","version":"0.0.6","words":"casto casto(http://ca.storyboards.jp/ ) command line interface tool. =hideack live coding casto cli tool","author":"=hideack","date":"2014-06-15 "},{"name":"castor","description":"Ultra-simple HTML/XML parser. Generates a DOM-like (but extremely simplified and not at all compliant) tree.","url":null,"keywords":"","version":"0.0.3","words":"castor ultra-simple html/xml parser. generates a dom-like (but extremely simplified and not at all compliant) tree. =christopher giffard =cgiffard","author":"=Christopher Giffard =cgiffard","date":"2013-01-04 "},{"name":"castor-admin","description":"Administration for Castor instances using the same theme","url":null,"keywords":"castor admin management instances","version":"0.3.4","words":"castor-admin administration for castor instances using the same theme =parmentf castor admin management instances","author":"=parmentf","date":"2014-09-19 "},{"name":"castor-cli","description":"Command Line Interface for CastorJS","url":null,"keywords":"","version":"1.0.1","words":"castor-cli command line interface for castorjs =touv","author":"=touv","date":"2014-09-11 "},{"name":"castor-client","description":"Clustered storage and caching solution using Cassandra","url":null,"keywords":"","version":"0.0.5","words":"castor-client clustered storage and caching solution using cassandra =mauritsl","author":"=mauritsl","date":"2014-07-12 "},{"name":"castor-core","description":"CastorJS the Document Management System","url":null,"keywords":"","version":"0.1.1","words":"castor-core castorjs the document management system =touv","author":"=touv","date":"2014-09-16 "},{"name":"castor-load","description":"Traverse a directory to build a MongoDB collection with the found files. Then it's enable to keep directory and collection synchronised.","url":null,"keywords":"directory files traverse","version":"1.0.0","words":"castor-load traverse a directory to build a mongodb collection with the found files. then it's enable to keep directory and collection synchronised. =touv directory files traverse","author":"=touv","date":"2014-09-09 "},{"name":"castor-load-csv","description":"CSV loader for castor","url":null,"keywords":"castor loaders","version":"1.0.0","words":"castor-load-csv csv loader for castor =touv castor loaders","author":"=touv","date":"2014-09-09 "},{"name":"castor-load-xml","description":"XML loader for castor","url":null,"keywords":"castor loaders","version":"1.0.0","words":"castor-load-xml xml loader for castor =touv castor loaders","author":"=touv","date":"2014-09-09 "},{"name":"castor-memcopy","description":"Query Castor using an in-memory data copy.","url":null,"keywords":"","version":"0.0.1","words":"castor-memcopy query castor using an in-memory data copy. =mauritsl","author":"=mauritsl","date":"2014-07-12 "},{"name":"castorcad","description":"CastorCAD Web Site","url":null,"keywords":"","version":"0.2.2","words":"castorcad castorcad web site =jvincent =knassik","author":"=jvincent =knassik","date":"2014-04-21 "},{"name":"castro","description":"Automated screen recording","url":null,"keywords":"video recording screencast osx","version":"0.0.2","words":"castro automated screen recording =hugs video recording screencast osx","author":"=hugs","date":"2014-07-05 "},{"name":"castv2","description":"An implementation of the Chromecast CASTV2 protocol","url":null,"keywords":"chromecast castv2","version":"0.1.4","words":"castv2 an implementation of the chromecast castv2 protocol =thibauts chromecast castv2","author":"=thibauts","date":"2014-09-03 "},{"name":"castv2-client","description":"A Chromecast client based on the new (CASTV2) protocol","url":null,"keywords":"chromecast castv2","version":"0.0.5","words":"castv2-client a chromecast client based on the new (castv2) protocol =thibauts chromecast castv2","author":"=thibauts","date":"2014-09-14 "},{"name":"castv2-messagebus","keywords":"","version":[],"words":"castv2-messagebus","author":"","date":"2014-06-10 "},{"name":"casua","description":"A casual and neat Structured Template and MVVM engine.","url":null,"keywords":"","version":"0.0.1","words":"casua a casual and neat structured template and mvvm engine. =aligo","author":"=aligo","date":"2014-01-05 "},{"name":"casual","description":"Fake data generator","url":null,"keywords":"faker fake data casual fixtures testing seed random mock mocking generator","version":"1.4.6","words":"casual fake data generator =boo1ean faker fake data casual fixtures testing seed random mock mocking generator","author":"=boo1ean","date":"2014-04-18 "},{"name":"casule","description":"Creates token and challenge by some attributes.","url":null,"keywords":"","version":"0.1.0","words":"casule creates token and challenge by some attributes. =kumatch","author":"=kumatch","date":"2013-01-23 "},{"name":"casv2","description":"Central Authentication Service (CAS) V2 client for Node.js","url":null,"keywords":"cas central authentication service auth authentication central service","version":"0.1.0","words":"casv2 central authentication service (cas) v2 client for node.js =fakechris cas central authentication service auth authentication central service","author":"=fakechris","date":"2014-03-24 "},{"name":"cat","description":"cat will read the contents of an url","url":null,"keywords":"cat util request","version":"0.2.0","words":"cat cat will read the contents of an url =mafintosh cat util request","author":"=mafintosh","date":"2014-06-29 "},{"name":"cat-food-nation","description":"cat-food-nation ===============","url":null,"keywords":"music sound audio synthesis genetics evolution machine_learning webgl visualization","version":"0.0.44","words":"cat-food-nation cat-food-nation =============== =eventhorizon music sound audio synthesis genetics evolution machine_learning webgl visualization","author":"=eventhorizon","date":"2014-07-25 "},{"name":"cat-js","description":"JavaScript code highlighter on CLI","url":null,"keywords":"","version":"0.0.3","words":"cat-js javascript code highlighter on cli =ziyunfei","author":"=ziyunfei","date":"2014-04-23 "},{"name":"cat-lintaian","url":null,"keywords":"","version":"1.0.0","words":"cat-lintaian =lintaian","author":"=lintaian","date":"2014-06-03 "},{"name":"cat-mvc","description":"The best nodejs MVC web framework in .NET MVC style","url":null,"keywords":"mvc web view model controller area .net framework cat jszoo","version":"0.2.5","words":"cat-mvc the best nodejs mvc web framework in .net mvc style =jszoo mvc web view model controller area .net framework cat jszoo","author":"=jszoo","date":"2014-09-09 "},{"name":"cat-picture","description":"makes a cat appear on your web site","url":null,"keywords":"","version":"5.0.2","words":"cat-picture makes a cat appear on your web site =maxogden","author":"=maxogden","date":"2014-03-13 "},{"name":"cat-settings","description":"Provides simple API to access and modify application settings, stored in JSON-file","url":null,"keywords":"json jsonfile settings","version":"1.0.4","words":"cat-settings provides simple api to access and modify application settings, stored in json-file =39dotyt json jsonfile settings","author":"=39dotyt","date":"2014-07-30 "},{"name":"cat-source-map","description":"concatenate JavaScript files, handling source map bits","url":null,"keywords":"","version":"0.1.2","words":"cat-source-map concatenate javascript files, handling source map bits =pmuellr","author":"=pmuellr","date":"2014-01-10 "},{"name":"cat-stream","description":"Buffer and validate a readable stream.","url":null,"keywords":"","version":"0.1.3","words":"cat-stream buffer and validate a readable stream. =jongleberry","author":"=jongleberry","date":"2013-10-10 "},{"name":"cat-testing-npm","url":null,"keywords":"","version":"0.0.3","words":"cat-testing-npm =catherinettt","author":"=catherinettt","date":"2012-06-18 "},{"name":"Cat4D","description":"Cat4D Framework Implementation","url":null,"keywords":"Cat4D dumb cat","version":"0.0.2","words":"cat4d cat4d framework implementation =cat4d cat4d dumb cat","author":"=Cat4D","date":"2012-04-12 "},{"name":"cata_math_ex","description":"My first module published with Node.js","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.0","words":"cata_math_ex my first module published with node.js =catalina math example addition subtraction multiplication division fibonacci","author":"=catalina","date":"2014-08-29 "},{"name":"catalog","description":"A object oriented database wrapper","url":null,"keywords":"mysql oo querybuilder","version":"0.0.1","words":"catalog a object oriented database wrapper =dral mysql oo querybuilder","author":"=dral","date":"2013-09-05 "},{"name":"cataloger","description":"Markdown documentation generator. Provides API en command line tool. Requires strict input and follows JSDoc standards.","url":null,"keywords":"Markdown documentation JSDoc strict generator API CLI tool","version":"0.0.1","words":"cataloger markdown documentation generator. provides api en command line tool. requires strict input and follows jsdoc standards. =swaagie markdown documentation jsdoc strict generator api cli tool","author":"=swaagie","date":"2013-12-10 "},{"name":"catalogue","description":"A Mongoose Based Data Viewer","url":null,"keywords":"mother catalogue mongoose mongodb database admin","version":"0.0.3","words":"catalogue a mongoose based data viewer =asabhaney mother catalogue mongoose mongodb database admin","author":"=asabhaney","date":"2014-02-23 "},{"name":"catalyst","description":"Extensible modular REST framework.","url":null,"keywords":"rest module modular extension extensible framework","version":"0.1.0","words":"catalyst extensible modular rest framework. =da4c30ff rest module modular extension extensible framework","author":"=da4c30ff","date":"2013-10-28 "},{"name":"catalyst-proxy","description":"A proxy that accelerates requests via multipart downloading","url":null,"keywords":"multipart proxy http","version":"0.2.0","words":"catalyst-proxy a proxy that accelerates requests via multipart downloading =morhaus multipart proxy http","author":"=morhaus","date":"2014-01-08 "},{"name":"catalyze","description":"Node bindings for Catalyze.io v2 API","url":null,"keywords":"catalyze node hipaa hl7 ccda","version":"1.0.0","words":"catalyze node bindings for catalyze.io v2 api =catalyze catalyze node hipaa hl7 ccda","author":"=catalyze","date":"2014-07-25 "},{"name":"catan-steel-client","description":"TID Node Workshop - Steel Client","url":null,"keywords":"","version":"0.1.0","words":"catan-steel-client tid node workshop - steel client =jmendiara","author":"=jmendiara","date":"2013-10-16 "},{"name":"catapult","description":"Game development asset server. Monitors files for changes and notifies clients of changes, serves spreadsheets as json. ","url":null,"keywords":"node.js game haxe flambe","version":"1.5.1","words":"catapult game development asset server. monitors files for changes and notifies clients of changes, serves spreadsheets as json. =dionjwa node.js game haxe flambe","author":"=dionjwa","date":"2013-09-01 "},{"name":"catapult-mock","description":"Catapult Mock app","url":null,"keywords":"","version":"0.1.1","words":"catapult-mock catapult mock app =incubator","author":"=incubator","date":"2014-08-28 "},{"name":"cataract","description":"placeholder","url":null,"keywords":"","version":"0.0.0","words":"cataract placeholder =ahn","author":"=ahn","date":"2013-05-28 "},{"name":"catberry","description":"Catberry is a framework for fast and modular isomorphic web-applications written in JavaScript using node.js","url":null,"keywords":"stream web isomorphic framework middleware connect dust module express","version":"2.0.1","words":"catberry catberry is a framework for fast and modular isomorphic web-applications written in javascript using node.js =pragmadash stream web isomorphic framework middleware connect dust module express","author":"=pragmadash","date":"2014-09-18 "},{"name":"catberry-cli","description":"CLI utility for Catberry Framework","url":null,"keywords":"stream web isomorphic framework middleware connect dust module express","version":"2.0.0","words":"catberry-cli cli utility for catberry framework =pragmadash stream web isomorphic framework middleware connect dust module express","author":"=pragmadash","date":"2014-09-18 "},{"name":"catberry-dust","description":"Asynchronous templates for the browser and node.js (Catberry fork)","url":null,"keywords":"templates stream catberry views","version":"3.0.2","words":"catberry-dust asynchronous templates for the browser and node.js (catberry fork) =pragmadash templates stream catberry views","author":"=pragmadash","date":"2014-09-16 "},{"name":"catberry-example","keywords":"","version":[],"words":"catberry-example","author":"","date":"2014-05-24 "},{"name":"catberry-l10n","description":"Localization plugin for Catberry Framework","url":null,"keywords":"catberry localization l10n pluralization plural language middleware connect module express","version":"2.0.0","words":"catberry-l10n localization plugin for catberry framework =pragmadash catberry localization l10n pluralization plural language middleware connect module express","author":"=pragmadash","date":"2014-09-16 "},{"name":"catberry-lazy-loader","description":"Lazy loader and infinite scroll for Catberry modules","url":null,"keywords":"catberry feed lazy loader infinite scroll pagination","version":"2.0.2","words":"catberry-lazy-loader lazy loader and infinite scroll for catberry modules =pragmadash catberry feed lazy loader infinite scroll pagination","author":"=pragmadash","date":"2014-09-18 "},{"name":"catberry-localization","keywords":"","version":[],"words":"catberry-localization","author":"","date":"2014-04-16 "},{"name":"catberry-locator","description":"Service Locator component for Catberry Framework","url":null,"keywords":"catberry service locator locator module dependency injection IoC DI","version":"1.1.0","words":"catberry-locator service locator component for catberry framework =pragmadash catberry service locator locator module dependency injection ioc di","author":"=pragmadash","date":"2014-09-12 "},{"name":"catberry-module","description":"Module basic implementation for Catberry Framework that makes easier to build own modules","url":null,"keywords":"catberry module","version":"1.0.1","words":"catberry-module module basic implementation for catberry framework that makes easier to build own modules =pragmadash catberry module","author":"=pragmadash","date":"2014-07-20 "},{"name":"catberry-uhr","description":"Universal HTTP(S) Request module for catberry framework","url":null,"keywords":"catberry http https universal http request request ajax","version":"2.0.0","words":"catberry-uhr universal http(s) request module for catberry framework =pragmadash catberry http https universal http request request ajax","author":"=pragmadash","date":"2014-09-17 "},{"name":"catbot","description":"arduino remote cat controller","url":null,"keywords":"arduino johnny-five cat","version":"0.1.1","words":"catbot arduino remote cat controller =gorhgorh arduino johnny-five cat","author":"=gorhgorh","date":"2014-06-25 "},{"name":"catbot-websockets-client","description":"catbot websockets client","keywords":"","version":[],"words":"catbot-websockets-client catbot websockets client =dscape","author":"=dscape","date":"2013-07-29 "},{"name":"catbot-ws-client","description":"catbot websockets client","url":null,"keywords":"nodebots arduino catbot lasers","version":"0.0.0","words":"catbot-ws-client catbot websockets client =dscape nodebots arduino catbot lasers","author":"=dscape","date":"2013-07-29 "},{"name":"catbox","description":"Multi-strategy object caching service","url":null,"keywords":"cache","version":"3.4.2","words":"catbox multi-strategy object caching service =hueniverse =thegoleffect =wyatt =nvcexploder cache","author":"=hueniverse =thegoleffect =wyatt =nvcexploder","date":"2014-09-16 "},{"name":"catbox-azure-table","description":"Azure Table Storage adapter for catbox","url":null,"keywords":"catbox cache azure storage table","version":"0.3.4","words":"catbox-azure-table azure table storage adapter for catbox =paed01 catbox cache azure storage table","author":"=paed01","date":"2014-08-16 "},{"name":"catbox-crypto","description":"Ephemeral encryption layer for catbox cache strategy engines.","url":null,"keywords":"catbox cache crypto","version":"3.0.1","words":"catbox-crypto ephemeral encryption layer for catbox cache strategy engines. =alivesay catbox cache crypto","author":"=alivesay","date":"2014-08-26 "},{"name":"catbox-dynamodb","description":"A DynamoDB external caching strategy for Catbox","url":null,"keywords":"catbox dynamodb cache","version":"0.0.1","words":"catbox-dynamodb a dynamodb external caching strategy for catbox =benbarclay catbox dynamodb cache","author":"=benbarclay","date":"2014-05-08 "},{"name":"catbox-json","description":"JSON file adapter for catbox","url":null,"keywords":"cache catbox memory persistent storage file","version":"1.0.2","words":"catbox-json json file adapter for catbox =jnordberg cache catbox memory persistent storage file","author":"=jnordberg","date":"2014-09-18 "},{"name":"catbox-memcached","description":"Memcached adapter for catbox","url":null,"keywords":"cache catbox memcached","version":"1.0.3","words":"catbox-memcached memcached adapter for catbox =chapel cache catbox memcached","author":"=chapel","date":"2014-08-31 "},{"name":"catbox-memory","description":"Memory adapter for catbox","url":null,"keywords":"cache catbox memory","version":"1.1.0","words":"catbox-memory memory adapter for catbox =hueniverse =wyatt =cjihrig cache catbox memory","author":"=hueniverse =wyatt =cjihrig","date":"2014-09-11 "},{"name":"catbox-mongodb","description":"MongoDB adapter for catbox","url":null,"keywords":"cache catbox mongodb","version":"1.0.5","words":"catbox-mongodb mongodb adapter for catbox =hueniverse cache catbox mongodb","author":"=hueniverse","date":"2014-08-03 "},{"name":"catbox-multilevel","description":"Multilevel adapter for catbox","url":null,"keywords":"cache catbox multilevel","version":"3.0.0","words":"catbox-multilevel multilevel adapter for catbox =mshick cache catbox multilevel","author":"=mshick","date":"2014-09-09 "},{"name":"catbox-redis","description":"Redis adapter for catbox","url":null,"keywords":"cache catbox redis","version":"1.0.4","words":"catbox-redis redis adapter for catbox =hueniverse cache catbox redis","author":"=hueniverse","date":"2014-08-03 "},{"name":"catbox-riak","description":"Riak adapter for catbox","url":null,"keywords":"catbox cache riak","version":"3.0.0","words":"catbox-riak riak adapter for catbox =dabarnes catbox cache riak","author":"=dabarnes","date":"2014-07-01 "},{"name":"catbus","keywords":"","version":[],"words":"catbus","author":"","date":"2013-10-08 "},{"name":"catbus-html-typos","keywords":"","version":[],"words":"catbus-html-typos","author":"","date":"2013-10-17 "},{"name":"catch","description":"catch C++ unit test framework","url":null,"keywords":"","version":"1.0.48","words":"catch catch c++ unit test framework =smikes","author":"=smikes","date":"2014-06-17 "},{"name":"catch-all","description":"A simple smtp catch all","url":null,"keywords":"smtp test","version":"0.0.1","words":"catch-all a simple smtp catch all =p.revington smtp test","author":"=p.revington","date":"2013-11-12 "},{"name":"catch-and-release","description":"catch-and-release ======","url":null,"keywords":"","version":"0.0.0","words":"catch-and-release catch-and-release ====== =lbenson","author":"=lbenson","date":"2014-09-07 "},{"name":"catch-links","description":"intercept local link clicks on a page","url":null,"keywords":"link browser click","version":"0.0.1","words":"catch-links intercept local link clicks on a page =substack link browser click","author":"=substack","date":"2013-04-19 "},{"name":"catch-me","description":"Catch, display and validate emails","url":null,"keywords":"email guide mailcatcher catch mail","version":"0.9.1","words":"catch-me catch, display and validate emails =pentiado email guide mailcatcher catch mail","author":"=pentiado","date":"2014-05-13 "},{"name":"catchall","description":"Catch all javascript exceptions","url":null,"keywords":"","version":"0.0.4","words":"catchall catch all javascript exceptions =architectd","author":"=architectd","date":"2012-03-07 "},{"name":"catcher","description":"microscopic Node error helpers","url":null,"keywords":"error handling","version":"0.1.0","words":"catcher microscopic node error helpers =stuartpb error handling","author":"=stuartpb","date":"2013-01-10 "},{"name":"catcher-in-the-try","description":"Catch Javascript errors in the browser. All of them. With real stack traces!","url":null,"keywords":"exception browser","version":"1.1.2","words":"catcher-in-the-try catch javascript errors in the browser. all of them. with real stack traces! =shz exception browser","author":"=shz","date":"2014-02-10 "},{"name":"catchjs","keywords":"","version":[],"words":"catchjs","author":"","date":"2011-01-11 "},{"name":"cate","description":"Pretty printer for different file formats","url":null,"keywords":"xml json pretty print cat cate doge","version":"0.0.2","words":"cate pretty printer for different file formats =boo1ean xml json pretty print cat cate doge","author":"=boo1ean","date":"2014-07-04 "},{"name":"categorical","description":"An implementation of a categorical distribution in JavaScript. Allows you to do draw randomly from many events that have different probabilities.","url":null,"keywords":"","version":"0.0.3","words":"categorical an implementation of a categorical distribution in javascript. allows you to do draw randomly from many events that have different probabilities. =jergason","author":"=jergason","date":"2012-10-15 "},{"name":"categorize-files","description":"Categorize given files by extensions","url":null,"keywords":"files extensions","version":"0.0.1","words":"categorize-files categorize given files by extensions =azer files extensions","author":"=azer","date":"2014-01-07 "},{"name":"categorizing-stream","description":"Writable stream that categorizes incoming data","url":null,"keywords":"streams","version":"0.1.0","words":"categorizing-stream writable stream that categorizes incoming data =bnoguchi streams","author":"=bnoguchi","date":"2013-03-21 "},{"name":"categorizr","description":"Device detection script to categorize devices as desktop, tv, tablet, or mobile.","url":null,"keywords":"ender browser node device detection responsive","version":"0.3.1","words":"categorizr device detection script to categorize devices as desktop, tv, tablet, or mobile. =iamdustan ender browser node device detection responsive","author":"=iamdustan","date":"2012-07-03 "},{"name":"category-count-stream","description":"Writable object stream for getting percentages of categories","url":null,"keywords":"proportions statistics","version":"1.0.0","words":"category-count-stream writable object stream for getting percentages of categories =finnpauls proportions statistics","author":"=finnpauls","date":"2014-09-02 "},{"name":"category-tree","description":"Mongoose middleware to save all categories based on the terminal category","url":null,"keywords":"mongoose middleware automate save categories tree","version":"0.0.4","words":"category-tree mongoose middleware to save all categories based on the terminal category =jhedwards mongoose middleware automate save categories tree","author":"=jhedwards","date":"2014-07-27 "},{"name":"catena","description":"Simple Object Oriented Programming in Javascript","url":null,"keywords":"catena grunt plugin wrapper OOP","version":"0.1.1","words":"catena simple object oriented programming in javascript =jamarante catena grunt plugin wrapper oop","author":"=jamarante","date":"2014-09-19 "},{"name":"caterpillar","description":"Caterpillar is the ultimate logging system for Node.js, based on transform streams you can log to it and pipe the output off to different locations, including some pre-made ones. Caterpillar also supports log levels according to the RFC standard, as well as line, method, and file fetching for messages. You can even use it in web browsers with caterpillar-browser.","url":null,"keywords":"caterpillar console log logger logging debug stream transform","version":"2.0.7","words":"caterpillar caterpillar is the ultimate logging system for node.js, based on transform streams you can log to it and pipe the output off to different locations, including some pre-made ones. caterpillar also supports log levels according to the rfc standard, as well as line, method, and file fetching for messages. you can even use it in web browsers with caterpillar-browser. =balupton caterpillar console log logger logging debug stream transform","author":"=balupton","date":"2013-12-12 "},{"name":"caterpillar-browser","description":"Use [Caterpillar](https://github.com/bevry/caterpillar) within Web Browsers! (even includes support for colors!)","url":null,"keywords":"caterpillar caterpillar-transform console log logger logging debug stream transform browser console.log","version":"2.0.1","words":"caterpillar-browser use [caterpillar](https://github.com/bevry/caterpillar) within web browsers! (even includes support for colors!) =balupton caterpillar caterpillar-transform console log logger logging debug stream transform browser console.log","author":"=balupton","date":"2013-10-23 "},{"name":"caterpillar-filter","description":"Filter out undesired log levels from your [Caterpillar](https://github.com/bevry/caterpillar) logger stream","url":null,"keywords":"caterpillar caterpillar-transform console log logger logging debug stream transform human readable","version":"2.0.3","words":"caterpillar-filter filter out undesired log levels from your [caterpillar](https://github.com/bevry/caterpillar) logger stream =balupton caterpillar caterpillar-transform console log logger logging debug stream transform human readable","author":"=balupton","date":"2013-10-23 "},{"name":"caterpillar-human","description":"Turn your [Caterpillar](https://github.com/bevry/caterpillar) logger stream into a beautiful readable format with colors and optional debug information","url":null,"keywords":"caterpillar caterpillar-transform console log logger logging debug stream transform human readable","version":"2.1.2","words":"caterpillar-human turn your [caterpillar](https://github.com/bevry/caterpillar) logger stream into a beautiful readable format with colors and optional debug information =balupton caterpillar caterpillar-transform console log logger logging debug stream transform human readable","author":"=balupton","date":"2014-01-10 "},{"name":"catfish","description":"process / server metrics check agent","url":null,"keywords":"","version":"0.0.0","words":"catfish process / server metrics check agent =muddydixon","author":"=muddydixon","date":"2014-07-04 "},{"name":"catharsis","description":"A JavaScript parser for Google Closure Compiler and JSDoc type expressions.","url":null,"keywords":"","version":"0.8.2","words":"catharsis a javascript parser for google closure compiler and jsdoc type expressions. =hegemonic","author":"=hegemonic","date":"2014-06-11 "},{"name":"catify","description":"Middleware that redirects users at random to a cat gif.","keywords":"","version":[],"words":"catify middleware that redirects users at random to a cat gif. =shawnhilgart","author":"=shawnhilgart","date":"2014-04-03 "},{"name":"catiline","description":"Multi proccessing with workers in the browser.","url":null,"keywords":"workers threads parallel","version":"2.9.3","words":"catiline multi proccessing with workers in the browser. =cwmma workers threads parallel","author":"=cwmma","date":"2013-10-25 "},{"name":"cation","description":"Node.js Dependency Container","url":null,"keywords":"","version":"0.2.0","words":"cation node.js dependency container =sergiolepore","author":"=sergiolepore","date":"2012-10-15 "},{"name":"catjs","description":"(Mobile) Web Automation Framework","url":null,"keywords":"runner catrunner annotation app mobile html5 test testing unit automation ui jquery sencha chai enyo","version":"0.3.4","words":"catjs (mobile) web automation framework =lastboy =ransnir =pablito900 runner catrunner annotation app mobile html5 test testing unit automation ui jquery sencha chai enyo","author":"=lastboy =ransnir =pablito900","date":"2014-08-10 "},{"name":"catjsrunner","description":"CATJS runner is a command line tool that helps you run your web application on multiple devices including, Android, iOS, and PC browsers.\r This tool is very useful when combined with mobile web automation frameworks like [catjs](https://www.npmjs.org/pack","url":null,"keywords":"mobile runner","version":"0.2.17","words":"catjsrunner catjs runner is a command line tool that helps you run your web application on multiple devices including, android, ios, and pc browsers.\r this tool is very useful when combined with mobile web automation frameworks like [catjs](https://www.npmjs.org/pack =pablito900 =ransnir =lastboy mobile runner","author":"=pablito900 =ransnir =lastboy","date":"2014-08-19 "},{"name":"catlog","description":"Logging utility withou pain","url":null,"keywords":"log couchdb console","version":"0.0.6","words":"catlog logging utility withou pain =robinqu log couchdb console","author":"=RobinQu","date":"2012-08-30 "},{"name":"catlogjs","description":"Static site generator, translate human readable text format(such as markdown) into html, with a lot of other functions","url":null,"keywords":"blog markdown","version":"0.1.10","words":"catlogjs static site generator, translate human readable text format(such as markdown) into html, with a lot of other functions =cattail blog markdown","author":"=cattail","date":"2014-04-17 "},{"name":"catn8","description":"catn8 is a file concatenation tool than can also minify JavaScript using uglify-js and CSS using clean-css","url":null,"keywords":"catn8 concatenate file merge minify","version":"0.0.6","words":"catn8 catn8 is a file concatenation tool than can also minify javascript using uglify-js and css using clean-css =constantology catn8 concatenate file merge minify","author":"=constantology","date":"2013-04-13 "},{"name":"catnap","description":"Catnap helps you REST.","url":null,"keywords":"Express REST koa resource api","version":"1.1.0","words":"catnap catnap helps you rest. =mikaa123 express rest koa resource api","author":"=mikaa123","date":"2014-06-12 "},{"name":"cato","description":"Minimal view layer with declarative bindings","url":null,"keywords":"","version":"0.1.2","words":"cato minimal view layer with declarative bindings =mixu","author":"=mixu","date":"2014-02-05 "},{"name":"catout","description":"Just output a cat in the terminal","url":null,"keywords":"","version":"0.1.0","words":"catout just output a cat in the terminal =frozzare","author":"=frozzare","date":"2014-02-03 "},{"name":"catrunner","keywords":"","version":[],"words":"catrunner","author":"","date":"2014-03-26 "},{"name":"cats","description":"Categories for Javascript","url":null,"keywords":"monad functor monoid async","version":"0.0.2","words":"cats categories for javascript =lcfrs monad functor monoid async","author":"=lcfrs","date":"2012-10-18 "},{"name":"catstream","description":"Pipe filenames in, get contents out.","url":null,"keywords":"stream stream2 concatenate multifile cat","version":"1.0.2","words":"catstream pipe filenames in, get contents out. =floby stream stream2 concatenate multifile cat","author":"=floby","date":"2013-06-19 "},{"name":"catstreams","description":"Concatenate data from multiple streams fetched concurrently","url":null,"keywords":"","version":"0.0.4","words":"catstreams concatenate data from multiple streams fetched concurrently =dap","author":"=dap","date":"2013-07-24 "},{"name":"cattery","description":"Front End Integrated Solution","url":null,"keywords":"cattery","version":"0.1.5","words":"cattery front end integrated solution =yuanfang cattery","author":"=yuanfang","date":"2014-09-09 "},{"name":"cattery-command-install","description":"install component modules","url":null,"keywords":"","version":"0.0.1","words":"cattery-command-install install component modules =yuanfang","author":"=yuanfang","date":"2014-05-11 "},{"name":"cattery-command-release","description":"cattery release command.","url":null,"keywords":"cattery","version":"0.0.1","words":"cattery-command-release cattery release command. =yuanfang cattery","author":"=yuanfang","date":"2014-05-11 "},{"name":"cattery-command-server","description":"cattery server command.","url":null,"keywords":"cattery","version":"0.0.9","words":"cattery-command-server cattery server command. =yuanfang cattery","author":"=yuanfang","date":"2014-09-09 "},{"name":"cattery-parser-td","description":"将前端模板封装成KISSY组件","url":null,"keywords":"cattery","version":"0.0.1","words":"cattery-parser-td 将前端模板封装成kissy组件 =yuanfang cattery","author":"=yuanfang","date":"2014-07-17 "},{"name":"cattery-postprocessor-civet","description":"通过狸猫进行模板转换","url":null,"keywords":"cattery","version":"0.0.2","words":"cattery-postprocessor-civet 通过狸猫进行模板转换 =yuanfang cattery","author":"=yuanfang","date":"2014-05-15 "},{"name":"cattery-postprocessor-td","description":"将前端模板封装成KISSY组件","url":null,"keywords":"cattery","version":"0.0.2","words":"cattery-postprocessor-td 将前端模板封装成kissy组件 =yuanfang cattery","author":"=yuanfang","date":"2014-05-14 "},{"name":"catversions","description":"Silly CLI utility for checking project versions","url":null,"keywords":"","version":"2.0.0","words":"catversions silly cli utility for checking project versions =guilhermehn","author":"=guilhermehn","date":"2014-08-05 "},{"name":"catw","description":"concatenate file globs, watching for changes","url":null,"keywords":"cat watch build concatenate css glob update recompile compile","version":"0.2.0","words":"catw concatenate file globs, watching for changes =substack cat watch build concatenate css glob update recompile compile","author":"=substack","date":"2013-12-06 "},{"name":"catwalk","description":"models++","url":null,"keywords":"","version":"0.0.1","words":"catwalk models++ =asohn","author":"=asohn","date":"2012-12-20 "},{"name":"catwalk.js","description":"Intuitive and fast relational CRUD interface for modelling relationships using vanilla objects.","url":null,"keywords":"crud relationships javascript object mapping object mapping relational javascript relational objects relational mapping object relationships","version":"0.3.12","words":"catwalk.js intuitive and fast relational crud interface for modelling relationships using vanilla objects. =wildhoney crud relationships javascript object mapping object mapping relational javascript relational objects relational mapping object relationships","author":"=wildhoney","date":"2014-06-18 "},{"name":"causaltrack","description":"vectors for causality tracking, whether characterizing or semantic causalities","url":null,"keywords":"causality vector characterizing non-blocking","version":"0.3.0","words":"causaltrack vectors for causality tracking, whether characterizing or semantic causalities =chat-wane causality vector characterizing non-blocking","author":"=chat-wane","date":"2014-04-28 "},{"name":"causeeffect","description":"Evented rules for nodejs - flow management simplified","url":null,"keywords":"event events simple flow parallel util utility","version":"0.1.4","words":"causeeffect evented rules for nodejs - flow management simplified =olado event events simple flow parallel util utility","author":"=olado","date":"2012-06-26 "},{"name":"causeway","description":"causeway =====","url":null,"keywords":"causeway router traffic mongo organise bridge async sync asynchronous ruby python console","version":"0.1.4","words":"causeway causeway ===== =iyadassaf causeway router traffic mongo organise bridge async sync asynchronous ruby python console","author":"=iyadassaf","date":"2014-09-12 "},{"name":"cava-coolpad-rsa","description":"the coolpad rsa sign 4 nodejs","url":null,"keywords":"RSA coolpad","version":"0.0.6","words":"cava-coolpad-rsa the coolpad rsa sign 4 nodejs =cavacn rsa coolpad","author":"=cavacn","date":"2014-06-20 "},{"name":"cavalry","description":"Basically Fleet without dnode.","url":null,"keywords":"devops fleet paas","version":"1.3.1","words":"cavalry basically fleet without dnode. =davidbanham devops fleet paas","author":"=davidbanham","date":"2014-07-19 "},{"name":"cave","description":"Remove critical CSS from your stylesheet after inlining it in your pages","url":null,"keywords":"","version":"1.1.2","words":"cave remove critical css from your stylesheet after inlining it in your pages =bevacqua","author":"=bevacqua","date":"2014-09-18 "},{"name":"cave-automata-2d","description":"Generate 2D cave layouts in JavaScript","url":null,"keywords":"cave cellular automata procedural content generation","version":"0.3.1","words":"cave-automata-2d generate 2d cave layouts in javascript =hughsk cave cellular automata procedural content generation","author":"=hughsk","date":"2013-07-18 "},{"name":"caveman","description":"A fast JS templating engine.","url":null,"keywords":"caveman javascript template html","version":"0.1.3","words":"caveman a fast js templating engine. =andrewchilds caveman javascript template html","author":"=andrewchilds","date":"2014-07-03 "},{"name":"cavia","description":"Key-value on top of SQL","url":null,"keywords":"","version":"0.0.1","words":"cavia key-value on top of sql =koenbok","author":"=koenbok","date":"2012-07-17 "},{"name":"cawcaw","description":"cawcaw ( aka ChaffingAndWinnowing,ChaffingAndWinnowing ) core system","url":null,"keywords":"","version":"0.0.6","words":"cawcaw cawcaw ( aka chaffingandwinnowing,chaffingandwinnowing ) core system =app.app","author":"=app.app","date":"2014-01-02 "},{"name":"cayenne","description":"CoffeeScript's web framework on top of Express,Connect,Socket.IO frameworks.","url":null,"keywords":"framework websockets coffeescript","version":"0.1.5","words":"cayenne coffeescript's web framework on top of express,connect,socket.io frameworks. =arden framework websockets coffeescript","author":"=arden","date":"2011-02-08 "},{"name":"cayley","description":"nodejs client for cayley graph database","url":null,"keywords":"cayley client database","version":"0.2.0","words":"cayley nodejs client for cayley graph database =villadora cayley client database","author":"=villadora","date":"2014-08-16 "},{"name":"cayoc","url":null,"keywords":"","version":"0.3.1-beta","words":"cayoc =francoisfrisch","author":"=francoisfrisch","date":"2014-03-12 "},{"name":"cb","description":"Super simple callback mechanism with support for timeouts and explicit error handling","url":null,"keywords":"","version":"0.1.0","words":"cb super simple callback mechanism with support for timeouts and explicit error handling =jmar777","author":"=jmar777","date":"2013-06-17 "},{"name":"cb-backbone.io","description":"Backbone.js sync via Socket.IO","url":null,"keywords":"","version":"0.4.3","words":"cb-backbone.io backbone.js sync via socket.io =continuumbridge","author":"=continuumbridge","date":"2014-05-01 "},{"name":"cb-blockr","description":"common-blockchain-blockr","url":null,"keywords":"","version":"1.2.0","words":"cb-blockr common-blockchain-blockr =weilu","author":"=weilu","date":"2014-09-18 "},{"name":"cb-commando","description":"Bare naked command pattern implementation for event driven apps","url":null,"keywords":"command pattern commando event source","version":"0.2.1","words":"cb-commando bare naked command pattern implementation for event driven apps =christianbradley command pattern commando event source","author":"=christianbradley","date":"2013-11-22 "},{"name":"cb-fast-stats","description":"Quickly calculate common statistics on lists of numbers","url":null,"keywords":"statistics statistic gauss lognormal normal mean median mode standard deviation margin of error iqr quartile inter quartile range","version":"0.0.2","words":"cb-fast-stats quickly calculate common statistics on lists of numbers =tahmmee statistics statistic gauss lognormal normal mean median mode standard deviation margin of error iqr quartile inter quartile range","author":"=tahmmee","date":"2013-07-06 "},{"name":"cb-helloblock","description":"common-blockchain-helloblock","url":null,"keywords":"","version":"0.0.4","words":"cb-helloblock common-blockchain-helloblock =dcousens","author":"=dcousens","date":"2014-09-11 "},{"name":"cb-promise","description":"Allow your methods be called by Callbacks or Promises.","url":null,"keywords":"q callback promise utils tools","version":"0.0.1","words":"cb-promise allow your methods be called by callbacks or promises. =marianopardo q callback promise utils tools","author":"=marianopardo","date":"2013-11-28 "},{"name":"cb-system","description":"the system() you've been missing","url":null,"keywords":"system os spawn utility","version":"2.0.0","words":"cb-system the system() you've been missing =mmalecki system os spawn utility","author":"=mmalecki","date":"2014-06-22 "},{"name":"cb-wallet","url":null,"keywords":"","version":"0.5.0","words":"cb-wallet =weilu","author":"=weilu","date":"2014-09-18 "},{"name":"cb2yield","description":"Simple Node.js module to convert a function from callback style to yieldable style","url":null,"keywords":"co generator yieldable","version":"0.1.1","words":"cb2yield simple node.js module to convert a function from callback style to yieldable style =elzair co generator yieldable","author":"=elzair","date":"2014-05-15 "},{"name":"cbackend","description":"C backend for HosPos","url":null,"keywords":"","version":"0.3.24","words":"cbackend c backend for hospos =chrisdew","author":"=chrisdew","date":"2012-07-21 "},{"name":"cbarrick-circular-buffer","description":"A circular buffer for Node","url":null,"keywords":"stream streaming circular buffer","version":"1.2.1","words":"cbarrick-circular-buffer a circular buffer for node =cbarrick stream streaming circular buffer","author":"=cbarrick","date":"2014-06-24 "},{"name":"cbax","description":"CBAX Library ===============","url":null,"keywords":"","version":"1.0.0","words":"cbax cbax library =============== =rthomps7","author":"=rthomps7","date":"2014-08-10 "},{"name":"cbd","description":"Callback default. Return a noop function for when no callback function has been passed.","url":null,"keywords":"callback default noop","version":"1.0.0","words":"cbd callback default. return a noop function for when no callback function has been passed. =alanshaw callback default noop","author":"=alanshaw","date":"2013-11-08 "},{"name":"cbfx","description":"cbfx","url":null,"keywords":"framework web cbfx","version":"0.0.0","words":"cbfx cbfx =davidbanister framework web cbfx","author":"=davidbanister","date":"2013-08-08 "},{"name":"cbind","description":"Streamlined C/C++ v8 bindings generator for Node.JS inspired by tolua++ (requires C++11)","url":null,"keywords":"","version":"0.0.10","words":"cbind streamlined c/c++ v8 bindings generator for node.js inspired by tolua++ (requires c++11) =rushpl","author":"=RushPL","date":"2014-05-29 "},{"name":"cbind-example","url":null,"keywords":"","version":"0.0.0","words":"cbind-example =rushpl","author":"=RushPL","date":"2014-05-13 "},{"name":"cbinsights","description":"Simple module for using CB Insights's API in node.js","url":null,"keywords":"cb insights rest data","version":"0.1.2","words":"cbinsights simple module for using cb insights's api in node.js =atestu cb insights rest data","author":"=atestu","date":"2014-08-07 "},{"name":"cbNetwork","description":"A Node.js implementation of cbNetwork, which is a CoolBasic library","url":null,"keywords":"cbnetwork coolbasic udp","version":"0.2.3","words":"cbnetwork a node.js implementation of cbnetwork, which is a coolbasic library =vesq cbnetwork coolbasic udp","author":"=vesq","date":"2012-01-21 "},{"name":"cbor","description":"Encode and parse data in the Concise Binary Object Representation (CBOR) data format (RFC7049).","url":null,"keywords":"coap cbor json","version":"0.3.10","words":"cbor encode and parse data in the concise binary object representation (cbor) data format (rfc7049). =dotcypress =hildjj =paroga coap cbor json","author":"=dotcypress =hildjj =paroga","date":"2014-06-16 "},{"name":"cbor-node","keywords":"","version":[],"words":"cbor-node","author":"","date":"2014-03-10 "},{"name":"cbor-sync","description":"CBOR encode/decode (synchronous, semantic, browser-compatible)","url":null,"keywords":"cbor","version":"1.0.2","words":"cbor-sync cbor encode/decode (synchronous, semantic, browser-compatible) =geraintluff cbor","author":"=geraintluff","date":"2014-06-19 "},{"name":"cbpipe","description":"CallBack pipe.","url":null,"keywords":"","version":"0.0.1","words":"cbpipe callback pipe. =daxxog","author":"=daxxog","date":"2013-03-26 "},{"name":"cbreak","description":"Cbreak (rare) mode for TTY.","url":null,"keywords":"tty cbreak rare mode","version":"0.0.1","words":"cbreak cbreak (rare) mode for tty. =alexindigo tty cbreak rare mode","author":"=alexindigo","date":"2013-07-19 "},{"name":"cbrun","description":"cbrun - run callbacks with validation","url":null,"keywords":"","version":"0.2.3","words":"cbrun cbrun - run callbacks with validation =leukhin","author":"=leukhin","date":"2014-02-04 "},{"name":"cbs","description":"Carlos's Buffer Serializer","url":null,"keywords":"buffer serialize unserialize length prefix wire protocol","version":"0.1.0","words":"cbs carlos's buffer serializer =carlos8f buffer serialize unserialize length prefix wire protocol","author":"=carlos8f","date":"2014-08-26 "},{"name":"CBuffer","description":"Circular Buffer JavaScript implementation","url":null,"keywords":"","version":"0.1.5","words":"cbuffer circular buffer javascript implementation =trev.norris","author":"=trev.norris","date":"2014-08-12 "},{"name":"cbuffer-resizable","description":"resizable circular buffer based on CBuffer package","url":null,"keywords":"circular buffer resizable CBuffer resize","version":"0.0.3","words":"cbuffer-resizable resizable circular buffer based on cbuffer package =rsalesc circular buffer resizable cbuffer resize","author":"=rsalesc","date":"2014-08-26 "},{"name":"cbz-web","description":"Simple remote cbz viewer","keywords":"","version":[],"words":"cbz-web simple remote cbz viewer =coverslide","author":"=coverslide","date":"2013-04-30 "},{"name":"cc","url":null,"keywords":"","version":"0.0.6","words":"cc =miko","author":"=miko","date":"2012-08-02 "},{"name":"cc-client","description":"A node.js client for the Constant Contact API","url":null,"keywords":"","version":"0.1.0","words":"cc-client a node.js client for the constant contact api =diy","author":"=diy","date":"2012-09-24 "},{"name":"cc-validator-node","description":"A tiny module to do credit card number validation based on https://github.com/PawelDecowski/jQuery-CreditCardValidator","url":null,"keywords":"credit card luhn validation validate","version":"0.1.0","words":"cc-validator-node a tiny module to do credit card number validation based on https://github.com/paweldecowski/jquery-creditcardvalidator =radekg credit card luhn validation validate","author":"=radekg","date":"2012-03-20 "},{"name":"cc.ake","description":"Utility functions for Cakefiles.","url":null,"keywords":"","version":"0.6.1","words":"cc.ake utility functions for cakefiles. =jpike","author":"=jpike","date":"2012-07-12 "},{"name":"cc.extend","description":"A javascript class creation and inheritance system.","url":null,"keywords":"","version":"0.14.0","words":"cc.extend a javascript class creation and inheritance system. =jpike","author":"=jpike","date":"2012-10-09 "},{"name":"cc.gamer","description":"An HTML5 game engine. WebGL and canvas backends.","url":null,"keywords":"","version":"0.0.8","words":"cc.gamer an html5 game engine. webgl and canvas backends. =jpike","author":"=jpike","date":"2012-07-01 "},{"name":"cc.loader","description":"A javascript module loading/creation system for the web including support for baking.","url":null,"keywords":"","version":"1.3.0","words":"cc.loader a javascript module loading/creation system for the web including support for baking. =jpike","author":"=jpike","date":"2012-10-06 "},{"name":"cc3000-spy","description":"``` npm install -g git+https://github.com/tessel/cc3000-spy ```","url":null,"keywords":"","version":"0.1.0","words":"cc3000-spy ``` npm install -g git+https://github.com/tessel/cc3000-spy ``` =tcr","author":"=tcr","date":"2014-07-19 "},{"name":"cc98-node-api","description":"This is an API that parses www.cc98.org into useful informations in json.","url":null,"keywords":"cc98 spider","version":"0.2.6","words":"cc98-node-api this is an api that parses www.cc98.org into useful informations in json. =demohn cc98 spider","author":"=demohn","date":"2014-09-12 "},{"name":"cca","description":"Run Chrome Apps on mobile using Apache Cordova","url":null,"keywords":"cordova chrome mobile apps","version":"0.4.0","words":"cca run chrome apps on mobile using apache cordova =agrieve =mmocny =shepheb =maxw =clelland =kamrik =drkemp cordova chrome mobile apps","author":"=agrieve =mmocny =shepheb =maxw =clelland =kamrik =drkemp","date":"2014-09-18 "},{"name":"cca-download-counts","description":"Track download counts of the cca tool","url":null,"keywords":"","version":"0.0.2","words":"cca-download-counts track download counts of the cca tool =mmocny","author":"=mmocny","date":"2014-02-01 "},{"name":"cca-push","description":"Deprecated. See README.md","url":null,"keywords":"","version":"1.1.1","words":"cca-push deprecated. see readme.md =shepheb =mmocny =maxw =agrieve","author":"=shepheb =mmocny =maxw =agrieve","date":"2014-06-19 "},{"name":"cca-push2","keywords":"","version":[],"words":"cca-push2","author":"","date":"2014-03-21 "},{"name":"ccaccelerometer","description":"CCAccelerometer package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccaccelerometer ccaccelerometer package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccache","description":"Caching!","url":null,"keywords":"","version":"0.1.0","words":"ccache caching! =cabrel","author":"=cabrel","date":"2013-12-11 "},{"name":"ccaction3d","description":"ccaction3d for cocos3d-html5","url":null,"keywords":"ccaction3d animation cocos utils web game html5 app api","version":"0.0.2","words":"ccaction3d ccaction3d for cocos3d-html5 =cocos2d-html5 ccaction3d animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-24 "},{"name":"ccactions","description":"Actions package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccactions actions package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccactions3d","description":"3D actions package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccactions3d 3d actions package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccal","description":"cal for command line.","url":null,"keywords":"","version":"0.0.4","words":"ccal cal for command line. =lyuehh","author":"=lyuehh","date":"2014-02-25 "},{"name":"ccandy413pkg","description":"","url":null,"keywords":"","version":"0.0.2","words":"ccandy413pkg =ccandy413","author":"=ccandy413","date":"2013-12-03 "},{"name":"ccanimation","description":"ccanimation for cocos2d-html5","url":null,"keywords":"ccanimation animation cocos utils web game html5 app api","version":"0.0.1","words":"ccanimation ccanimation for cocos2d-html5 =cocos2d-html5 ccanimation animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccap","description":"node.js generate captcha using c++ library CImg without install any other lib or software","url":null,"keywords":"node captcha c++ image CImg","version":"0.4.3","words":"ccap node.js generate captcha using c++ library cimg without install any other lib or software =doublespout node captcha c++ image cimg","author":"=doublespout","date":"2013-11-04 "},{"name":"ccarmature","description":"armature for cocos2d-html5","url":null,"keywords":"ccarmature animation cocos utils web game html5 app api","version":"0.0.0","words":"ccarmature armature for cocos2d-html5 =cocos2d-html5 ccarmature animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"ccaudio","description":"CCAudio package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccaudio ccaudio package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccbase64toimg","description":"ccbase64toimg for cocos2d-html5","url":null,"keywords":"ccbase64toimg base64toimg cocos utils web game html5 app api","version":"0.0.1","words":"ccbase64toimg ccbase64toimg for cocos2d-html5 =cocos2d-html5 ccbase64toimg base64toimg cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccbox2d","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccbox2d =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cccallas","description":"module upload resgist test","url":null,"keywords":"null;","version":"0.1.1","words":"cccallas module upload resgist test =isalun null;","author":"=isalun","date":"2013-07-16 "},{"name":"ccchipmunk","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccchipmunk =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cccliping","description":"CCClippingNode package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cccliping ccclippingnode package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cccompress","description":"Compress tools package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cccompress compress tools package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cccount","description":"Simple Chinese characters counter","url":null,"keywords":"","version":"0.1.3","words":"cccount simple chinese characters counter =jollen","author":"=jollen","date":"2014-01-10 "},{"name":"ccdom","description":"```coffeescript\r helper = require './helper'\r pop_msg_node = require './pop-node'\r R = require './r'\r yes_no = require './yes-no'\r ccdom = require 'ccdom'\r select_friends = require './select-friends'","url":null,"keywords":"","version":"0.0.31","words":"ccdom ```coffeescript\r helper = require './helper'\r pop_msg_node = require './pop-node'\r r = require './r'\r yes_no = require './yes-no'\r ccdom = require 'ccdom'\r select_friends = require './select-friends' =seobyeongky","author":"=seobyeongky","date":"2014-05-21 "},{"name":"cceditbox","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cceditbox =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cceffects","description":"Effects package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cceffects effects package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccgen","description":"generate resources from res folder","url":null,"keywords":"","version":"0.0.3","words":"ccgen generate resources from res folder =kyktommy","author":"=kyktommy","date":"2013-12-04 "},{"name":"ccgui","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccgui =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccinput","description":"ccinput for cocos3d-html5","url":null,"keywords":"ccinput editbox action3d animation cocos utils web game html5 app api","version":"0.0.1","words":"ccinput ccinput for cocos3d-html5 =cocos2d-html5 ccinput editbox action3d animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccjs","description":"client side common js ","url":null,"keywords":"client-side commonjs loader","version":"0.1.3","words":"ccjs client side common js =zf client-side commonjs loader","author":"=zf","date":"2014-09-19 "},{"name":"cckazmath","description":"Math package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cckazmath math package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cckeyboard","description":"Keyboard event package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cckeyboard keyboard event package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccl","description":"BETA VERSION, USE ON YOUR OWN RISK. Colored, context-enabled logger.","url":null,"keywords":"logging logger","version":"0.0.5","words":"ccl beta version, use on your own risk. colored, context-enabled logger. =devgru logging logger","author":"=devgru","date":"2012-03-11 "},{"name":"cclabel","description":"Label nodes package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cclabel label nodes package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cclabelbmfont","description":"labelbmfont for cocos2d-html5","url":null,"keywords":"cclabelbmfont labelbmfont cocos utils web game html5 app api","version":"0.0.1","words":"cclabelbmfont labelbmfont for cocos2d-html5 =cocos2d-html5 cclabelbmfont labelbmfont cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"cclog","description":"A simple but powerful logger module. Support colors, line number, file","url":null,"keywords":"","version":"0.3.1","words":"cclog a simple but powerful logger module. support colors, line number, file =guileen","author":"=guileen","date":"2014-04-14 "},{"name":"ccm","description":"Calculates cyclomatic complexity metrics (ccm) for JavaScript.","url":null,"keywords":"","version":"2.2.0","words":"ccm calculates cyclomatic complexity metrics (ccm) for javascript. =jhkarlsson","author":"=jhkarlsson","date":"2013-11-03 "},{"name":"ccmenu","description":"Menu package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccmenu menu package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccmf","description":"Creative Commons Media-Fingerprint Library","url":null,"keywords":"","version":"1.0.1","words":"ccmf creative commons media-fingerprint library =ethanlim","author":"=ethanlim","date":"2013-09-04 "},{"name":"ccmodule","keywords":"","version":[],"words":"ccmodule","author":"","date":"2014-06-29 "},{"name":"ccmotionstreak","description":"CCMotionStreak package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccmotionstreak ccmotionstreak package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccn4bnode","description":"A node.js-based CCNx Integration, ala ccn4b. Adds the CCNx distro NPM installation, and offers daemon services and an api to manage environment and service lifecycle.","url":null,"keywords":"","version":"0.2.9","words":"ccn4bnode a node.js-based ccnx integration, ala ccn4b. adds the ccnx distro npm installation, and offers daemon services and an api to manage environment and service lifecycle. =truedat101","author":"=truedat101","date":"2013-03-13 "},{"name":"ccnet","description":"CashCode NET protocol implementation","url":null,"keywords":"CCNET CashCode protocol serialport","version":"0.0.3","words":"ccnet cashcode net protocol implementation =soulman.is.good ccnet cashcode protocol serialport","author":"=soulman.is.good","date":"2014-08-20 "},{"name":"ccnotificationcenter","description":"ccnotificationcenter for cocos2d-html5","url":null,"keywords":"ccnotificationcenter labelbmfont cocos utils web game html5 app api","version":"0.0.1","words":"ccnotificationcenter ccnotificationcenter for cocos2d-html5 =cocos2d-html5 ccnotificationcenter labelbmfont cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccnpmtest","description":"ccnpmtest","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"0.0.1","words":"ccnpmtest ccnpmtest =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-24 "},{"name":"ccnq3","description":"CCNQ3 tools","url":null,"keywords":"ccnq3","version":"0.5.4","words":"ccnq3 ccnq3 tools =shimaore ccnq3","author":"=shimaore","date":"2013-07-31 "},{"name":"ccolors","description":"get colors in your node.js cli console like what","url":null,"keywords":"ansi terminal colors","version":"0.3.0","words":"ccolors get colors in your node.js cli console like what =kolodny ansi terminal colors","author":"=kolodny","date":"2013-05-23 "},{"name":"cconfig","description":"simple cascading config system","url":null,"keywords":"","version":"0.0.1","words":"cconfig simple cascading config system =mateodelnorte","author":"=mateodelnorte","date":"2014-08-27 "},{"name":"cconsole","description":"simple colored console output","url":null,"keywords":"console terminal color colors colour colours","version":"0.9.2","words":"cconsole simple colored console output =roryrjb console terminal color colors colour colours","author":"=roryrjb","date":"2014-05-08 "},{"name":"cconv","description":"A Coordinate Conversion node module","url":null,"keywords":"GIS coordinates conversion Easting Northing Latitude Longitude meters degrees","version":"0.1.1","words":"cconv a coordinate conversion node module =fjsousa gis coordinates conversion easting northing latitude longitude meters degrees","author":"=fjsousa","date":"2013-12-12 "},{"name":"ccow.contextmanager","description":"A simple CCOW context manager with no persistence.","url":null,"keywords":"","version":"0.0.25","words":"ccow.contextmanager a simple ccow context manager with no persistence. =jonathanbp","author":"=jonathanbp","date":"2013-12-02 "},{"name":"ccp","description":"Closure compilation packaging.","url":null,"keywords":"","version":"0.0.1","words":"ccp closure compilation packaging. =gregrperkins","author":"=gregrperkins","date":"2013-01-06 "},{"name":"ccparallax","description":"CCParallaxNode package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccparallax ccparallaxnode package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccparticle","description":"Paticle system package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccparticle paticle system package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccphysics","description":"Physic node package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccphysics physic node package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccpluginx","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccpluginx =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccprogress","description":"Progress timer package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccprogress progress timer package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccrendertexture","description":"CCRenderTexture package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccrendertexture ccrendertexture package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccrypto","description":"Node.js C++ & JS-Native MD5 encoding of strings/arrays","url":null,"keywords":"crypto md5 node native addon module c c++ bindings gyp","version":"1.0.0","words":"ccrypto node.js c++ & js-native md5 encoding of strings/arrays =gnagel crypto md5 node native addon module c c++ bindings gyp","author":"=gnagel","date":"2013-06-28 "},{"name":"ccs","description":"Content Classification System - infer semantic information about unstructured data","url":null,"keywords":"content tagging statistics utility","version":"0.0.1","words":"ccs content classification system - infer semantic information about unstructured data =deoxxa content tagging statistics utility","author":"=deoxxa","date":"2012-04-05 "},{"name":"ccscrollview","description":"scrollview for cocos2d-html5","url":null,"keywords":"ccscrollview scrollview cocos utils web game html5 app api","version":"0.0.1","words":"ccscrollview scrollview for cocos2d-html5 =cocos2d-html5 ccscrollview scrollview cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccshaders","description":"Shaders package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccshaders shaders package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccshapenode","description":"Shape nodes package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"ccshapenode shape nodes package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccspine","description":"spine for cocos2d-html5","url":null,"keywords":"ccspine animation cocos utils web game html5 app api","version":"0.0.0","words":"ccspine spine for cocos2d-html5 =cocos2d-html5 ccspine animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"ccss","description":"CoffeeScript CSS","url":null,"keywords":"css","version":"0.1.2-1","words":"ccss coffeescript css =aeosynth css","author":"=aeosynth","date":"2011-02-11 "},{"name":"ccss-compiler","description":"Constraint Cascading Style Sheets compiler","url":null,"keywords":"","version":"1.1.2-beta","words":"ccss-compiler constraint cascading style sheets compiler =bergie =d4tocchini","author":"=bergie =d4tocchini","date":"2014-09-18 "},{"name":"cct-access-log","keywords":"","version":[],"words":"cct-access-log","author":"","date":"2013-09-27 "},{"name":"cct-is","keywords":"","version":[],"words":"cct-is","author":"","date":"2013-09-27 "},{"name":"cct-logger","keywords":"","version":[],"words":"cct-logger","author":"","date":"2013-09-27 "},{"name":"cct-matrix","keywords":"","version":[],"words":"cct-matrix","author":"","date":"2013-10-29 "},{"name":"cctestaaa","description":"cocos2d-html5","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"0.0.1","words":"cctestaaa cocos2d-html5 =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-24 "},{"name":"cctester","description":"a testing tool for CC","url":null,"keywords":"tool contentCreation","version":"0.0.3","words":"cctester a testing tool for cc =morizk tool contentcreation","author":"=morizk","date":"2014-08-21 "},{"name":"cctestpackage1919","description":"come from cc","url":null,"keywords":"cc","version":"0.0.1","words":"cctestpackage1919 come from cc =my1919 cc","author":"=my1919","date":"2013-08-22 "},{"name":"cctextinput","description":"Text input node package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cctextinput text input node package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cctgalib","description":"cctgalib for cocos2d-html5","url":null,"keywords":"cctgalib labelbmfont cocos utils web game html5 app api","version":"0.0.1","words":"cctgalib cctgalib for cocos2d-html5 =cocos2d-html5 cctgalib labelbmfont cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"cctilemap","description":"Tile map package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cctilemap tile map package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cctouch","description":"Touch event package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cctouch touch event package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cctransitions","description":"Transition package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cctransitions transition package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"ccui","description":"cocos ui package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"0.0.0","words":"ccui cocos ui package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-27 "},{"name":"ccurl","description":"CouchDB command-line helper","url":null,"keywords":"CouchDB curl couch command-line","version":"0.0.4","words":"ccurl couchdb command-line helper =glynnbird couchdb curl couch command-line","author":"=glynnbird","date":"2014-07-23 "},{"name":"ccuserdefault","description":"ccuserdefault for cocos2d-html5","url":null,"keywords":"ccuserdefault labelbmfont cocos utils web game html5 app api","version":"0.0.1","words":"ccuserdefault ccuserdefault for cocos2d-html5 =cocos2d-html5 ccuserdefault labelbmfont cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"ccxmleventemitter","description":"CurrentCost Base Station XML NodeJS EventEmitter","keywords":"currentcost current cost xml eventemitter nodejs cc128 envir","version":[],"words":"ccxmleventemitter currentcost base station xml nodejs eventemitter =thedistractor currentcost current cost xml eventemitter nodejs cc128 envir","author":"=thedistractor","date":"2013-06-15 "},{"name":"ccziputils","description":"ccziputils for cocos2d-html5","url":null,"keywords":"ccziputils labelbmfont cocos utils web game html5 app api","version":"0.0.1","words":"ccziputils ccziputils for cocos2d-html5 =cocos2d-html5 ccziputils labelbmfont cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-28 "},{"name":"cd","description":"chdir in chainer fashion + read file","url":null,"keywords":"cd chdir","version":"0.3.3","words":"cd chdir in chainer fashion + read file =sipware cd chdir","author":"=sipware","date":"2013-06-05 "},{"name":"cd..","description":"An example of creating a package","url":null,"keywords":"[math example adittion subtraction multiplication division fibonacci]","version":"0.0.0","words":"cd.. an example of creating a package =cpcortes [math example adittion subtraction multiplication division fibonacci]","author":"=cpcortes","date":"2014-07-31 "},{"name":"cda_api_x","description":"Web Scraper to provide methods to access cda.gob.ar easier","url":null,"keywords":"","version":"0.0.1","words":"cda_api_x web scraper to provide methods to access cda.gob.ar easier =xaiki","author":"=xaiki","date":"2014-05-29 "},{"name":"cdaas","description":"CDaaS (Count Down as a Service) provides a RESTful service for creating countdowns","url":null,"keywords":"","version":"0.0.1-RC01","words":"cdaas cdaas (count down as a service) provides a restful service for creating countdowns =boycook","author":"=boycook","date":"2013-09-25 "},{"name":"cdajs","description":"CDAjs is a stand-alone javascript library for working with Pentaho Community Data Access plugin.","url":null,"keywords":"Javascript Pentaho CDA MDX Data Access DW DatawareHouse BI Mondrian Wrapper","version":"0.0.3","words":"cdajs cdajs is a stand-alone javascript library for working with pentaho community data access plugin. =latinojoel javascript pentaho cda mdx data access dw datawarehouse bi mondrian wrapper","author":"=latinojoel","date":"2014-01-26 "},{"name":"cdb","description":"Couchdb library for rlx(1)","url":null,"keywords":"","version":"0.0.77","words":"cdb couchdb library for rlx(1) =muji","author":"=muji","date":"2014-09-20 "},{"name":"cdbtiles","description":"cdbtiles is a tilelive backend plug-in for CouchDB","url":null,"keywords":"couchdb tilelive tilejson tilemill mbtiles map server","version":"0.0.4","words":"cdbtiles cdbtiles is a tilelive backend plug-in for couchdb =vsivsi couchdb tilelive tilejson tilemill mbtiles map server","author":"=vsivsi","date":"2013-12-12 "},{"name":"cdefine","description":"Generate C #defines from objects","url":null,"keywords":"c metaprogramming define constants","version":"0.0.2","words":"cdefine generate c #defines from objects =jaz303 c metaprogramming define constants","author":"=jaz303","date":"2013-08-30 "},{"name":"cdelorme-watch","description":"An OOP fs.watch wrapper with whitelist filtration and accessible cache","url":null,"keywords":"fswatch","version":"0.9.1","words":"cdelorme-watch an oop fs.watch wrapper with whitelist filtration and accessible cache =cdelorme fswatch","author":"=cdelorme","date":"2014-05-02 "},{"name":"cdir","description":"An interactive console.dir() for the terminal.","url":null,"keywords":"","version":"0.1.2","words":"cdir an interactive console.dir() for the terminal. =hij1nx","author":"=hij1nx","date":"2013-09-30 "},{"name":"cdn","description":"Upload your files to cdn.","url":null,"keywords":"cdn upload qiniu upyun","version":"1.1.1","words":"cdn upload your files to cdn. =afc163 cdn upload qiniu upyun","author":"=afc163","date":"2014-08-12 "},{"name":"cdn-bench","description":"CLI to benchmark the speeds of CDN files over time.","url":null,"keywords":"cdn benchmark cdn benchmark bench","version":"1.0.0","words":"cdn-bench cli to benchmark the speeds of cdn files over time. =goldfire cdn benchmark cdn benchmark bench","author":"=goldfire","date":"2014-06-16 "},{"name":"cdn-sync","description":"deflate / synchronise assets to a CDN","url":null,"keywords":"","version":"0.6.0","words":"cdn-sync deflate / synchronise assets to a cdn =jokeyrhyme","author":"=jokeyrhyme","date":"2014-08-27 "},{"name":"cdn-test","keywords":"","version":[],"words":"cdn-test","author":"","date":"2014-05-23 "},{"name":"cdn-upyun","description":"Upload your files to upyun cdn.","url":null,"keywords":"cdn upload","version":"1.0.0","words":"cdn-upyun upload your files to upyun cdn. =afc163 cdn upload","author":"=afc163","date":"2014-07-31 "},{"name":"cdn77","description":"URL signer for using secure urls on CDN77","url":null,"keywords":"","version":"1.0.0","words":"cdn77 url signer for using secure urls on cdn77 =marekhrabe","author":"=marekhrabe","date":"2014-07-12 "},{"name":"cdnfinder","description":"Set of scripts to detect CDN usage of websites","url":null,"keywords":"cdn finder cdnfinder dns cname cdnplanet turbobytes cdn finder","version":"1.0.6","words":"cdnfinder set of scripts to detect cdn usage of websites =sajal cdn finder cdnfinder dns cname cdnplanet turbobytes cdn finder","author":"=sajal","date":"2013-01-10 "},{"name":"cdnizer","description":"A module for replacing local links with CDN links, includes fallbacks and customization.","url":null,"keywords":"cdn","version":"1.0.1","words":"cdnizer a module for replacing local links with cdn links, includes fallbacks and customization. =overzealous cdn","author":"=overzealous","date":"2014-09-18 "},{"name":"cdnjs","description":"Search and URL retrieval from cdnjs","url":null,"keywords":"cdnjs search url api toast","version":"0.3.2","words":"cdnjs search and url retrieval from cdnjs =phuu cdnjs search url api toast","author":"=phuu","date":"2014-09-07 "},{"name":"cdnjs-cdn-data","description":"CDNJS CDN Data for google-cdn","url":null,"keywords":"cdn cdnjs","version":"0.1.1","words":"cdnjs-cdn-data cdnjs cdn data for google-cdn =shahata cdn cdnjs","author":"=shahata","date":"2014-05-10 "},{"name":"cdnjs-transform","description":"Extract assets to make CDNjs's packages useful.","url":null,"keywords":"","version":"0.1.0","words":"cdnjs-transform extract assets to make cdnjs's packages useful. =phuu","author":"=phuu","date":"2014-09-07 "},{"name":"cdnjson","description":"There data is still too hard to find and access.","url":null,"keywords":"","version":"0.0.1","words":"cdnjson there data is still too hard to find and access. =viatropos","author":"=viatropos","date":"2014-02-05 "},{"name":"cdnsync","description":"Synchronize files on CDN and localhost through FTP","url":null,"keywords":"FTP CDN Sync","version":"0.0.2","words":"cdnsync synchronize files on cdn and localhost through ftp =fantasyshao ftp cdn sync","author":"=fantasyshao","date":"2014-07-28 "},{"name":"cdo-package","description":"Alphabetizes the dependencies in package.json","url":null,"keywords":"package.json ocd cdo","version":"0.2.0","words":"cdo-package alphabetizes the dependencies in package.json =dguttman package.json ocd cdo","author":"=dguttman","date":"2013-12-18 "},{"name":"cdoc","description":"Simple stupid CoffeeScript documentation extractor","url":null,"keywords":"documentation coffeescript comments markdown","version":"0.0.3","words":"cdoc simple stupid coffeescript documentation extractor =foxbunny documentation coffeescript comments markdown","author":"=foxbunny","date":"2013-11-16 "},{"name":"cdocparser","description":"Extract C style comments and extract context from source","url":null,"keywords":"doc documentation extract parse","version":"0.2.2","words":"cdocparser extract c style comments and extract context from source =fweinb doc documentation extract parse","author":"=fweinb","date":"2014-09-20 "},{"name":"cdproxy","description":"connect and express middleware for proxying cross domain requests.","url":null,"keywords":"","version":"0.0.3","words":"cdproxy connect and express middleware for proxying cross domain requests. =machadogj","author":"=machadogj","date":"2013-07-05 "},{"name":"cdspl_first_app","description":"this is our fire node project","url":null,"keywords":"","version":"0.0.0","words":"cdspl_first_app this is our fire node project =tamojitguharoy","author":"=tamojitguharoy","date":"2013-05-15 "},{"name":"cduk","description":"A modularize code/doc splitter inspired by docco","url":null,"keywords":"literate docs documentation generator","version":"0.0.0","words":"cduk a modularize code/doc splitter inspired by docco =mcfog literate docs documentation generator","author":"=mcfog","date":"2013-06-15 "},{"name":"cdyne-address","description":"CDYNE Postal Address Verification API node.js wrapper","url":null,"keywords":"","version":"0.1.4","words":"cdyne-address cdyne postal address verification api node.js wrapper =tealtail","author":"=tealtail","date":"2014-07-02 "},{"name":"ceaseless","description":"Enhanced Less Compiler","url":null,"keywords":"","version":"0.1.3","words":"ceaseless enhanced less compiler =dotnil","author":"=dotnil","date":"2012-09-05 "},{"name":"ceci-buffers","description":"Very simple buffer implementations for use with Ceci","url":null,"keywords":"buffer ring buffer data structure","version":"0.2.0","words":"ceci-buffers very simple buffer implementations for use with ceci =odf buffer ring buffer data structure","author":"=odf","date":"2014-03-13 "},{"name":"ceci-channels","description":"Blocking message channels for the Ceci library","url":null,"keywords":"async generators channels go clojure core.async","version":"0.1.4","words":"ceci-channels blocking message channels for the ceci library =odf async generators channels go clojure core.async","author":"=odf","date":"2014-06-25 "},{"name":"ceci-core","description":"A Go-inspired async library based on ES6 generators","url":null,"keywords":"async generators go clojure core.async","version":"0.2.2","words":"ceci-core a go-inspired async library based on es6 generators =odf async generators go clojure core.async","author":"=odf","date":"2014-08-20 "},{"name":"ceci-filters","description":"Higher-level channel operations for Ceci (experimental)","url":null,"keywords":"async generators channels go clojure core.async","version":"0.1.1","words":"ceci-filters higher-level channel operations for ceci (experimental) =odf async generators channels go clojure core.async","author":"=odf","date":"2014-05-22 "},{"name":"ceclinux","description":"just a test","url":null,"keywords":"","version":"0.0.1","words":"ceclinux just a test =ceclinux","author":"=ceclinux","date":"2014-01-01 "},{"name":"cedar","description":"User-friendly logging","url":null,"keywords":"cedar tiny console log logger color utf-8 icons transport","version":"0.0.19","words":"cedar user-friendly logging =zerious cedar tiny console log logger color utf-8 icons transport","author":"=zerious","date":"2014-09-16 "},{"name":"cee-econ-challenge-score-calculator","description":"Process data generated by the National Economics Challenge semi-finals.","url":null,"keywords":"","version":"0.5.2","words":"cee-econ-challenge-score-calculator process data generated by the national economics challenge semi-finals. =stevekinney","author":"=stevekinney","date":"2014-05-09 "},{"name":"cef","description":"A very simple CEF-syslog module.","url":null,"keywords":"cef syslog syslogd arcsight","version":"0.3.3","words":"cef a very simple cef-syslog module. =jedparsons =zaach =ozten =stomlinson cef syslog syslogd arcsight","author":"=jedparsons =zaach =ozten =stomlinson","date":"2013-07-18 "},{"name":"cela","description":"Node.js server, app, and site framework.","url":null,"keywords":"","version":"0.0.9","words":"cela node.js server, app, and site framework. =jasonhargrove","author":"=jasonhargrove","date":"2013-11-17 "},{"name":"celeri","description":"CLI lib","url":null,"keywords":"","version":"0.3.4","words":"celeri cli lib =architectd","author":"=architectd","date":"2014-09-01 "},{"name":"celerity","description":"celerity uses redis to do centralized rate limiting for applications running on multiple heroku dynos","url":null,"keywords":"rate limiting throttle measure redis speed","version":"0.1.0","words":"celerity celerity uses redis to do centralized rate limiting for applications running on multiple heroku dynos =snd rate limiting throttle measure redis speed","author":"=snd","date":"2013-10-03 "},{"name":"celery","description":"Port of Celery to node","url":null,"keywords":"celery","version":"0.0.0","words":"celery port of celery to node =efbeka celery","author":"=efbeka","date":"2012-12-19 "},{"name":"celery-man","description":"Computer load up celery man","url":null,"keywords":"paul rudd taeasgj! celery man 4d3d3d3 flarhgunnstow","version":"0.0.2","words":"celery-man computer load up celery man =bahamas10 paul rudd taeasgj! celery man 4d3d3d3 flarhgunnstow","author":"=bahamas10","date":"2013-02-12 "},{"name":"celery-shoot","description":"Celery client for Node (Forked from node-celery)","url":null,"keywords":"","version":"2.0.1","words":"celery-shoot celery client for node (forked from node-celery) =nathan-muir","author":"=nathan-muir","date":"2014-05-17 "},{"name":"celery.js","keywords":"","version":[],"words":"celery.js","author":"","date":"2014-05-02 "},{"name":"celerygw","description":"node.js gateway to connect browsers and celery workers","url":null,"keywords":"","version":"0.0.2","words":"celerygw node.js gateway to connect browsers and celery workers =skrat","author":"=skrat","date":"2014-05-02 "},{"name":"celeryjs","description":"A node.js Celery client with promises","url":null,"keywords":"celery amqp celeryproject message queue","version":"0.0.3","words":"celeryjs a node.js celery client with promises =blakev celery amqp celeryproject message queue","author":"=blakev","date":"2014-09-12 "},{"name":"celestial-node","description":"Celestial API for nodejs","url":null,"keywords":"","version":"0.2.0","words":"celestial-node celestial api for nodejs =narkisr","author":"=narkisr","date":"2013-06-06 "},{"name":"celica-api","keywords":"","version":[],"words":"celica-api","author":"","date":"2014-08-07 "},{"name":"celica-data","description":"The data source for the celica api. This is a public data source which can be used for any purpose you require","url":null,"keywords":"celica api","version":"0.0.1","words":"celica-data the data source for the celica api. this is a public data source which can be used for any purpose you require =stuartfarnaby celica api","author":"=stuartfarnaby","date":"2014-08-07 "},{"name":"cell","description":"Single unit of I/O computations","url":null,"keywords":"cell io data input output cache","version":"0.2.0","words":"cell single unit of i/o computations =makesites cell io data input output cache","author":"=makesites","date":"2014-05-11 "},{"name":"cell-range","description":"Specify a range of vectors and get a list of all the points between them","url":null,"keywords":"range cells arrays vectors","version":"0.0.0","words":"cell-range specify a range of vectors and get a list of all the points between them =hughsk range cells arrays vectors","author":"=hughsk","date":"2013-07-07 "},{"name":"cellar","description":"Brainless short-term single-document storage for MongoDB","url":null,"keywords":"mongoose mongodb storage cache","version":"0.0.3","words":"cellar brainless short-term single-document storage for mongodb =treygriffith mongoose mongodb storage cache","author":"=treygriffith","date":"2012-12-14 "},{"name":"cellar.js","description":"IndexedDB backed logging.","url":null,"keywords":"","version":"0.0.4","words":"cellar.js indexeddb backed logging. =jaridmargolin","author":"=jaridmargolin","date":"2014-04-13 "},{"name":"cellarise-istanbul","keywords":"","version":[],"words":"cellarise-istanbul","author":"","date":"2014-07-13 "},{"name":"cellarise-makara","keywords":"","version":[],"words":"cellarise-makara","author":"","date":"2014-07-13 "},{"name":"cellarise-mocha-reporters","keywords":"","version":[],"words":"cellarise-mocha-reporters","author":"","date":"2014-07-13 "},{"name":"cellarise-sinopia","description":"This package has been forked from rlidwka/sinopia so that a bug in the local-fs file can be patched. Sinopia is a private npm repository server.","url":null,"keywords":"private package repository registry modules proxy server","version":"0.1.1","words":"cellarise-sinopia this package has been forked from rlidwka/sinopia so that a bug in the local-fs file can be patched. sinopia is a private npm repository server. =cellarise private package repository registry modules proxy server","author":"=cellarise","date":"2014-07-30 "},{"name":"celles","description":"Small FRP library","url":null,"keywords":"frp","version":"0.3.0","words":"celles small frp library =rithis frp","author":"=rithis","date":"2013-09-25 "},{"name":"cellgridrenderer","description":"A browser module for rendering grids of cells.","url":null,"keywords":"browser d3 cell automata automaton","version":"0.3.0","words":"cellgridrenderer a browser module for rendering grids of cells. =jimkang browser d3 cell automata automaton","author":"=jimkang","date":"2014-06-26 "},{"name":"celljs","description":"Simple JavaScript library for FRP","url":null,"keywords":"frp cell celljs","version":"1.0.0","words":"celljs simple javascript library for frp =leestex frp cell celljs","author":"=leestex","date":"2013-09-28 "},{"name":"cellmap","description":"A quadtree-based cell map that tracks cell neighbors. For use with cellular automata.","url":null,"keywords":"cell cellular automata quadtree map","version":"0.9.2","words":"cellmap a quadtree-based cell map that tracks cell neighbors. for use with cellular automata. =jimkang cell cellular automata quadtree map","author":"=jimkang","date":"2014-07-14 "},{"name":"cello","description":"Simple DSL to generate simple C programs","url":null,"keywords":"C code generation","version":"0.1.1","words":"cello simple dsl to generate simple c programs =jbilcke c code generation","author":"=jbilcke","date":"2013-05-05 "},{"name":"cells","description":"VM/Container based cluster manager","url":null,"keywords":"","version":"0.0.1","words":"cells vm/container based cluster manager =easeway","author":"=easeway","date":"2014-02-14 "},{"name":"cellseriesviewer","description":"A small web app that displays series of cells.","url":null,"keywords":"browser d3 cell automata automaton","version":"0.1.1","words":"cellseriesviewer a small web app that displays series of cells. =jimkang browser d3 cell automata automaton","author":"=jimkang","date":"2014-06-03 "},{"name":"cellsynt","description":"API for sending text messages through cellsynt.com","url":null,"keywords":"","version":"0.1.0","words":"cellsynt api for sending text messages through cellsynt.com =jakobm","author":"=jakobm","date":"2013-10-11 "},{"name":"cellular","description":"Simple Cellular Automata processing in Javascript for browser and Node.js","keywords":"cellular automata game of life nodejs javascript","version":[],"words":"cellular simple cellular automata processing in javascript for browser and node.js =ajlopez cellular automata game of life nodejs javascript","author":"=ajlopez","date":"2012-10-30 "},{"name":"celluloid","description":"FRP","url":null,"keywords":"frp reactive cell","version":"0.0.1","words":"celluloid frp =lvivski frp reactive cell","author":"=lvivski","date":"2013-11-03 "},{"name":"celt","description":"NodeJS native binding to CELT","url":null,"keywords":"","version":"0.1.2","words":"celt nodejs native binding to celt =rantanen","author":"=rantanen","date":"2013-06-14 "},{"name":"celtra-api-client","description":"Celtra API Client","url":null,"keywords":"","version":"1.0.11","words":"celtra-api-client celtra api client =celtra","author":"=celtra","date":"2014-08-12 "},{"name":"cely","description":"default cely's package.json","url":null,"keywords":"cely","version":"0.0.1","words":"cely default cely's package.json =cely cely","author":"=cely","date":"2013-08-01 "},{"name":"cem","description":"component-entity manager","url":null,"keywords":"component entity","version":"0.0.3","words":"cem component-entity manager =domasx2 component entity","author":"=domasx2","date":"2014-02-05 "},{"name":"cement","description":"Data attribute binding and interpolation","url":null,"keywords":"mvvm model brick binding cement data dataset interpolation","version":"0.3.2","words":"cement data attribute binding and interpolation =bredele mvvm model brick binding cement data dataset interpolation","author":"=bredele","date":"2014-04-18 "},{"name":"cement-mixer","description":"Combine client side cement modules for webpages","url":null,"keywords":"cementjs cement mixer cement-mixer cement_mixer cementmixer modules client","version":"0.0.1","words":"cement-mixer combine client side cement modules for webpages =abe404 cementjs cement mixer cement-mixer cement_mixer cementmixer modules client","author":"=abe404","date":"2013-10-30 "},{"name":"cempl8","description":"JS macros, simple or complex","url":null,"keywords":"macros templates code macro template","version":"0.1.1","words":"cempl8 js macros, simple or complex =thejh macros templates code macro template","author":"=thejh","date":"2011-09-16 "},{"name":"cenbzh","description":"A module for learing perpose","url":null,"keywords":"","version":"0.0.1","words":"cenbzh a module for learing perpose =cenbzh","author":"=cenbzh","date":"2013-04-30 "},{"name":"cendre","description":"Dynamic HTTP Web Server","url":null,"keywords":"dynamic http web server","version":"3.4.1","words":"cendre dynamic http web server =antoine dynamic http web server","author":"=antoine","date":"2014-08-02 "},{"name":"cengage-ag-schema","keywords":"","version":[],"words":"cengage-ag-schema","author":"","date":"2014-05-29 "},{"name":"censeo","description":"Run arbitrary JavaScript or PogoScript on a server","url":null,"keywords":"eval runtime test mocha pogo","version":"0.4.1","words":"censeo run arbitrary javascript or pogoscript on a server =dereke eval runtime test mocha pogo","author":"=dereke","date":"2014-09-18 "},{"name":"censor","description":"And end to end testing suite for Meteor.","url":null,"keywords":"","version":"0.1.2","words":"censor and end to end testing suite for meteor. =sixfingers","author":"=sixfingers","date":"2013-07-03 "},{"name":"censorfy","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.2","words":"censorfy censors words out of text =sjohnson censor words","author":"=sjohnson","date":"2014-07-11 "},{"name":"censorfy_cidm4382_fall2014_babb","description":"Censors words from a list of words","url":null,"keywords":"WTAMU CIS CIDM4382 Censor Words","version":"1.0.3","words":"censorfy_cidm4382_fall2014_babb censors words from a list of words =ahuimanu wtamu cis cidm4382 censor words","author":"=ahuimanu","date":"2014-09-03 "},{"name":"censorif","description":"Censors words out of text","url":null,"keywords":"censory words","version":"0.1.2","words":"censorif censors words out of text =derekbranizor censory words","author":"=derekbranizor","date":"2014-08-19 "},{"name":"censorifi","description":"Censors words out of text","url":null,"keywords":"","version":"0.1.1","words":"censorifi censors words out of text =jednyc72","author":"=jednyc72","date":"2014-09-19 "},{"name":"censorifies","description":"Censor words out of input text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorifies censor words out of input text =dickj41r censor words","author":"=dickj41r","date":"2014-07-21 "},{"name":"censorify","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify censors words out of text =sisingh censor words","author":"=sisingh","date":"2014-07-18 "},{"name":"censorify-aga","keywords":"","version":[],"words":"censorify-aga","author":"","date":"2014-08-12 "},{"name":"censorify-az","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify-az censors words out of text =zeallous censor words","author":"=zeallous","date":"2014-08-30 "},{"name":"censorify-bds","keywords":"","version":[],"words":"censorify-bds","author":"","date":"2014-07-30 "},{"name":"censorify-bk","keywords":"","version":[],"words":"censorify-bk","author":"","date":"2014-05-06 "},{"name":"censorify-bn","description":"Censors words out of text","url":null,"keywords":"","version":"0.1.2","words":"censorify-bn censors words out of text =bricknevada","author":"=bricknevada","date":"2014-07-30 "},{"name":"censorify-das","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify-das censors words out of text =bynaryshef censor words","author":"=bynaryshef","date":"2014-09-09 "},{"name":"censorify-fo","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify-fo censors words out of text =foldervoll censor words","author":"=foldervoll","date":"2014-07-08 "},{"name":"censorify-jamesk","description":"Helloooo just testing things out. Hopefully NodeJS works out for me.","url":null,"keywords":"censor words","version":"0.1.3","words":"censorify-jamesk helloooo just testing things out. hopefully nodejs works out for me. =jameskegel censor words","author":"=jameskegel","date":"2014-08-17 "},{"name":"censorify-nodist325","keywords":"","version":[],"words":"censorify-nodist325","author":"","date":"2014-07-10 "},{"name":"censorify-rst","description":"word censoring functions","url":null,"keywords":"censor words","version":"0.1.2","words":"censorify-rst word censoring functions =richardst censor words","author":"=richardst","date":"2014-09-08 "},{"name":"censorify-sb","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.3","words":"censorify-sb censors words out of text =samburden censor words","author":"=samburden","date":"2014-07-24 "},{"name":"censorify-sdw","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.0.1","words":"censorify-sdw censors words out of text =stephendwragg censor words","author":"=stephendwragg","date":"2014-06-14 "},{"name":"censorify-shoop","keywords":"","version":[],"words":"censorify-shoop","author":"","date":"2014-08-22 "},{"name":"censorify-st4r","description":"Censors words out of text","url":null,"keywords":"","version":"0.1.3","words":"censorify-st4r censors words out of text =st4rsail","author":"=st4rsail","date":"2014-06-27 "},{"name":"censorify-ste","keywords":"","version":[],"words":"censorify-ste","author":"","date":"2014-08-27 "},{"name":"censorify-tl","keywords":"","version":[],"words":"censorify-tl","author":"","date":"2014-07-14 "},{"name":"censorify-tofromcafe","description":"just testing Brads Censors words out of text","url":null,"keywords":"","version":"0.1.2","words":"censorify-tofromcafe just testing brads censors words out of text =tofromcafe","author":"=tofromcafe","date":"2014-09-07 "},{"name":"censorify1","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.3","words":"censorify1 censors words out of text =venijavadev censor words","author":"=venijavadev","date":"2014-07-29 "},{"name":"censorify1582","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify1582 censors words out of text =jdhunterae censor words","author":"=jdhunterae","date":"2014-08-16 "},{"name":"censorify2","description":"Censor words out of text","url":null,"keywords":"censor censortext unwanted words","version":"0.1.2","words":"censorify2 censor words out of text =feldsam censor censortext unwanted words","author":"=feldsam","date":"2014-08-02 "},{"name":"censorify2-bn","description":"package test","url":null,"keywords":"censor words","version":"1.0.0","words":"censorify2-bn package test =bricknevada censor words","author":"=bricknevada","date":"2014-08-03 "},{"name":"censorify200","description":"Censor words from text","url":null,"keywords":"censor words","version":"0.0.2","words":"censorify200 censor words from text =joe44850 censor words","author":"=joe44850","date":"2014-07-13 "},{"name":"censorify20000","keywords":"","version":[],"words":"censorify20000","author":"","date":"2014-08-17 "},{"name":"censorify4382","description":"Censors words out of text","url":null,"keywords":"censor words","version":"1.0.3","words":"censorify4382 censors words out of text =mayragomez censor words","author":"=mayragomez","date":"2014-09-10 "},{"name":"censorify72","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify72 censors words out of text =jednyc72 censor words","author":"=jednyc72","date":"2014-09-20 "},{"name":"censorify901","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify901 censors words out of text =ganeshvr censor words","author":"=ganeshvr","date":"2014-09-04 "},{"name":"censorify99","keywords":"","version":[],"words":"censorify99","author":"","date":"2014-07-02 "},{"name":"censorify_4382_petruccione","description":"Censors words out of text","url":null,"keywords":"censor words WTAMU educational","version":"1.0.4","words":"censorify_4382_petruccione censors words out of text =apetruccione censor words wtamu educational","author":"=apetruccione","date":"2014-09-08 "},{"name":"censorify_bob","description":"Censors words out of text","url":null,"keywords":"","version":"0.1.1","words":"censorify_bob censors words out of text =bbelderbos","author":"=bbelderbos","date":"2014-07-06 "},{"name":"censorify_cidm4382_fall2014_madison","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.4","words":"censorify_cidm4382_fall2014_madison censors words out of text =jason75080 censor words","author":"=jason75080","date":"2014-09-07 "},{"name":"censorify_hackbarth","description":"Censors words out of text","url":null,"keywords":"WTAMU CIS CIDM4382 Censor Words","version":"0.1.5","words":"censorify_hackbarth censors words out of text =pesadilla143 wtamu cis cidm4382 censor words","author":"=pesadilla143","date":"2014-09-09 "},{"name":"censorify_jha","keywords":"","version":[],"words":"censorify_jha","author":"","date":"2014-07-14 "},{"name":"censorify_kimiyo","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify_kimiyo censors words out of text =kimiyo censor words","author":"=kimiyo","date":"2014-08-11 "},{"name":"censorify_mattymil","description":"censors words out of text","url":null,"keywords":"","version":"0.1.1","words":"censorify_mattymil censors words out of text =mattymil","author":"=mattymil","date":"2014-06-28 "},{"name":"censorify_rbloor","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorify_rbloor censors words out of text =ryanjacobbloor censor words","author":"=ryanjacobbloor","date":"2014-08-27 "},{"name":"censorify_urk","description":"Censord words out of text","url":null,"keywords":"censor worlds","version":"0.1.4","words":"censorify_urk censord words out of text =cyberalexca censor worlds","author":"=cyberalexca","date":"2014-08-20 "},{"name":"censorifybyvipin","description":"Censor words out of text","url":null,"keywords":"censor words vipin","version":"0.1.1","words":"censorifybyvipin censor words out of text =ervipin censor words vipin","author":"=ervipin","date":"2014-08-06 "},{"name":"censorifycol","keywords":"","version":[],"words":"censorifycol","author":"","date":"2014-06-25 "},{"name":"censorifykph","description":"Karsten's version of word censoring","url":null,"keywords":"censor words","version":"0.1.3","words":"censorifykph karsten's version of word censoring =kphutt censor words","author":"=kphutt","date":"2014-09-01 "},{"name":"censorifymaf","description":"Censors words out of text","url":null,"keywords":"censor mafmaf","version":"0.1.1","words":"censorifymaf censors words out of text =maralefer censor mafmaf","author":"=maralefer","date":"2014-08-20 "},{"name":"censorifymag","description":"bla","url":null,"keywords":"","version":"0.1.1","words":"censorifymag bla =magonzalez","author":"=magonzalez","date":"2014-08-22 "},{"name":"censorifymania","keywords":"","version":[],"words":"censorifymania","author":"","date":"2014-07-04 "},{"name":"censorifyxxx","keywords":"","version":[],"words":"censorifyxxx","author":"","date":"2014-06-15 "},{"name":"censorifyy","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.3","words":"censorifyy censors words out of text =nehajs censor words","author":"=nehajs","date":"2014-07-08 "},{"name":"censoriify","keywords":"","version":[],"words":"censoriify","author":"","date":"2014-07-27 "},{"name":"censoring","description":"Censor or highlight words and other patterns intelligently.","url":null,"keywords":"javascript node censor highlight match regex string manipulation","version":"0.0.3","words":"censoring censor or highlight words and other patterns intelligently. =rwoverdijk javascript node censor highlight match regex string manipulation","author":"=rwoverdijk","date":"2014-09-04 "},{"name":"censorious","keywords":"","version":[],"words":"censorious","author":"","date":"2014-04-05 "},{"name":"censorit","keywords":"","version":[],"words":"censorit","author":"","date":"2014-07-02 "},{"name":"censorit1","description":"Censors words in text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorit1 censors words in text =dmbell1 censor words","author":"=dmbell1","date":"2014-09-10 "},{"name":"censority","description":"Censors words out of text","url":null,"keywords":"","version":"0.1.1","words":"censority censors words out of text =nweintraut","author":"=nweintraut","date":"2014-07-08 "},{"name":"censorship-example-copy","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.0.1","words":"censorship-example-copy censors words out of text =seldont censor words","author":"=seldont","date":"2014-08-04 "},{"name":"censortext","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.0","words":"censortext censors words out of text =noriosuzuki censor words","author":"=noriosuzuki","date":"2014-07-27 "},{"name":"censorthis","description":"Censors a provided word out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorthis censors a provided word out of text =zachstites censor words","author":"=zachstites","date":"2014-09-08 "},{"name":"censorword","description":"Censors words out of text","url":null,"keywords":"censor words","version":"0.1.1","words":"censorword censors words out of text =ravi_varadarajan censor words","author":"=ravi_varadarajan","date":"2014-09-01 "},{"name":"census","keywords":"","version":[],"words":"census","author":"","date":"2014-04-05 "},{"name":"centaur","description":"Distributed messaging framework","url":null,"keywords":"distributed messaging queue task zeromq zmq","version":"0.0.0","words":"centaur distributed messaging framework =matomesc distributed messaging queue task zeromq zmq","author":"=matomesc","date":"2013-08-06 "},{"name":"center","description":"center an element in window or inside another element.","url":null,"keywords":"","version":"0.0.0","words":"center center an element in window or inside another element. =dominictarr","author":"=dominictarr","date":"2013-01-20 "},{"name":"center-box","description":"CSS Brick for centering the content with CSS3","url":null,"keywords":"brick css css3 browser","version":"0.0.0","words":"center-box css brick for centering the content with css3 =azer brick css css3 browser","author":"=azer","date":"2014-08-28 "},{"name":"center-corner-vector-angle","description":"angle between the center and each corner of a regular minimal polygon in n dimensions","url":null,"keywords":"angle n-dimensional equilateral tetrahedron triangle radians","version":"1.0.0","words":"center-corner-vector-angle angle between the center and each corner of a regular minimal polygon in n dimensions =substack angle n-dimensional equilateral tetrahedron triangle radians","author":"=substack","date":"2014-04-25 "},{"name":"center-text","description":"Center text horizontally","url":null,"keywords":"center text horizontal","version":"0.1.0","words":"center-text center text horizontally =twolfson center text horizontal","author":"=twolfson","date":"2013-12-01 "},{"name":"centered","description":"CSS Brick For Centering","url":null,"keywords":"center css css3 brick dom browser","version":"0.0.2","words":"centered css brick for centering =azer center css css3 brick dom browser","author":"=azer","date":"2014-08-28 "},{"name":"centered-cover-background","description":"Cover Background With Centered Content","url":null,"keywords":"cover background center css css3 brick dom browser","version":"0.0.3","words":"centered-cover-background cover background with centered content =azer cover background center css css3 brick dom browser","author":"=azer","date":"2014-08-28 "},{"name":"centovacast","description":"ERROR: No README.md file found!","url":null,"keywords":"radio","version":"0.1.1","words":"centovacast error: no readme.md file found! =linaeap radio","author":"=linaeap","date":"2013-08-11 "},{"name":"central-parser","keywords":"","version":[],"words":"central-parser","author":"","date":"2014-06-09 "},{"name":"centralindex","description":"Central Index, the world's local data exchange","url":null,"keywords":"business data central index search api","version":"0.0.13","words":"centralindex central index, the world's local data exchange =centralindex business data central index search api","author":"=centralindex","date":"2013-06-21 "},{"name":"centralindex-apitools","description":"Tools to allow an API to be setup using configuration files","url":null,"keywords":"","version":"0.0.2","words":"centralindex-apitools tools to allow an api to be setup using configuration files =centralindex","author":"=centralindex","date":"2013-10-31 "},{"name":"centroid","description":"Search persons in many public sources.","url":null,"keywords":"centroid search pse people social api","version":"1.0.0","words":"centroid search persons in many public sources. =franklin centroid search pse people social api","author":"=franklin","date":"2014-08-28 "},{"name":"cents","description":"Float to cents converter and formatter","url":null,"keywords":"","version":"1.0.1","words":"cents float to cents converter and formatter =qoobaa","author":"=qoobaa","date":"2014-05-04 "},{"name":"centschbook-mono","description":"One of the best fonts ever invented.","url":null,"keywords":"century schoolbook pro mono font","version":"3.2.1","words":"centschbook-mono one of the best fonts ever invented. =luk century schoolbook pro mono font","author":"=luk","date":"2013-07-21 "},{"name":"centurion","description":"A tiny gulp configuration","url":null,"keywords":"gulp configuration","version":"0.0.5","words":"centurion a tiny gulp configuration =yoshuawuyts gulp configuration","author":"=yoshuawuyts","date":"2014-01-29 "},{"name":"century","description":"minimal pid 1 process","url":null,"keywords":"","version":"0.0.0","words":"century minimal pid 1 process =groundwater","author":"=groundwater","date":"2014-06-20 "},{"name":"cep","description":"Wrapper for correio control ","url":null,"keywords":"","version":"0.0.3","words":"cep wrapper for correio control =kaiquewdev","author":"=kaiquewdev","date":"2013-11-06 "},{"name":"cepfacil","description":"Wrapper JavaScript/Node.js para o serviço cepfacil.com.br","url":null,"keywords":"api address zip_code localization","version":"0.0.1","words":"cepfacil wrapper javascript/node.js para o serviço cepfacil.com.br =rodrigoalvesvieira api address zip_code localization","author":"=rodrigoalvesvieira","date":"2012-11-10 "},{"name":"cerberus","description":"A midddleware that tracks down malicious server activity","url":null,"keywords":"node server protect security ddos","version":"0.0.1","words":"cerberus a midddleware that tracks down malicious server activity =makesites node server protect security ddos","author":"=makesites","date":"2014-05-20 "},{"name":"cercle","description":"anything in anything out pub/sub","url":null,"keywords":"pub sub publish subscribe cercle","version":"0.0.3","words":"cercle anything in anything out pub/sub =tjkrusinski pub sub publish subscribe cercle","author":"=tjkrusinski","date":"2014-01-08 "},{"name":"cercle-js","description":"js interface for cercle","url":null,"keywords":"cercle pub sub","version":"0.0.0","words":"cercle-js js interface for cercle =tjkrusinski cercle pub sub","author":"=tjkrusinski","date":"2014-01-08 "},{"name":"cereal","description":"Serialisation library for JavaScript that understands object graphs","url":null,"keywords":"","version":"0.2.3","words":"cereal serialisation library for javascript that understands object graphs =msackman","author":"=msackman","date":"2012-06-14 "},{"name":"cerealizer","description":"Serializes data and creates relationships","url":null,"keywords":"","version":"0.1.3","words":"cerealizer serializes data and creates relationships =mex","author":"=mex","date":"2013-11-14 "},{"name":"cerebro","description":"Extension of Backbone.js that meets more needs","url":null,"keywords":"backbone plugin actions","version":"0.1.0-beta","words":"cerebro extension of backbone.js that meets more needs =neocotic backbone plugin actions","author":"=neocotic","date":"2014-05-21 "},{"name":"ceres","description":"An experimental port of graphite's ceres backend.","url":null,"keywords":"","version":"0.0.1","words":"ceres an experimental port of graphite's ceres backend. =ciaranj","author":"=ciaranj","date":"2014-03-18 "},{"name":"ceres.js","description":"the javascript library","url":null,"keywords":"javascript library","version":"0.0.1","words":"ceres.js the javascript library =belhyun javascript library","author":"=belhyun","date":"2014-03-08 "},{"name":"cerosine","description":"coffee-script based ui kit for html5","url":null,"keywords":"cerosine coffee html ui","version":"0.0.4","words":"cerosine coffee-script based ui kit for html5 =hakt0r cerosine coffee html ui","author":"=hakt0r","date":"2013-10-29 "},{"name":"cerr","description":"Custom Error class generator","url":null,"keywords":"","version":"0.0.1","words":"cerr custom error class generator =tralamazza","author":"=tralamazza","date":"2014-07-30 "},{"name":"cert-unbundle","description":"split a certificate bundle into an array of certificates","url":null,"keywords":"ssl certificate https ca bundle.ca","version":"0.0.0","words":"cert-unbundle split a certificate bundle into an array of certificates =substack ssl certificate https ca bundle.ca","author":"=substack","date":"2014-03-22 "},{"name":"certgen","description":"Certificate generation library that uses the openssl command line utility","url":null,"keywords":"ssl certificate pki openssl","version":"0.2.1","words":"certgen certificate generation library that uses the openssl command line utility =bcle ssl certificate pki openssl","author":"=bcle","date":"2012-11-16 "},{"name":"certifi","description":"A carefully curated collection of Root Certificates for validating the trustworthiness of SSL certificates while verifying the identity of TLS hosts. It has been extracted from the Python Requests project","url":null,"keywords":"ca cert certificate pem ssl tls https","version":"14.5.14","words":"certifi a carefully curated collection of root certificates for validating the trustworthiness of ssl certificates while verifying the identity of tls hosts. it has been extracted from the python requests project =sindresorhus =kennethreitz ca cert certificate pem ssl tls https","author":"=sindresorhus =kennethreitz","date":"2014-06-19 "},{"name":"certify","description":"Create X.509 ASN.1 RSA Keypairs","url":null,"keywords":"","version":"0.0.3","words":"certify create x.509 asn.1 rsa keypairs =dave-irvine","author":"=dave-irvine","date":"2013-06-06 "},{"name":"certifyjs","description":"NodeJS module that generate a course certificate in PDF","url":null,"keywords":"nodejs pdf certificate generator","version":"0.1.1","words":"certifyjs nodejs module that generate a course certificate in pdf =pedronauck nodejs pdf certificate generator","author":"=pedronauck","date":"2014-04-29 "},{"name":"cerveau","description":"bring all requests to one central brain","url":null,"keywords":"","version":"0.0.3","words":"cerveau bring all requests to one central brain =alexander-daniel","author":"=alexander-daniel","date":"2014-03-18 "},{"name":"ces","description":"Component-Entity-System framework for JavaScript games","url":null,"keywords":"component entity game","version":"0.0.4","words":"ces component-entity-system framework for javascript games =qiao component entity game","author":"=qiao","date":"2014-06-17 "},{"name":"ces-game-engine","description":"JS game engine that uses the component entity system","url":null,"keywords":"ces game engine","version":"0.0.1","words":"ces-game-engine js game engine that uses the component entity system =dduck ces game engine","author":"=dduck","date":"2014-03-23 "},{"name":"cesarmodule","description":"My first test module","url":null,"keywords":"","version":"0.0.3","words":"cesarmodule my first test module =cesar1988","author":"=cesar1988","date":"2014-02-12 "},{"name":"ceshi","description":"ceshi first time","url":null,"keywords":"hehe","version":"0.0.1","words":"ceshi ceshi first time =guowei121493 hehe","author":"=guowei121493","date":"2014-08-04 "},{"name":"cesiumserver","description":"Node commandline application to create a Cesium Server.","url":null,"keywords":"","version":"0.1.6","words":"cesiumserver node commandline application to create a cesium server. =tjkoury","author":"=tjkoury","date":"2013-04-24 "},{"name":"cess","description":"Make your css development easier and sexier","url":null,"keywords":"","version":"0.0.0","words":"cess make your css development easier and sexier =tannhu","author":"=tannhu","date":"2012-04-25 "},{"name":"cesu-8","description":"Convert a UTF-8 buffer to a CESU-8 string","url":null,"keywords":"utf-8 utf8 cesu-8 emoji surrogate pair","version":"0.0.1","words":"cesu-8 convert a utf-8 buffer to a cesu-8 string =arlolra utf-8 utf8 cesu-8 emoji surrogate pair","author":"=arlolra","date":"2012-01-30 "},{"name":"cetera","description":"effortlessness, requirejs, packager, modules","url":null,"keywords":"","version":"0.0.8","words":"cetera effortlessness, requirejs, packager, modules =nomilous","author":"=nomilous","date":"2014-06-20 "},{"name":"cettings","description":"Helper for configuring voxel settings","url":null,"keywords":"","version":"0.1.0","words":"cettings helper for configuring voxel settings =shama","author":"=shama","date":"2013-08-08 "},{"name":"cevek-rest","url":null,"keywords":"","version":"0.0.1","words":"cevek-rest =cevek","author":"=cevek","date":"2014-07-19 "},{"name":"cevek-tools","url":null,"keywords":"","version":"0.0.1","words":"cevek-tools =cevek","author":"=cevek","date":"2014-07-19 "},{"name":"cews","description":"Crud Express Web Server that has a bunch of dependencies set up already","url":null,"keywords":"express web server","version":"0.3.2","words":"cews crud express web server that has a bunch of dependencies set up already =longlho express web server","author":"=longlho","date":"2013-03-22 "},{"name":"cex","description":"A tool for managing the dependencies of EveryMatrix applications","url":null,"keywords":"","version":"0.0.13","words":"cex a tool for managing the dependencies of everymatrix applications =clokze =raulvasile =andreip =fjordstrom =ticaasd =fane","author":"=clokze =raulvasile =andreip =fjordstrom =ticaasd =fane","date":"2014-09-18 "},{"name":"cexio","description":"CEX.IO REST API wrapper","url":null,"keywords":"bitstamp btc bitcoin","version":"0.0.5","words":"cexio cex.io rest api wrapper =pulsecat bitstamp btc bitcoin","author":"=pulsecat","date":"2014-01-27 "},{"name":"cextend","description":"Prototype Class extender","url":null,"keywords":"prototype class extend","version":"1.0.1","words":"cextend prototype class extender =bmatusiak prototype class extend","author":"=bmatusiak","date":"2012-10-29 "},{"name":"cf","description":"Environment sensitive configuration file loader for node.js","url":null,"keywords":"config environment env configuration settings development production","version":"0.0.3","words":"cf environment sensitive configuration file loader for node.js =arnorhs config environment env configuration settings development production","author":"=arnorhs","date":"2013-11-25 "},{"name":"cf-autoconfig","description":"Cloud Foundry auto-configuration module","url":null,"keywords":"cloud foundry cloudfoundry","version":"0.1.0","words":"cf-autoconfig cloud foundry auto-configuration module =mariash cloud foundry cloudfoundry","author":"=mariash","date":"2013-02-01 "},{"name":"cf-brunch","description":"Adds CloudFront support to brunch.","keywords":"","version":[],"words":"cf-brunch adds cloudfront support to brunch. =mriou","author":"=mriou","date":"2013-11-14 "},{"name":"cf-encrypt","description":"Node.js implementation of the ColdFusion encrypt() and decrypt() functions.","url":null,"keywords":"cf cfmx coldfusion encrypt decrypt CFMX_COMPAT","version":"0.0.4","words":"cf-encrypt node.js implementation of the coldfusion encrypt() and decrypt() functions. =zacbarton cf cfmx coldfusion encrypt decrypt cfmx_compat","author":"=zacbarton","date":"2014-03-08 "},{"name":"cf-env","description":"access your CloudFoundry environment objects","url":null,"keywords":"","version":"0.1.1","words":"cf-env access your cloudfoundry environment objects =pmuellr","author":"=pmuellr","date":"2014-05-22 "},{"name":"cf-hubotscripts","description":"custom bots","url":null,"keywords":"","version":"0.0.15","words":"cf-hubotscripts custom bots =cfuerst","author":"=cfuerst","date":"2013-03-22 "},{"name":"cf-invalidation-tracker","description":"A cache that keeps track of accessed URLs, and can send these in an invalidation requests to Amazon CloudFront","url":null,"keywords":"","version":"0.1.5","words":"cf-invalidation-tracker a cache that keeps track of accessed urls, and can send these in an invalidation requests to amazon cloudfront =galniv =myztiq","author":"=galniv =myztiq","date":"2013-11-05 "},{"name":"cf-launcher","description":"Launcher daemon for Cloud Foundry + Node.js development.","url":null,"keywords":"cloud foundry orion eclipse node","version":"0.0.12","words":"cf-launcher launcher daemon for cloud foundry + node.js development. =mamacdon cloud foundry orion eclipse node","author":"=mamacdon","date":"2014-08-13 "},{"name":"cf-node-debug","description":"proxy in aid of debugging node programs on Cloud Foundry","url":null,"keywords":"","version":"0.1.2","words":"cf-node-debug proxy in aid of debugging node programs on cloud foundry =pmuellr","author":"=pmuellr","date":"2014-06-06 "},{"name":"cf-query","description":"Use ColdFusion/Railo query JSON more easily","url":null,"keywords":"coldfusion json railo cfml","version":"0.0.3","words":"cf-query use coldfusion/railo query json more easily =clarkie coldfusion json railo cfml","author":"=clarkie","date":"2014-07-15 "},{"name":"cf-runtime","description":"Cloud Foundry API module","url":null,"keywords":"cloud foundry cloudfoundry","version":"0.0.1","words":"cf-runtime cloud foundry api module =mariash cloud foundry cloudfoundry","author":"=mariash","date":"2012-05-23 "},{"name":"cf-services-connector","description":"A module that connects you to the cloud foundry services API via a custom broker","url":null,"keywords":"cloud-foundry cloud foundry cf cf-services services broker","version":"0.2.1","words":"cf-services-connector a module that connects you to the cloud foundry services api via a custom broker =jamiep =activestate cloud-foundry cloud foundry cf cf-services services broker","author":"=jamiep =activestate","date":"2014-04-14 "},{"name":"cf-webservice-base","description":"cf-webservice-base\r ==================","url":null,"keywords":"","version":"0.0.3","words":"cf-webservice-base cf-webservice-base\r ================== =jbrieske","author":"=jbrieske","date":"2013-12-07 "},{"name":"cfa-git-example","description":"get the list of user's github repositories","url":null,"keywords":"","version":"0.0.1","words":"cfa-git-example get the list of user's github repositories =ahmedfoysal","author":"=ahmedfoysal","date":"2013-01-06 "},{"name":"cfb","description":"Compound File Binary File Format extractor","url":null,"keywords":"cfb compression office","version":"0.10.1","words":"cfb compound file binary file format extractor =sheetjs cfb compression office","author":"=sheetjs","date":"2014-07-05 "},{"name":"cfcp","description":"CloudFiles Copy","url":null,"keywords":"","version":"0.0.7","words":"cfcp cloudfiles copy =cthulhuology","author":"=cthulhuology","date":"2014-03-07 "},{"name":"cfenv","description":"easy access to your Cloud Foundry application environment","url":null,"keywords":"","version":"1.0.0","words":"cfenv easy access to your cloud foundry application environment =pmuellr","author":"=pmuellr","date":"2014-09-03 "},{"name":"cfg","url":null,"keywords":"","version":"0.0.2","words":"cfg =rauchg","author":"=rauchg","date":"2011-09-12 "},{"name":"cfi","url":null,"keywords":"","version":"0.0.1","words":"cfi =bml6obj","author":"=bml6obj","date":"2013-08-27 "},{"name":"cfig","description":"Yet another NodeJS JSON configuration loading + command-line argument parsing library","url":null,"keywords":"configuration json","version":"1.0.2","words":"cfig yet another nodejs json configuration loading + command-line argument parsing library =timboudreau configuration json","author":"=timboudreau","date":"2014-07-18 "},{"name":"cfind","description":"Find (and replace) code in a workspace","url":null,"keywords":"","version":"0.3.0","words":"cfind find (and replace) code in a workspace =samypesse =aarono","author":"=samypesse =aarono","date":"2014-07-27 "},{"name":"cfit","url":null,"keywords":"","version":"0.1.0","words":"cfit =jordix","author":"=jordix","date":"2013-12-29 "},{"name":"cfjson","description":"compact and flat JSON","url":null,"keywords":"","version":"1.2.1","words":"cfjson compact and flat json =ambilight","author":"=ambilight","date":"2014-01-11 "},{"name":"cflib","description":"Module for interacting with the CFLib.org API and a dump of all CFLib.org UDFs.","url":null,"keywords":"cflib coldfusion cfml","version":"1.0.5","words":"cflib module for interacting with the cflib.org api and a dump of all cflib.org udfs. =seancoyne cflib coldfusion cfml","author":"=seancoyne","date":"2014-07-21 "},{"name":"cflow","description":"[![browser support](https://ci.testling.com/MikeBild/cflow.png)](https://ci.testling.com/MikeBild/cflow)","url":null,"keywords":"async flow","version":"0.1.3","words":"cflow [![browser support](https://ci.testling.com/mikebild/cflow.png)](https://ci.testling.com/mikebild/cflow) =mikebild async flow","author":"=mikebild","date":"2014-06-18 "},{"name":"cfls","description":"CloudFiles LS","url":null,"keywords":"","version":"0.0.3","words":"cfls cloudfiles ls =cthulhuology","author":"=cthulhuology","date":"2014-03-07 "},{"name":"cfmin","description":"Common Font Minification Tool","url":null,"keywords":"font minify compress webfont css html5","version":"0.0.3","words":"cfmin common font minification tool =scientihark font minify compress webfont css html5","author":"=scientihark","date":"2013-10-17 "},{"name":"cfn-config","description":"Quickly configure and start AWS CloudFormation stacks","url":null,"keywords":"","version":"0.2.0","words":"cfn-config quickly configure and start aws cloudformation stacks =willwhite =jfirebaugh =mapbox","author":"=willwhite =jfirebaugh =mapbox","date":"2014-05-05 "},{"name":"cfn-stack-event-stream","description":"A readable stream of CloudFormation stack events","url":null,"keywords":"","version":"0.0.2","words":"cfn-stack-event-stream a readable stream of cloudformation stack events =jfirebaugh =willwhite =mapbox","author":"=jfirebaugh =willwhite =mapbox","date":"2014-05-05 "},{"name":"cforce","description":"force enviroment or console variables to be present","url":null,"keywords":"force console enviroment variable arguments","version":"0.0.1","words":"cforce force enviroment or console variables to be present =b3ngr33ni3r force console enviroment variable arguments","author":"=b3ngr33ni3r","date":"2014-02-16 "},{"name":"cfork","description":"cluster fork and restart easy way","url":null,"keywords":"cluster cluster-fork cfork restart","version":"1.1.1","words":"cfork cluster fork and restart easy way =fengmk2 cluster cluster-fork cfork restart","author":"=fengmk2","date":"2014-09-17 "},{"name":"cfp","description":"Nordea Corporate File Payments","url":null,"keywords":"payment nordea corporate","version":"0.0.2","words":"cfp nordea corporate file payments =manast payment nordea corporate","author":"=manast","date":"2014-06-05 "},{"name":"cfp-github-importer","description":"Import a CFP into Github issues for review.","url":null,"keywords":"community conference cfp github","version":"2.0.0","words":"cfp-github-importer import a cfp into github issues for review. =indexzero community conference cfp github","author":"=indexzero","date":"2014-09-08 "},{"name":"cfp-rejector","description":"A simple script to calculate what emails need to be contacted for CFP rejection. Ultra sad!","url":null,"keywords":"cfp conf","version":"1.0.0","words":"cfp-rejector a simple script to calculate what emails need to be contacted for cfp rejection. ultra sad! =indexzero cfp conf","author":"=indexzero","date":"2014-04-02 "},{"name":"cft","description":"CDC Frontend Template","url":null,"keywords":"cdc f2e template init","version":"0.1.8","words":"cft cdc frontend template =cdcim cdc f2e template init","author":"=cdcim","date":"2014-08-11 "},{"name":"cfx","description":"programmatically use cfx with node.js","url":null,"keywords":"cfx firefox jetpack add-on addon amo","version":"0.0.2","words":"cfx programmatically use cfx with node.js =jsantell cfx firefox jetpack add-on addon amo","author":"=jsantell","date":"2013-05-22 "},{"name":"cg","description":"cg (computational geometry) kernel for JavaScript","url":null,"keywords":"js javascript algorithm complexity template kernel computational geometry cg","version":"0.1.9","words":"cg cg (computational geometry) kernel for javascript =aureooms js javascript algorithm complexity template kernel computational geometry cg","author":"=aureooms","date":"2014-08-23 "},{"name":"cg-cluster-configure","url":null,"keywords":"","version":"0.0.3","words":"cg-cluster-configure =pipi32167","author":"=pipi32167","date":"2014-04-30 "},{"name":"cg-cmd","description":"Make it easy for you to develop node modules by extending the Command, Options class, etc..","url":null,"keywords":"command code gathering","version":"2012.6.13","words":"cg-cmd make it easy for you to develop node modules by extending the command, options class, etc.. =r.varonos command code gathering","author":"=r.varonos","date":"2012-06-13 "},{"name":"cg-compile","description":"Get your source merged into one file","url":null,"keywords":"compile compiler code gathering","version":"2012.6.16","words":"cg-compile get your source merged into one file =r.varonos compile compiler code gathering","author":"=r.varonos","date":"2012-06-13 "},{"name":"cg-core","description":"Start out your node module when using Code Gathering tools","url":null,"keywords":"utility utilities code gathering","version":"2012.6.16","words":"cg-core start out your node module when using code gathering tools =r.varonos utility utilities code gathering","author":"=r.varonos","date":"2012-06-13 "},{"name":"cg-csv2json","url":null,"keywords":"","version":"0.0.6","words":"cg-csv2json =pipi32167","author":"=pipi32167","date":"2014-03-31 "},{"name":"cg-loc","description":"ocate, create, read, edit files and directories","url":null,"keywords":"location path code gathering","version":"2012.6.13","words":"cg-loc ocate, create, read, edit files and directories =r.varonos location path code gathering","author":"=r.varonos","date":"2012-06-13 "},{"name":"cg-util","description":"Smart Async, Math, String, etc utilities","url":null,"keywords":"utility utilities code gathering","version":"2012.6.13","words":"cg-util smart async, math, string, etc utilities =r.varonos utility utilities code gathering","author":"=r.varonos","date":"2012-06-13 "},{"name":"cgame","description":"Low level Coffeescript + canvas + HTML5 cross-platform 2D game engine","url":null,"keywords":"","version":"0.1.0","words":"cgame low level coffeescript + canvas + html5 cross-platform 2d game engine =bvalosek","author":"=bvalosek","date":"2013-09-11 "},{"name":"cgds","description":"A module for querying the Cancer Genomics Data Server (CGDS).","url":null,"keywords":"cbio cancer genomics tcga mskcc","version":"0.1.5","words":"cgds a module for querying the cancer genomics data server (cgds). =agrueneberg cbio cancer genomics tcga mskcc","author":"=agrueneberg","date":"2014-07-18 "},{"name":"cgeohash","description":"Node.js C++ & JS-Native GeoHash","url":null,"keywords":"geohash ngeohash native addon module c c++ bindings gyp","version":"1.5.0","words":"cgeohash node.js c++ & js-native geohash =gnagel geohash ngeohash native addon module c c++ bindings gyp","author":"=gnagel","date":"2013-07-25 "},{"name":"cgi","description":"A stack/connect layer to invoke and serve CGI executables","url":null,"keywords":"","version":"0.3.0","words":"cgi a stack/connect layer to invoke and serve cgi executables =tootallnate =tootallnate","author":"=TooTallNate =tootallnate","date":"2014-05-22 "},{"name":"cgi-env","description":"Convert Node HTTP requests into CGI environments","url":null,"keywords":"","version":"0.0.1","words":"cgi-env convert node http requests into cgi environments =aredridel","author":"=aredridel","date":"2012-12-25 "},{"name":"cgi-gin","description":"Connect middleware for a folder of javascript modules","url":null,"keywords":"cgi folder express middleware","version":"0.0.2","words":"cgi-gin connect middleware for a folder of javascript modules =binocarlos cgi folder express middleware","author":"=binocarlos","date":"2014-01-18 "},{"name":"cgi-run","description":"Runner lib for CGI exec","url":null,"keywords":"cgi runner","version":"0.0.4","words":"cgi-run runner lib for cgi exec =robinqu cgi runner","author":"=robinqu","date":"2014-09-18 "},{"name":"cgit","description":"git cli","url":null,"keywords":"git cgit","version":"0.0.2","words":"cgit git cli =qixuan git cgit","author":"=qixuan","date":"2014-04-16 "},{"name":"cgkineo-cli","description":"Command line tools for Adapt","url":null,"keywords":"","version":"0.0.20","words":"cgkineo-cli command line tools for adapt =oliverfoster","author":"=oliverfoster","date":"2014-07-25 "},{"name":"cglib","url":null,"keywords":"","version":"0.0.13","words":"cglib =pipi32167","author":"=pipi32167","date":"2014-08-28 "},{"name":"cgminer","description":"API client for CGMiner Bitcoin miner","url":null,"keywords":"bitcoin cgminer client promises promises/a promises/a+ q","version":"0.1.0","words":"cgminer api client for cgminer bitcoin miner =tlrobinson bitcoin cgminer client promises promises/a promises/a+ q","author":"=tlrobinson","date":"2013-07-15 "},{"name":"cgminer-api","description":"Complete cgminer API implementation for Node.js with multi-version support and integration tests","url":null,"keywords":"cgminer sgminer bfgminer hashware hashpanel bitcoin mining miner","version":"0.2.2","words":"cgminer-api complete cgminer api implementation for node.js with multi-version support and integration tests =tjwebb cgminer sgminer bfgminer hashware hashpanel bitcoin mining miner","author":"=tjwebb","date":"2014-09-10 "},{"name":"cgn","description":"commandline app to generate code from templates.","url":null,"keywords":"","version":"0.0.1","words":"cgn commandline app to generate code from templates. =jameymcelveen","author":"=jameymcelveen","date":"2013-07-16 "},{"name":"cgulp","description":"alias to coffeegulp","url":null,"keywords":"gulp coffeegulp","version":"1.0.1","words":"cgulp alias to coffeegulp =nmccready gulp coffeegulp","author":"=nmccready","date":"2014-08-14 "},{"name":"ch","description":"A simple approach to handling resource concurrency limits within a single system thread.","url":null,"keywords":"concurrency resource queue worker async file descriptors sockets","version":"0.2.0","words":"ch a simple approach to handling resource concurrency limits within a single system thread. =zannalov concurrency resource queue worker async file descriptors sockets","author":"=zannalov","date":"2014-05-10 "},{"name":"ch5","url":null,"keywords":"","version":"0.0.1","words":"ch5 =jettatang","author":"=jettatang","date":"2014-08-29 "},{"name":"ch8","description":"CHAPTER8","url":null,"keywords":"CHAPTER8","version":"0.0.1","words":"ch8 chapter8 =winter chapter8","author":"=winter","date":"2012-08-14 "},{"name":"ch8-2","description":"CHAPTER8","url":null,"keywords":"CHAPTER8","version":"0.0.1","words":"ch8-2 chapter8 =winter chapter8","author":"=winter","date":"2012-08-14 "},{"name":"cha","description":"Make task chaining.","url":null,"keywords":"","version":"0.2.1","words":"cha make task chaining. =yuanyan","author":"=yuanyan","date":"2014-05-18 "},{"name":"cha-cli","description":"Cha CLI Application.","url":null,"keywords":"cha cli","version":"0.0.3","words":"cha-cli cha cli application. =yuanyan cha cli","author":"=yuanyan","date":"2014-04-16 "},{"name":"cha-load","description":"Automatically load cha and register tasks.","url":null,"keywords":"cha extension load tasks","version":"0.1.0","words":"cha-load automatically load cha and register tasks. =yuanyan cha extension load tasks","author":"=yuanyan","date":"2014-08-02 "},{"name":"cha-target","description":"Target extension for cha.","url":null,"keywords":"cha extension target","version":"0.1.1","words":"cha-target target extension for cha. =yuanyan cha extension target","author":"=yuanyan","date":"2014-03-16 "},{"name":"cha-watch","description":"Watch extension for cha.","url":null,"keywords":"cha extension watch","version":"0.1.0","words":"cha-watch watch extension for cha. =yuanyan cha extension watch","author":"=yuanyan","date":"2014-03-16 "},{"name":"chabo","description":"Carrier layer for encrypted chunk storage.","url":null,"keywords":"chunk encryption storage","version":"0.0.0","words":"chabo carrier layer for encrypted chunk storage. =srijs chunk encryption storage","author":"=srijs","date":"2014-03-31 "},{"name":"chabot","description":"Chabot is Web-hook receiver for ChatWork","url":null,"keywords":"","version":"0.2.3","words":"chabot chabot is web-hook receiver for chatwork =astronaughts","author":"=astronaughts","date":"2013-12-10 "},{"name":"chacka","description":"Just another blogging templtes","url":null,"keywords":"chacka alqamy cms contnet management system blog web","version":"0.0.8","words":"chacka just another blogging templtes =msbadar chacka alqamy cms contnet management system blog web","author":"=msbadar","date":"2014-08-17 "},{"name":"chai","description":"BDD/TDD assertion library for node.js and the browser. Test framework agnostic.","url":null,"keywords":"test assertion assert testing chai","version":"1.9.1","words":"chai bdd/tdd assertion library for node.js and the browser. test framework agnostic. =jakeluer test assertion assert testing chai","author":"=jakeluer","date":"2014-04-04 "},{"name":"chai-adhoc","description":"Instantly extend Chai.js and define custom assertions! We provide a simpler API to work with.","url":null,"keywords":"chai plugin API custom assertion customize","version":"0.3.3","words":"chai-adhoc instantly extend chai.js and define custom assertions! we provide a simpler api to work with. =halfninety chai plugin api custom assertion customize","author":"=halfninety","date":"2014-07-03 "},{"name":"chai-array","description":"Array assertion helpers for the Chai assertion library","url":null,"keywords":"test assertion assert testing array","version":"0.0.1","words":"chai-array array assertion helpers for the chai assertion library =percyhanna test assertion assert testing array","author":"=percyhanna","date":"2014-07-10 "},{"name":"chai-as-promised","description":"Extends Chai with assertions about promises.","url":null,"keywords":"chai testing assertions promises promises-aplus","version":"4.1.1","words":"chai-as-promised extends chai with assertions about promises. =domenic chai testing assertions promises promises-aplus","author":"=domenic","date":"2014-03-01 "},{"name":"chai-backbone","description":"Backbone assertions for the Chai assertion library","url":null,"keywords":"test assertion assert testing backbone","version":"0.9.2","words":"chai-backbone backbone assertions for the chai assertion library =thaisi test assertion assert testing backbone","author":"=thaisi","date":"2013-02-08 "},{"name":"chai-bookshelf","description":"Chai assertions for bookshelf-based models","url":null,"keywords":"chai bookshelf testing tests assertions assert","version":"1.0.0","words":"chai-bookshelf chai assertions for bookshelf-based models =elliotf chai bookshelf testing tests assertions assert","author":"=elliotf","date":"2014-03-17 "},{"name":"chai-catch-exception","description":"A ChaiJs plugin inspired of catch-exception for Java ","url":null,"keywords":"chai testing mocha","version":"1.0.0","words":"chai-catch-exception a chaijs plugin inspired of catch-exception for java =rgoyard chai testing mocha","author":"=rgoyard","date":"2014-03-01 "},{"name":"chai-change","description":"Assert that a change you expected to happen, happened, with the chai library","url":null,"keywords":"chai assertions assert testing chai-plugin","version":"1.0.0","words":"chai-change assert that a change you expected to happen, happened, with the chai library =timruffles chai assertions assert testing chai-plugin","author":"=timruffles","date":"2014-05-27 "},{"name":"chai-changes","description":"Change assertions for the Chai assertion library","url":null,"keywords":"test assertion assert testing changes promises","version":"1.3.4","words":"chai-changes change assertions for the chai assertion library =thaisi test assertion assert testing changes promises","author":"=thaisi","date":"2014-03-23 "},{"name":"chai-common","description":"Chai.js plugin containing commonly used custom assertions","url":null,"keywords":"chai custom additional common assertion","version":"0.0.3","words":"chai-common chai.js plugin containing commonly used custom assertions =halfninety chai custom additional common assertion","author":"=halfninety","date":"2013-08-24 "},{"name":"chai-connect-middleware","description":"Helpers for testing Connect middleware with the Chai assertion library.","url":null,"keywords":"chai connect express middleware","version":"0.3.1","words":"chai-connect-middleware helpers for testing connect middleware with the chai assertion library. =jaredhanson chai connect express middleware","author":"=jaredhanson","date":"2014-01-04 "},{"name":"chai-counter","description":"Count your chai assertions!","url":null,"keywords":"chaijs assertions counter utilities plugin","version":"1.0.0","words":"chai-counter count your chai assertions! =ingshtrom chaijs assertions counter utilities plugin","author":"=ingshtrom","date":"2014-09-17 "},{"name":"chai-date","description":"Date assertions for the Chai assertion library","url":null,"keywords":"test assertion assert testing chai date","version":"1.0.0","words":"chai-date date assertions for the chai assertion library =cgarvis test assertion assert testing chai date","author":"=cgarvis","date":"2012-10-12 "},{"name":"chai-datetime","description":"date / time comparison matchers for chai","url":null,"keywords":"chai testing jasmine","version":"1.3.0","words":"chai-datetime date / time comparison matchers for chai =mguterl chai testing jasmine","author":"=mguterl","date":"2014-08-09 "},{"name":"chai-deep-closeto","description":"deep.closeTo for chai","url":null,"keywords":"chai","version":"0.1.1","words":"chai-deep-closeto deep.closeto for chai =mohayonao chai","author":"=mohayonao","date":"2014-07-13 "},{"name":"chai-extras","description":"Additional utility Chai assertions","url":null,"keywords":"test assertion assert testing chai","version":"1.1.0","words":"chai-extras additional utility chai assertions =badunk test assertion assert testing chai","author":"=badunk","date":"2013-03-12 "},{"name":"chai-factories","description":"Factories over fixtures. Build for the Chai Assertion Library","url":null,"keywords":"","version":"0.1.0","words":"chai-factories factories over fixtures. build for the chai assertion library =vesln","author":"=vesln","date":"2012-05-01 "},{"name":"chai-for-sinon","description":"It's Chai with some added assertions for Sinon.","url":null,"keywords":"chai sinon assertions","version":"0.1.0","words":"chai-for-sinon it's chai with some added assertions for sinon. =bausmeier chai sinon assertions","author":"=bausmeier","date":"2013-10-20 "},{"name":"chai-fs","description":"Chai assertions for Node.js filesystem","url":null,"keywords":"chai test assertion assert testing file path filesystem","version":"0.1.0","words":"chai-fs chai assertions for node.js filesystem =bartvds chai test assertion assert testing file path filesystem","author":"=bartvds","date":"2014-07-22 "},{"name":"chai-fuzzy","description":"fuzzy matchers for chai","url":null,"keywords":"chai testing jasmine","version":"1.4.0","words":"chai-fuzzy fuzzy matchers for chai =elliotf chai testing jasmine","author":"=elliotf","date":"2013-12-08 "},{"name":"chai-gulp-helpers","description":"A simple test helper to verify that your stream returns the expected files.","url":null,"keywords":"chai gulp streams helpers testing","version":"0.0.3","words":"chai-gulp-helpers a simple test helper to verify that your stream returns the expected files. =jussi-kalliokoski chai gulp streams helpers testing","author":"=jussi-kalliokoski","date":"2014-05-27 "},{"name":"chai-highlight","description":"Chai.js plugin to highlight values in error messages Chai generates","url":null,"keywords":"chai highlight error message value customize","version":"0.2.0","words":"chai-highlight chai.js plugin to highlight values in error messages chai generates =halfninety chai highlight error message value customize","author":"=halfninety","date":"2014-07-12 "},{"name":"chai-http","description":"Extend Chai Assertion library with tests for http apis","url":null,"keywords":"","version":"0.5.0","words":"chai-http extend chai assertion library with tests for http apis =jakeluer","author":"=jakeluer","date":"2014-08-19 "},{"name":"chai-interface","description":"chai assertions about an object's interface","url":null,"keywords":"chai test interface plugin","version":"1.1.0","words":"chai-interface chai assertions about an object's interface =jden =agilemd chai test interface plugin","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"chai-jq","description":"An alternate jQuery assertion library for Chai.","url":null,"keywords":"test assertion assert chai jquery","version":"0.0.7","words":"chai-jq an alternate jquery assertion library for chai. =ryan.roemer test assertion assert chai jquery","author":"=ryan.roemer","date":"2014-04-25 "},{"name":"chai-jquery","description":"jQuery assertions for the Chai assertion library","url":null,"keywords":"test assertion assert testing jQuery","version":"1.2.3","words":"chai-jquery jquery assertions for the chai assertion library =jfirebaugh =domenic test assertion assert testing jquery","author":"=jfirebaugh =domenic","date":"2014-06-03 "},{"name":"chai-js-factories","description":"js-factories integration with Chai","url":null,"keywords":"test chai factory js-factories testing","version":"0.1.3","words":"chai-js-factories js-factories integration with chai =solatis test chai factory js-factories testing","author":"=solatis","date":"2014-03-10 "},{"name":"chai-jsend","description":"Chai plugin for asserting JSend responses.","url":null,"keywords":"jsend chai assert","version":"1.0.0","words":"chai-jsend chai plugin for asserting jsend responses. =jsdir jsend chai assert","author":"=jsdir","date":"2014-08-18 "},{"name":"chai-json-schema","description":"Chai plugin for JSON Schema v4","url":null,"keywords":"chai test assertion assert testing json schema json-schema","version":"1.1.0","words":"chai-json-schema chai plugin for json schema v4 =bartvds chai test assertion assert testing json schema json-schema","author":"=bartvds","date":"2014-03-17 "},{"name":"chai-leaflet","description":"Chai assertions to use with Leaflet map apps","url":null,"keywords":"chai testing assertions leaflet map gis","version":"0.0.8","words":"chai-leaflet chai assertions to use with leaflet map apps =jieter chai testing assertions leaflet map gis","author":"=jieter","date":"2013-11-28 "},{"name":"chai-locomotive-helpers","description":"Helpers for testing Locomotive helpers with the Chai assertion library.","url":null,"keywords":"chai locomotive helper helpers","version":"0.1.0","words":"chai-locomotive-helpers helpers for testing locomotive helpers with the chai assertion library. =jaredhanson chai locomotive helper helpers","author":"=jaredhanson","date":"2013-12-08 "},{"name":"chai-members-deep","description":"Extends chai.js with deep equality member checks, optionally also tracking the identity of nested objects.","url":null,"keywords":"chai testing deep equality","version":"0.0.1","words":"chai-members-deep extends chai.js with deep equality member checks, optionally also tracking the identity of nested objects. =fkling chai testing deep equality","author":"=fkling","date":"2014-06-27 "},{"name":"chai-mongoose","description":"Mongoose assertions for Chai.js","url":null,"keywords":"chai mongoose","version":"0.0.1","words":"chai-mongoose mongoose assertions for chai.js =vesln chai mongoose","author":"=vesln","date":"2014-02-04 "},{"name":"chai-nodules-helpers","description":"nodules-specific assertion helpers for chai","url":null,"keywords":"assert nodules terror objex chai","version":"1.0.0","words":"chai-nodules-helpers nodules-specific assertion helpers for chai =twilightfeel assert nodules terror objex chai","author":"=twilightfeel","date":"2014-05-22 "},{"name":"chai-null","description":"Null Object Pattern implementation for the Chai Assertion Library","url":null,"keywords":"","version":"0.1.0","words":"chai-null null object pattern implementation for the chai assertion library =vesln","author":"=vesln","date":"2012-04-30 "},{"name":"chai-oauth2orize-grant","description":"Helpers for testing OAuth2orize grants with the Chai assertion library.","url":null,"keywords":"chai oauth2orize oauth oauth2","version":"0.2.0","words":"chai-oauth2orize-grant helpers for testing oauth2orize grants with the chai assertion library. =jaredhanson chai oauth2orize oauth oauth2","author":"=jaredhanson","date":"2013-11-27 "},{"name":"chai-object","description":"Object include assertions for the Chai assertion library","url":null,"keywords":"test assert testing chai object","version":"0.0.1","words":"chai-object object include assertions for the chai assertion library =zoh test assert testing chai object","author":"=zoh","date":"2013-05-12 "},{"name":"chai-param","description":"Adds useful methods for using chai to validate function parameters","url":null,"keywords":"assertion assert chai parameter check guard","version":"0.1.0","words":"chai-param adds useful methods for using chai to validate function parameters =svallory assertion assert chai parameter check guard","author":"=svallory","date":"2014-08-13 "},{"name":"chai-passport-strategy","description":"Helpers for testing Passport strategies with the Chai assertion library.","url":null,"keywords":"chai passport strategy","version":"0.2.0","words":"chai-passport-strategy helpers for testing passport strategies with the chai assertion library. =jaredhanson chai passport strategy","author":"=jaredhanson","date":"2013-11-27 "},{"name":"chai-properties","description":"check partially object properties with chai","url":null,"keywords":"chai testing properties","version":"1.1.0","words":"chai-properties check partially object properties with chai =vbardales chai testing properties","author":"=vbardales","date":"2013-12-23 "},{"name":"chai-qunit","description":"chai integrations for qunit","url":null,"keywords":"chai qunit tests testing test matchers helpers","version":"0.1.0","words":"chai-qunit chai integrations for qunit =fivetanley chai qunit tests testing test matchers helpers","author":"=fivetanley","date":"2014-05-12 "},{"name":"chai-react","description":"React assertions for the Chai assertion library","url":null,"keywords":"test assertion assert testing react","version":"0.0.4","words":"chai-react react assertions for the chai assertion library =percyhanna test assertion assert testing react","author":"=percyhanna","date":"2014-08-19 "},{"name":"chai-resemble","description":"Chai helper for visually comparing HTML pages","url":null,"keywords":"chai gm resemble css regression testing","version":"0.2.0","words":"chai-resemble chai helper for visually comparing html pages =giakki chai gm resemble css regression testing","author":"=giakki","date":"2014-03-04 "},{"name":"chai-sentinels","description":"Pass sentinel values through your code and assert the results with Chai.","url":null,"keywords":"chai testing spies stubs mocks","version":"1.0.0","words":"chai-sentinels pass sentinel values through your code and assert the results with chai. =novemberborn chai testing spies stubs mocks","author":"=novemberborn","date":"2014-03-18 "},{"name":"chai-shallow-deep-equal","description":"Shallow deep equal assertion for chai","url":null,"keywords":"chai test assertion assert testing shallow deep","version":"0.0.3","words":"chai-shallow-deep-equal shallow deep equal assertion for chai =michelsalib chai test assertion assert testing shallow deep","author":"=michelsalib","date":"2014-06-16 "},{"name":"chai-signature","description":"Chai.js extensions to help with function precondition testing.","url":null,"keywords":"signature overload argument function","version":"0.1.0","words":"chai-signature chai.js extensions to help with function precondition testing. =chakrit signature overload argument function","author":"=chakrit","date":"2012-11-07 "},{"name":"chai-spies","description":"Spies for the Chai assertion library.","url":null,"keywords":"","version":"0.5.1","words":"chai-spies spies for the chai assertion library. =jakeluer","author":"=jakeluer","date":"2012-11-15 "},{"name":"chai-stack","description":"Light wrapper around chaijs which automatically sets chai.Assertion.includeStack = true","url":null,"keywords":"","version":"1.3.1","words":"chai-stack light wrapper around chaijs which automatically sets chai.assertion.includestack = true =jeffbski","author":"=jeffbski","date":"2012-11-07 "},{"name":"chai-stats","description":"Statistical and additional numerical assertions for the Chai Assertion Library.","url":null,"keywords":"","version":"0.3.0","words":"chai-stats statistical and additional numerical assertions for the chai assertion library. =jakeluer","author":"=jakeluer","date":"2013-09-11 "},{"name":"chai-stats-jamestalmage","description":"Statistical and additional numerical assertions for the Chai Assertion Library.","url":null,"keywords":"","version":"0.2.0","words":"chai-stats-jamestalmage statistical and additional numerical assertions for the chai assertion library. =james.talmage","author":"=james.talmage","date":"2013-08-28 "},{"name":"chai-string","description":"strings comparison matchers for chai","url":null,"keywords":"chai testing string","version":"1.1.0","words":"chai-string strings comparison matchers for chai =onechiporenko chai testing string","author":"=onechiporenko","date":"2014-09-11 "},{"name":"chai-subset","description":"Object properties matcher for Chai","url":null,"keywords":"chai subset contains plugin containSubset","version":"0.3.0","words":"chai-subset object properties matcher for chai =eagleeye chai subset contains plugin containsubset","author":"=eagleeye","date":"2014-08-03 "},{"name":"chai-things","description":"Chai Things adds support to [Chai](http://chaijs.com/) for assertions on array elements.","url":null,"keywords":"","version":"0.2.0","words":"chai-things chai things adds support to [chai](http://chaijs.com/) for assertions on array elements. =rubenverborgh","author":"=rubenverborgh","date":"2013-04-05 "},{"name":"chai-timers","description":"Allows the Chai Assertion library to create and measure timers.","url":null,"keywords":"","version":"0.2.0","words":"chai-timers allows the chai assertion library to create and measure timers. =jakeluer","author":"=jakeluer","date":"2012-05-17 "},{"name":"chai-webdriver","description":"Build more expressive integration tests with some webdriver sugar for chai.js","url":null,"keywords":"chai webdriver integration-tests chai-plugin","version":"0.9.3","words":"chai-webdriver build more expressive integration tests with some webdriver sugar for chai.js =demands =hurrymaplelad =goodeggs =sylspren =sherrman =benbuckman chai webdriver integration-tests chai-plugin","author":"=demands =hurrymaplelad =goodeggs =sylspren =sherrman =benbuckman","date":"2014-08-28 "},{"name":"chai-xml","description":"Xml assertions for Chai","url":null,"keywords":"chai xml test assert assertion assertXml","version":"0.2.0","words":"chai-xml xml assertions for chai =krampstudio chai xml test assert assertion assertxml","author":"=krampstudio","date":"2014-09-08 "},{"name":"chaikin-smooth","description":"chaikin's smoothing algorithm for 2D lines","url":null,"keywords":"chaikin smooth polyline 2d polygon smoothing points line path","version":"0.0.0","words":"chaikin-smooth chaikin's smoothing algorithm for 2d lines =mattdesl chaikin smooth polyline 2d polygon smoothing points line path","author":"=mattdesl","date":"2014-06-24 "},{"name":"chain","description":"A microframework for handling async JS","url":null,"keywords":"async asynchronous events parallel","version":"0.1.3","words":"chain a microframework for handling async js =cohara87 async asynchronous events parallel","author":"=cohara87","date":"2011-02-19 "},{"name":"chain-args","description":"Give your functions a chaining api.","url":null,"keywords":"","version":"0.2.0","words":"chain-args give your functions a chaining api. =jasperwoudenberg","author":"=jasperwoudenberg","date":"2014-07-14 "},{"name":"chain-commander","description":"Chain commander is a library based on Bluebird promise library, to encapsulate business rules logic in form of javascript objects or JSON.","url":null,"keywords":"workflow flow flowcontrol business logic business rule json pojo chain-of-responsibility chain-of-command promise conditional scriptable json script","version":"1.2.1","words":"chain-commander chain commander is a library based on bluebird promise library, to encapsulate business rules logic in form of javascript objects or json. =pocesar workflow flow flowcontrol business logic business rule json pojo chain-of-responsibility chain-of-command promise conditional scriptable json script","author":"=pocesar","date":"2014-07-03 "},{"name":"chain-gang","description":"Small in-process queueing library","url":null,"keywords":"","version":"1.0.0-beta6","words":"chain-gang small in-process queueing library =technoweenie","author":"=technoweenie","date":"2012-02-14 "},{"name":"chain-it","description":"Allows defining multiple modules with lazy asset generation and then either requesting assets via the CLI or starting up a resource server (HTTP)","url":null,"keywords":"chain-it lazy assets build build systems resource chain","version":"0.1.2","words":"chain-it allows defining multiple modules with lazy asset generation and then either requesting assets via the cli or starting up a resource server (http) =mwinche chain-it lazy assets build build systems resource chain","author":"=mwinche","date":"2014-08-22 "},{"name":"chain-it-cli","description":"CLI for chain-it npm module","url":null,"keywords":"chain-it chain-it-cli lazy assets build build systems resource chain","version":"0.1.2","words":"chain-it-cli cli for chain-it npm module =mwinche chain-it chain-it-cli lazy assets build build systems resource chain","author":"=mwinche","date":"2014-08-22 "},{"name":"chain-js","description":"Super simple function chaining APIs","url":null,"keywords":"","version":"0.0.1","words":"chain-js super simple function chaining apis =jeffpeterson","author":"=jeffpeterson","date":"2014-08-26 "},{"name":"chain-me","description":"Make an object chainable","url":null,"keywords":"chain object fluent","version":"0.0.1","words":"chain-me make an object chainable =werle chain object fluent","author":"=werle","date":"2014-01-21 "},{"name":"chain-middleware","description":"Chains multiple Express middlewares together.","url":null,"keywords":"chain express middleware composite util","version":"1.0.1","words":"chain-middleware chains multiple express middlewares together. =simplyianm chain express middleware composite util","author":"=simplyianm","date":"2014-07-24 "},{"name":"chain-node","description":"The Official Node.js SDK for Chain's Bitcoin API","url":null,"keywords":"chain bitcoin","version":"0.0.17","words":"chain-node the official node.js sdk for chain's bitcoin api =ryandotsmith =devongundry =charleyhine chain bitcoin","author":"=ryandotsmith =devongundry =charleyhine","date":"2014-08-01 "},{"name":"chain-of-strength","description":"chain building DSL","url":null,"keywords":"chain meta","version":"0.0.4","words":"chain-of-strength chain building dsl =shaunxcode chain meta","author":"=shaunxcode","date":"2012-02-17 "},{"name":"chain-reaction","description":"Simple flow-control functions","url":null,"keywords":"async callback queue flow control","version":"0.0.1","words":"chain-reaction simple flow-control functions =galkinrost async callback queue flow control","author":"=galkinrost","date":"2014-01-11 "},{"name":"chain-stream","description":"Chain stream operations together","url":null,"keywords":"","version":"1.0.6","words":"chain-stream chain stream operations together =raynos","author":"=raynos","date":"2012-12-03 "},{"name":"chain-tiny","description":"A simple control flow library.","url":null,"keywords":"flow async chain","version":"0.3.0","words":"chain-tiny a simple control flow library. =hokaccha flow async chain","author":"=hokaccha","date":"2013-08-30 "},{"name":"chain.js","description":"Chain.js ========","url":null,"keywords":"","version":"1.0.0","words":"chain.js chain.js ======== =nykac","author":"=nykac","date":"2013-05-08 "},{"name":"chain2","description":"An asynchronous library for chaining calls.","url":null,"keywords":"","version":"0.2.1","words":"chain2 an asynchronous library for chaining calls. =ofshard","author":"=ofshard","date":"2014-02-15 "},{"name":"chainable","description":"Create fluent asynchronous APIs.","url":null,"keywords":"","version":"0.1.4","words":"chainable create fluent asynchronous apis. =zeekay","author":"=zeekay","date":"2014-02-10 "},{"name":"chained","description":"A DSL inspired chaining library. Needs Harmony to work in browser and node","url":null,"keywords":"","version":"0.7.0","words":"chained a dsl inspired chaining library. needs harmony to work in browser and node =vzaccaria","author":"=vzaccaria","date":"2013-12-11 "},{"name":"chained-emitter","description":"chained-emitter is a an implementation of the EventEmitter found in Node.js, based on EventEmitter2, but adding the ability to return a promise in an event handler.","url":null,"keywords":"event events emitter eventemitter promise","version":"0.1.0","words":"chained-emitter chained-emitter is a an implementation of the eventemitter found in node.js, based on eventemitter2, but adding the ability to return a promise in an event handler. =hildjj event events emitter eventemitter promise","author":"=hildjj","date":"2013-01-22 "},{"name":"chained-logger","description":"logging library designed to be used with standard 12 factor 'log to stdout' methods, and as close to `console` as possible. loggers chain their parents prefix and log level","url":null,"keywords":"logging log","version":"0.5.0","words":"chained-logger logging library designed to be used with standard 12 factor 'log to stdout' methods, and as close to `console` as possible. loggers chain their parents prefix and log level =timruffles logging log","author":"=timruffles","date":"2014-07-16 "},{"name":"chainer","description":"Super simple and lightweight function chain.","url":null,"keywords":"","version":"0.0.5","words":"chainer super simple and lightweight function chain. =qard","author":"=qard","date":"2011-08-11 "},{"name":"chaingun","description":"make an object's functions chainable","url":null,"keywords":"chain chaining","version":"0.2.0-beta","words":"chaingun make an object's functions chainable =justinvdm chain chaining","author":"=justinvdm","date":"2014-09-06 "},{"name":"chainify","description":"The chainify module of FuturesJS (Ender.JS and Node.JS)","url":null,"keywords":"flow-control async asynchronous futures chainify chain step util browser","version":"2.1.2","words":"chainify the chainify module of futuresjs (ender.js and node.js) =coolaj86 flow-control async asynchronous futures chainify chain step util browser","author":"=coolaj86","date":"2014-01-13 "},{"name":"chainit","description":"Turn an asynchronous JavaScript api into an asynchronous chainable JavaScript api.","url":null,"keywords":"chain async queue flow control chainable chainify chainit chain api","version":"2.1.1","words":"chainit turn an asynchronous javascript api into an asynchronous chainable javascript api. =vvo =christian-bromann chain async queue flow control chainable chainify chainit chain api","author":"=vvo =christian-bromann","date":"2014-08-11 "},{"name":"chainjs","description":"Chainjs call each async function step by step, let async function callback fairily.","url":null,"keywords":"chain async call callback javascript step","version":"0.0.3-2","words":"chainjs chainjs call each async function step by step, let async function callback fairily. =switer chain async call callback javascript step","author":"=switer","date":"2014-01-17 "},{"name":"chainlang","description":"Utility for easily creating chainable methods and complex fluent APIs in JavaScript","url":null,"keywords":"Node.js fluent chain","version":"0.1.2","words":"chainlang utility for easily creating chainable methods and complex fluent apis in javascript =jayobeezy node.js fluent chain","author":"=jayobeezy","date":"2013-08-11 "},{"name":"chainloading","description":"Allows you to chain together jQuery deferreds or functions","url":null,"keywords":"deferred deferreds chain loading","version":"0.2.0","words":"chainloading allows you to chain together jquery deferreds or functions =fastest963 deferred deferreds chain loading","author":"=fastest963","date":"2014-07-29 "},{"name":"chainmail","description":"chained API for mandrill","url":null,"keywords":"API mandrill chain email","version":"0.0.3","words":"chainmail chained api for mandrill =jperkelens api mandrill chain email","author":"=jperkelens","date":"2014-02-07 "},{"name":"chainme","description":"Create a chainable class from an asynchronous one","url":null,"keywords":"async chain","version":"0.0.4","words":"chainme create a chainable class from an asynchronous one =cambridgemike async chain","author":"=cambridgemike","date":"2014-06-29 "},{"name":"chainof","description":"chain functions like `Connect`. for Chain Of Responsibility.","url":null,"keywords":"Chain Of Responsibility chain function connect middleware","version":"1.0.2","words":"chainof chain functions like `connect`. for chain of responsibility. =nikezono chain of responsibility chain function connect middleware","author":"=nikezono","date":"2014-04-09 "},{"name":"chainr","description":"flow control library with a chaining interface, inspired by node-seq by substack","url":null,"keywords":"flow-control flow control flow control async asynchronous chain sequence parallel","version":"0.3.0","words":"chainr flow control library with a chaining interface, inspired by node-seq by substack =zaphod1984 flow-control flow control flow control async asynchronous chain sequence parallel","author":"=zaphod1984","date":"2014-03-07 "},{"name":"chains","description":"Task chaining library for JS","url":null,"keywords":"","version":"0.1.1","words":"chains task chaining library for js =fd","author":"=fd","date":"2010-12-22 "},{"name":"chains-amqp","description":"This package is an abstract class for Chains NodeJS-devices.","url":null,"keywords":"chains homeautomation home automation rabbitmq amqp advanced message queing","version":"1.0.2","words":"chains-amqp this package is an abstract class for chains nodejs-devices. =olekenneth chains homeautomation home automation rabbitmq amqp advanced message queing","author":"=olekenneth","date":"2014-08-28 "},{"name":"chains-indexing","description":"Indexing yaml-front-matter information in files","url":null,"keywords":"gruntplugin","version":"0.1.1","words":"chains-indexing indexing yaml-front-matter information in files =wangsai gruntplugin","author":"=wangsai","date":"2013-10-09 "},{"name":"chains-lirc","description":"This package is a LIRC-device for Chains.","url":null,"keywords":"chains homeautomation home automation lirc ir remote controll lights","version":"1.0.0","words":"chains-lirc this package is a lirc-device for chains. =olekenneth chains homeautomation home automation lirc ir remote controll lights","author":"=olekenneth","date":"2014-09-05 "},{"name":"chains-markdown","description":"Compile markdown to html. GFM and code highlighting support!","url":null,"keywords":"gruntplugin","version":"0.1.6","words":"chains-markdown compile markdown to html. gfm and code highlighting support! =wangsai gruntplugin","author":"=wangsai","date":"2014-04-04 "},{"name":"chains-pages","description":"Compile templates with content to html","url":null,"keywords":"gruntplugin","version":"0.1.6","words":"chains-pages compile templates with content to html =wangsai gruntplugin","author":"=wangsai","date":"2013-10-07 "},{"name":"chains-pagination","description":"chains-pagination","url":null,"keywords":"gruntplugin","version":"0.1.1","words":"chains-pagination chains-pagination =wangsai gruntplugin","author":"=wangsai","date":"2013-10-10 "},{"name":"chainsaw","description":"Build chainable fluent interfaces the easy way... with a freakin' chainsaw!","url":null,"keywords":"chain fluent interface monad monadic","version":"0.1.0","words":"chainsaw build chainable fluent interfaces the easy way... with a freakin' chainsaw! =substack chain fluent interface monad monadic","author":"=substack","date":"2011-07-17 "},{"name":"chainseq","description":"Like seq, but smaller, more complicated and hopefully less buggy.","url":null,"keywords":"","version":"0.0.1","words":"chainseq like seq, but smaller, more complicated and hopefully less buggy. =yorick","author":"=yorick","date":"2011-12-10 "},{"name":"chainsinon","description":"A sinon utility function to return complex stubbed objects.","url":null,"keywords":"sinon testing stub mock","version":"0.1.1","words":"chainsinon a sinon utility function to return complex stubbed objects. =dsummersl sinon testing stub mock","author":"=dsummersl","date":"2014-08-28 "},{"name":"chainsjs","description":"Utility for managing asynchronous program flow","url":null,"keywords":"","version":"0.2.0","words":"chainsjs utility for managing asynchronous program flow =claytongulick","author":"=claytongulick","date":"2013-10-04 "},{"name":"chainss","description":"A Chainable CSS creation module for nodejs","url":null,"keywords":"css chainable utility","version":"0.1.0","words":"chainss a chainable css creation module for nodejs =theeskhaton css chainable utility","author":"=theeskhaton","date":"2013-11-08 "},{"name":"chainsync","description":"Construct async chainable methods.","url":null,"keywords":"chain async methods","version":"0.0.0","words":"chainsync construct async chainable methods. =scottcorgan chain async methods","author":"=scottcorgan","date":"2013-11-25 "},{"name":"chainy","description":"Perhaps the most awesome way of interacting with data using a chainable API","url":null,"keywords":"flow control async sync tasks batch concurrency data","version":"1.1.0","words":"chainy perhaps the most awesome way of interacting with data using a chainable api =balupton flow control async sync tasks batch concurrency data","author":"=balupton","date":"2014-07-10 "},{"name":"chainy-bundle-common","description":"Chainy bundle for the set, each, map, log, count, trickle plugins","url":null,"keywords":"chainy chainy-addon chainy-bundle common official","version":"1.0.1","words":"chainy-bundle-common chainy bundle for the set, each, map, log, count, trickle plugins =balupton chainy chainy-addon chainy-bundle common official","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-bundle-official","url":null,"keywords":"","version":"0.0.0","words":"chainy-bundle-official =balupton","author":"=balupton","date":"2014-05-18 "},{"name":"chainy-cli","description":"The command line interface for Chainy","url":null,"keywords":"flow control async sync tasks batch concurrency data","version":"1.0.3","words":"chainy-cli the command line interface for chainy =balupton flow control async sync tasks batch concurrency data","author":"=balupton","date":"2014-07-10 "},{"name":"chainy-core","description":"Perhaps the most awesome way of interacting with data using a chainable API","url":null,"keywords":"flow async sync tasks task taskgroup batch concurrency data pipeline workflow","version":"1.5.0","words":"chainy-core perhaps the most awesome way of interacting with data using a chainable api =balupton flow async sync tasks task taskgroup batch concurrency data pipeline workflow","author":"=balupton","date":"2014-08-03 "},{"name":"chainy-plugin-autoinstall","description":"Chainy plugin that automatically installs missing plugins on node versions 0.11 and above","url":null,"keywords":"chainy chainy-addon chainy-plugin chainy-custom","version":"1.0.0","words":"chainy-plugin-autoinstall chainy plugin that automatically installs missing plugins on node versions 0.11 and above =balupton chainy chainy-addon chainy-plugin chainy-custom","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-autoload","description":"Chainy plugin that automatically loads all installed plugins into the chain","url":null,"keywords":"chainy-custom chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.1","words":"chainy-plugin-autoload chainy plugin that automatically loads all installed plugins into the chain =balupton chainy-custom chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-07-10 "},{"name":"chainy-plugin-count","description":"Chainy action that outputs the length of the chain's data","url":null,"keywords":"chainy-action chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.1","words":"chainy-plugin-count chainy action that outputs the length of the chain's data =balupton chainy-action chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-25 "},{"name":"chainy-plugin-each","description":"Chainy action that iterates through each item in the array with an asynchronous or synchronous iterator","url":null,"keywords":"chainy-action chainy-iterator chainy-standalone chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-each chainy action that iterates through each item in the array with an asynchronous or synchronous iterator =balupton chainy-action chainy-iterator chainy-standalone chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-exec","description":"Chainy action that sets the chain data as the output of an executed script","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-exec chainy action that sets the chain data as the output of an executed script =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-feed","description":"Chainy action that sets the chain data with the parsed results of a request, includes caching","url":null,"keywords":"chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-feed chainy action that sets the chain data with the parsed results of a request, includes caching =balupton chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-flatten","description":"Chainy action that replaces the chain's data of a nested array into a single shallow array","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-flatten chainy action that replaces the chain's data of a nested array into a single shallow array =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-fs","description":"Chainy custom plugin that adds the fs utility methods as chainy actions.","url":null,"keywords":"chainy chainy-addon chainy-plugin chainy-custom fs","version":"1.0.0","words":"chainy-plugin-fs chainy custom plugin that adds the fs utility methods as chainy actions. =balupton chainy chainy-addon chainy-plugin chainy-custom fs","author":"=balupton","date":"2014-07-28 "},{"name":"chainy-plugin-geocode","description":"Chainy action that replaces the chain's data of a location like \"Sydney, Australia\" with that of the location's longitude and latitude coordinates in the format of [long, lat]","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.1","words":"chainy-plugin-geocode chainy action that replaces the chain's data of a location like \"sydney, australia\" with that of the location's longitude and latitude coordinates in the format of [long, lat] =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-25 "},{"name":"chainy-plugin-glob","description":"Chainy action that replaces the chain's data with a glob of it","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-glob chainy action that replaces the chain's data with a glob of it =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-hasfield","description":"Chainy action that filters out items in the chains data that do not have the specified field","url":null,"keywords":"chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.1","words":"chainy-plugin-hasfield chainy action that filters out items in the chains data that do not have the specified field =balupton chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-27 "},{"name":"chainy-plugin-log","description":"Chainy action that outputs the chain's data","url":null,"keywords":"chainy-action chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.2","words":"chainy-plugin-log chainy action that outputs the chain's data =balupton chainy-action chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-map","description":"Chainy action that replaces each item in the array with the result of an asynchronous or synchronous iterator","url":null,"keywords":"chainy-action chainy-standalone chainy-iterator chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.3","words":"chainy-plugin-map chainy action that replaces each item in the array with the result of an asynchronous or synchronous iterator =balupton chainy-action chainy-standalone chainy-iterator chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-25 "},{"name":"chainy-plugin-official","keywords":"","version":[],"words":"chainy-plugin-official","author":"","date":"2014-05-18 "},{"name":"chainy-plugin-pipe","description":"Chainy action that pipes the chain's data to a writable stream","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.1","words":"chainy-plugin-pipe chainy action that pipes the chain's data to a writable stream =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-24 "},{"name":"chainy-plugin-progress","description":"Chainy utility that outputs the progress of your chain as it progresses through its actions","url":null,"keywords":"chainy-addon chainy-plugin chainy-utility chainy-debug chainy","version":"0.1.0","words":"chainy-plugin-progress chainy utility that outputs the progress of your chain as it progresses through its actions =balupton chainy-addon chainy-plugin chainy-utility chainy-debug chainy","author":"=balupton","date":"2014-06-25 "},{"name":"chainy-plugin-push","url":null,"keywords":"","version":"0.0.0","words":"chainy-plugin-push =balupton","author":"=balupton","date":"2014-05-18 "},{"name":"chainy-plugin-set","description":"Chainy action that sets the data for the chain with the data that is passed over to the plugin","url":null,"keywords":"chainy-action chainy-setter chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.2","words":"chainy-plugin-set chainy action that sets the data for the chain with the data that is passed over to the plugin =balupton chainy-action chainy-setter chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chainy-plugin-swap","keywords":"","version":[],"words":"chainy-plugin-swap","author":"","date":"2014-05-21 "},{"name":"chainy-plugin-task","keywords":"","version":[],"words":"chainy-plugin-task","author":"","date":"2014-05-18 "},{"name":"chainy-plugin-trickle","description":"Chainy action that treats the chain's data as arguments to trickle down as a waterfall","url":null,"keywords":"chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.1.0","words":"chainy-plugin-trickle chainy action that treats the chain's data as arguments to trickle down as a waterfall =balupton chainy-action chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-08-03 "},{"name":"chainy-plugin-uniq","description":"Chainy action that rejects duplicates inside the chain's data array, based on the item itself, or a particular field","url":null,"keywords":"chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","version":"1.0.0","words":"chainy-plugin-uniq chainy action that rejects duplicates inside the chain's data array, based on the item itself, or a particular field =balupton chainy-action chainy-standalone chainy-modifier chainy-plugin chainy-extension chainy-addon chainy","author":"=balupton","date":"2014-06-23 "},{"name":"chair","description":"Subjective CouchDB client that wraps nano","url":null,"keywords":"CouchDB nano cradle","version":"0.0.0","words":"chair subjective couchdb client that wraps nano =jcrugzz couchdb nano cradle","author":"=jcrugzz","date":"2013-01-29 "},{"name":"chair-cli","keywords":"","version":[],"words":"chair-cli","author":"","date":"2013-11-26 "},{"name":"chair-core","keywords":"","version":[],"words":"chair-core","author":"","date":"2013-11-26 "},{"name":"chair-middleware","keywords":"","version":[],"words":"chair-middleware","author":"","date":"2013-11-26 "},{"name":"chair-view","description":"","url":null,"keywords":"","version":"0.0.0","words":"chair-view =popomore","author":"=popomore","date":"2013-12-19 "},{"name":"chair.js","keywords":"","version":[],"words":"chair.js","author":"","date":"2013-12-07 "},{"name":"chairjs","keywords":"","version":[],"words":"chairjs","author":"","date":"2013-11-07 "},{"name":"chairs","keywords":"","version":[],"words":"chairs","author":"","date":"2013-11-07 "},{"name":"chakela","description":"boke","url":null,"keywords":"boke","version":"0.0.3","words":"chakela boke =mdemo boke","author":"=mdemo","date":"2013-12-11 "},{"name":"chakra","description":"Message dispatching in peace","url":null,"keywords":"messaging events","version":"0.0.3","words":"chakra message dispatching in peace =mattijs messaging events","author":"=mattijs","date":"2012-04-05 "},{"name":"chalcogen","description":"Runs mocha tests using selenium","url":null,"keywords":"","version":"0.4.0","words":"chalcogen runs mocha tests using selenium =jakobm","author":"=jakobm","date":"2013-12-31 "},{"name":"chale","description":"A collection of data models","url":null,"keywords":"","version":"0.1.0","words":"chale a collection of data models =bengourley","author":"=bengourley","date":"2014-08-28 "},{"name":"chalice","description":"A small framework on top of CoffeeScript Backbone and Node to render apps on the client and server.","url":null,"keywords":"","version":"0.0.1","words":"chalice a small framework on top of coffeescript backbone and node to render apps on the client and server. =shanejonas","author":"=shanejonas","date":"2013-10-27 "},{"name":"chalice-client","description":"Client specific code for chalice apps","url":null,"keywords":"","version":"0.0.3","words":"chalice-client client specific code for chalice apps =shanejonas","author":"=shanejonas","date":"2013-06-05 "},{"name":"chalice-compositeview","description":"A Server/Client Backbone CompositeView","url":null,"keywords":"","version":"0.0.3","words":"chalice-compositeview a server/client backbone compositeview =shanejonas","author":"=shanejonas","date":"2013-05-20 "},{"name":"chalice-controller","description":"A Controller for the client and the server","url":null,"keywords":"","version":"0.0.1","words":"chalice-controller a controller for the client and the server =shanejonas","author":"=shanejonas","date":"2013-06-08 "},{"name":"chalice-server","description":"An express plugin(the server component) for chalice apps","url":null,"keywords":"","version":"0.0.5","words":"chalice-server an express plugin(the server component) for chalice apps =shanejonas","author":"=shanejonas","date":"2013-05-04 "},{"name":"chalice-shared","description":"Shared code for Chalice applications","url":null,"keywords":"","version":"0.0.1","words":"chalice-shared shared code for chalice applications =shanejonas","author":"=shanejonas","date":"2013-03-26 "},{"name":"chalice-view","description":"A Server/Client Backbone View","url":null,"keywords":"","version":"0.0.4","words":"chalice-view a server/client backbone view =shanejonas","author":"=shanejonas","date":"2013-04-28 "},{"name":"chalice-viewcontroller","description":"A Viewcontroller that works on the client and the server","url":null,"keywords":"","version":"0.0.1","words":"chalice-viewcontroller a viewcontroller that works on the client and the server =shanejonas","author":"=shanejonas","date":"2013-06-09 "},{"name":"chalk","description":"Terminal string styling done right. Created because the `colors` module does some really horrible things.","url":null,"keywords":"color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","version":"0.5.1","words":"chalk terminal string styling done right. created because the `colors` module does some really horrible things. =sindresorhus =jbnicolai color colour colors terminal console cli string ansi styles tty formatting rgb 256 shell xterm log logging command-line text","author":"=sindresorhus =jbnicolai","date":"2014-07-09 "},{"name":"chalk-log","description":"console logging witk chalk","url":null,"keywords":"","version":"1.0.6","words":"chalk-log console logging witk chalk =jujiyangasli","author":"=jujiyangasli","date":"2014-08-20 "},{"name":"chalk-logger","description":"Wraps chalk in console logger for node.","url":null,"keywords":"","version":"0.0.1","words":"chalk-logger wraps chalk in console logger for node. =simonfan","author":"=simonfan","date":"2013-12-03 "},{"name":"chalk-pac","description":"Proxy auto config generator","url":null,"keywords":"pac proxy","version":"0.1.4","words":"chalk-pac proxy auto config generator =seiarotg pac proxy","author":"=seiarotg","date":"2014-08-07 "},{"name":"chalk-twig-filters","description":"A twig plugin to provide filters for coloring terminal output with chalk.'","url":null,"keywords":"chalk twig","version":"0.0.2","words":"chalk-twig-filters a twig plugin to provide filters for coloring terminal output with chalk.' =tizzo chalk twig","author":"=tizzo","date":"2014-08-13 "},{"name":"chalk256","description":"crayon - Add colors to text on your terminal. A faster replacement for chalk that also adds 256 color support","url":null,"keywords":"","version":"5.1.0","words":"chalk256 crayon - add colors to text on your terminal. a faster replacement for chalk that also adds 256 color support =ccheever","author":"=ccheever","date":"2014-06-07 "},{"name":"chalkboard","description":"Documentation generator for coffeescript","url":null,"keywords":"javascript coffeescript jsdoc documentation","version":"0.5.1","words":"chalkboard documentation generator for coffeescript =adrianlee44 javascript coffeescript jsdoc documentation","author":"=adrianlee44","date":"2014-08-17 "},{"name":"challengerz-api-js","description":"Javascript API for Challengerz.net","url":null,"keywords":"","version":"0.1.0","words":"challengerz-api-js javascript api for challengerz.net =donbonifacio","author":"=donbonifacio","date":"2013-01-20 "},{"name":"chamandir","description":"Cha Man Dir","url":null,"keywords":"","version":"0.0.1","words":"chamandir cha man dir =vickenstein","author":"=vickenstein","date":"2014-08-31 "},{"name":"chamber","description":"Javascript modules for the node and the browser","url":null,"keywords":"module package browser node chamber","version":"0.0.2","words":"chamber javascript modules for the node and the browser =ericvicenti module package browser node chamber","author":"=ericvicenti","date":"2014-01-04 "},{"name":"chameleon","description":"Static server","url":null,"keywords":"http","version":"0.1.2","words":"chameleon static server =andris http","author":"=andris","date":"2012-01-05 "},{"name":"chameleon-sass","description":"A styleless Sass framework for responsive user interfaces","url":null,"keywords":"sass css responsive oocss framework","version":"0.0.9","words":"chameleon-sass a styleless sass framework for responsive user interfaces =djgrant sass css responsive oocss framework","author":"=djgrant","date":"2014-09-05 "},{"name":"chameleon-stylus-plugin","description":"Component Stylus plugin with Chameleon customized setup","url":null,"keywords":"chameleon stylus component","version":"0.4.7","words":"chameleon-stylus-plugin component stylus plugin with chameleon customized setup =tomaskuba =danielsitek chameleon stylus component","author":"=tomaskuba =danielsitek","date":"2014-05-07 "},{"name":"chameleon-template","description":"Admin Revamp ============","url":null,"keywords":"","version":"0.0.2","words":"chameleon-template admin revamp ============ =mikeedmodo","author":"=mikeedmodo","date":"2014-02-12 "},{"name":"chameleon.js","description":"Find the right contrasting colors, great for automatically selecting text colors based on user supplied color values for background UI elements. For example:","url":null,"keywords":"ChameleonJS Chameleon color","version":"1.0.0","words":"chameleon.js find the right contrasting colors, great for automatically selecting text colors based on user supplied color values for background ui elements. for example: =hatchback chameleonjs chameleon color","author":"=hatchback","date":"2014-09-03 "},{"name":"chamomile","description":"Javascript but slightly less annoying","url":null,"keywords":"","version":"0.10.0","words":"chamomile javascript but slightly less annoying =jpike","author":"=jpike","date":"2012-10-07 "},{"name":"champ","description":"A personal music streaming server with offline caching capabilities.","url":null,"keywords":"","version":"0.1.1","words":"champ a personal music streaming server with offline caching capabilities. =nick-thompson","author":"=nick-thompson","date":"2013-07-16 "},{"name":"champ-views","description":"Map/reduce functions used in the champ music player","url":null,"keywords":"","version":"0.0.1","words":"champ-views map/reduce functions used in the champ music player =eckoit","author":"=eckoit","date":"2013-06-10 "},{"name":"champion","description":"Get a League of Legends champion from their key.","url":null,"keywords":"league-of-legends","version":"2.0.1","words":"champion get a league of legends champion from their key. =kenan league-of-legends","author":"=kenan","date":"2014-03-24 "},{"name":"chan","description":"A go style channel implementation that works nicely with co","url":null,"keywords":"async go channel co generator","version":"0.6.1","words":"chan a go style channel implementation that works nicely with co =brentburgoyne async go channel co generator","author":"=brentburgoyne","date":"2014-08-05 "},{"name":"chanarchive","description":"Archiver for chans in NodeJS","url":null,"keywords":"4chan 420chan chan archive utility command line","version":"0.1.8","words":"chanarchive archiver for chans in nodejs =j3lte 4chan 420chan chan archive utility command line","author":"=j3lte","date":"2014-09-03 "},{"name":"chance","description":"Chance - Utility library to generate anything random","url":null,"keywords":"chance random generator test mersenne name address dice","version":"0.6.1","words":"chance chance - utility library to generate anything random =victorquinn chance random generator test mersenne name address dice","author":"=victorquinn","date":"2014-09-03 "},{"name":"chance.js","description":"Simplest & smallest random weighted function execution library, so that you can execute weighted functions with ease.","url":null,"keywords":"chance random probability weighted functions","version":"0.0.1","words":"chance.js simplest & smallest random weighted function execution library, so that you can execute weighted functions with ease. =r8k chance random probability weighted functions","author":"=r8k","date":"2014-02-16 "},{"name":"chancejs","description":"Various pseudo-random implementations packaged with helpful random utilities","url":null,"keywords":"random neat pseudo-random mersenne-twister","version":"0.0.8","words":"chancejs various pseudo-random implementations packaged with helpful random utilities =abe random neat pseudo-random mersenne-twister","author":"=abe","date":"2012-12-08 "},{"name":"chances","description":"A Node.js module to mange requesting a uri multiple times. Sometimes requested pages return a bad status code, timeout, or fail for some reason that would be resolved if the page was just requested again. Chances uses request to give a request multiple tr","url":null,"keywords":"","version":"1.1.7","words":"chances a node.js module to mange requesting a uri multiple times. sometimes requested pages return a bad status code, timeout, or fail for some reason that would be resolved if the page was just requested again. chances uses request to give a request multiple tr =samuelgilman","author":"=samuelgilman","date":"2014-08-30 "},{"name":"chanel","description":"Channel-based control-flow for parallel tasks with concurrency control","url":null,"keywords":"","version":"2.2.0","words":"chanel channel-based control-flow for parallel tasks with concurrency control =jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-08-15 "},{"name":"change","description":"a tardis for timelords and native time travel","url":null,"keywords":"astrology time device","version":"0.0.0","words":"change a tardis for timelords and native time travel =orlin astrology time device","author":"=orlin","date":"2013-03-08 "},{"name":"change-calculator","description":"Does amazing things in node.js","url":null,"keywords":"amazing","version":"0.0.1","words":"change-calculator does amazing things in node.js =pedval amazing","author":"=pedval","date":"2014-08-14 "},{"name":"change-case","description":"Convert a string between camelCase, PascalCase, Title Case, snake_case and more.","url":null,"keywords":"camel pascal title case lower upper param dot path constant cases check","version":"2.1.5","words":"change-case convert a string between camelcase, pascalcase, title case, snake_case and more. =blakeembrey camel pascal title case lower upper param dot path constant cases check","author":"=blakeembrey","date":"2014-09-04 "},{"name":"change-indent","description":"Change the indentation in a string.","url":null,"keywords":"change code detect format formatter formatting identify indent indentation indentations indented line normalize pad paragraph re-format re-indent reformat reindent remove source space str string strip tab text text-indent un-indent unindent whitespace","version":"0.1.0","words":"change-indent change the indentation in a string. =jonschlinkert change code detect format formatter formatting identify indent indentation indentations indented line normalize pad paragraph re-format re-indent reformat reindent remove source space str string strip tab text text-indent un-indent unindent whitespace","author":"=jonschlinkert","date":"2014-08-11 "},{"name":"change-treadmill","description":"A zero-allocation change detection library for plain javascript objects.","url":null,"keywords":"","version":"0.1.0","words":"change-treadmill a zero-allocation change detection library for plain javascript objects. =jmars","author":"=jmars","date":"2014-05-04 "},{"name":"changeable","description":"Listen for object changes","url":null,"keywords":"","version":"0.1.3","words":"changeable listen for object changes =scttnlsn","author":"=scttnlsn","date":"2014-02-06 "},{"name":"changeblog","keywords":"","version":[],"words":"changeblog","author":"","date":"2014-03-20 "},{"name":"changecalculator","description":"Given a amount payable and paid calculate the change we need to give.","url":null,"keywords":"change calculator","version":"0.1.1","words":"changecalculator given a amount payable and paid calculate the change we need to give. =krishnaswathi change calculator","author":"=krishnaswathi","date":"2014-08-20 "},{"name":"changecontrol","description":"a change control library for node","url":null,"keywords":"change management change control liquibase dbdeploy","version":"0.0.5","words":"changecontrol a change control library for node =cressie176 change management change control liquibase dbdeploy","author":"=cressie176","date":"2013-06-18 "},{"name":"changed","description":"Fetches changes for a given module","url":null,"keywords":"changes npm module","version":"0.0.2","words":"changed fetches changes for a given module =bahmutov changes npm module","author":"=bahmutov","date":"2013-11-06 "},{"name":"changed-http","description":"Polls HTTP resources and fires events when they change","url":null,"keywords":"poll http changed","version":"0.0.3","words":"changed-http polls http resources and fires events when they change =robinmurphy poll http changed","author":"=robinmurphy","date":"2014-02-26 "},{"name":"changefilesname","description":"change files name","url":null,"keywords":"","version":"1.1.3","words":"changefilesname change files name =nanjixiong218","author":"=nanjixiong218","date":"2014-09-07 "},{"name":"changeling","description":"A readable stream that watches a file for changes and then outputs its contents.","url":null,"keywords":"watch file stream","version":"0.1.6","words":"changeling a readable stream that watches a file for changes and then outputs its contents. =michaelrhodes watch file stream","author":"=michaelrhodes","date":"2013-10-22 "},{"name":"changelog","description":"Command line tool (and Node module) that generates a changelog in color output, markdown, or json for modules in npmjs.org's registry as well as any public github.com repo.","url":null,"keywords":"changelog change log commit messages commits changes history what's new change set","version":"1.0.5","words":"changelog command line tool (and node module) that generates a changelog in color output, markdown, or json for modules in npmjs.org's registry as well as any public github.com repo. =dylang changelog change log commit messages commits changes history what's new change set","author":"=dylang","date":"2014-04-07 "},{"name":"changelog-builder","description":"Compare git/svn branches and build a changelog from the log diff","url":null,"keywords":"git svn changelog","version":"1.0.0","words":"changelog-builder compare git/svn branches and build a changelog from the log diff =glaubinix git svn changelog","author":"=glaubinix","date":"2014-08-11 "},{"name":"changelog-gen","description":"Small Utility to generates Changelog files","url":null,"keywords":"changelog generator git","version":"0.4.0","words":"changelog-gen small utility to generates changelog files =abe33 changelog generator git","author":"=abe33","date":"2014-05-31 "},{"name":"changelogger","description":"Changelog generator for git repositories","url":null,"keywords":"changelog git generator","version":"0.7.0","words":"changelogger changelog generator for git repositories =drasko.gomboc changelog git generator","author":"=drasko.gomboc","date":"2014-02-13 "},{"name":"changelogplease","description":"Generate changelogs from git commit messages","url":null,"keywords":"changelog release","version":"1.1.1","words":"changelogplease generate changelogs from git commit messages =scott.gonzalez changelog release","author":"=scott.gonzalez","date":"2014-05-23 "},{"name":"changemachine","description":"changemachine - handle couchdb change notifications using neuron","url":null,"keywords":"steelmesh changes couchdb queue processor","version":"0.4.11","words":"changemachine changemachine - handle couchdb change notifications using neuron =damonoehlman steelmesh changes couchdb queue processor","author":"=damonoehlman","date":"2014-05-18 "},{"name":"changemate","description":"Change Notification for CouchDB","url":null,"keywords":"change notify filesystem couchdb","version":"0.6.0","words":"changemate change notification for couchdb =damonoehlman change notify filesystem couchdb","author":"=damonoehlman","date":"2014-05-18 "},{"name":"changemytext","keywords":"","version":[],"words":"changemytext","author":"","date":"2014-02-23 "},{"name":"changen","description":"changen =======","url":null,"keywords":"","version":"0.0.0","words":"changen changen ======= =unlok","author":"=unlok","date":"2014-05-17 "},{"name":"changeprocessor","description":"Compares objects and runs appropriate code for each change found (node.js).","url":null,"keywords":"","version":"0.1.0","words":"changeprocessor compares objects and runs appropriate code for each change found (node.js). =colin_jack","author":"=colin_jack","date":"2012-10-25 "},{"name":"changer","description":"Change the contents of files according to rules","url":null,"keywords":"child process exec launch start changer","version":"0.0.7","words":"changer change the contents of files according to rules =mvegeto child process exec launch start changer","author":"=mvegeto","date":"2013-07-09 "},{"name":"changes","description":"A consistent, fault tolerant CouchDB _changes listener with pre-fetch support","url":null,"keywords":"couchdb changes views consistent","version":"1.1.1","words":"changes a consistent, fault tolerant couchdb _changes listener with pre-fetch support =indexzero =bmeck =mmalecki couchdb changes views consistent","author":"=indexzero =bmeck =mmalecki","date":"2014-03-06 "},{"name":"changes-store","description":"Simple in memory store that is automatically invalidated by a changes feed","url":null,"keywords":"changes cache store invalidate","version":"0.1.3","words":"changes-store simple in memory store that is automatically invalidated by a changes feed =jcrugzz changes cache store invalidate","author":"=jcrugzz","date":"2014-06-18 "},{"name":"changes-stream","description":"Simple module that handles getting changes from couchdb","url":null,"keywords":"changes couchdb follow","version":"1.0.5","words":"changes-stream simple module that handles getting changes from couchdb =jcrugzz changes couchdb follow","author":"=jcrugzz","date":"2014-05-21 "},{"name":"changeset","description":"Library to diff JSON objects into atomic put and delete operations, and apply change sets to objects. Useful with Levelup/LevelDB object synchronization.","url":null,"keywords":"leveldb levelup json diff change changes changeset","version":"0.0.6","words":"changeset library to diff json objects into atomic put and delete operations, and apply change sets to objects. useful with levelup/leveldb object synchronization. =nharbour =eugeneware leveldb levelup json diff change changes changeset","author":"=nharbour =eugeneware","date":"2013-09-10 "},{"name":"changesets","description":"Changeset library incorporating an operational transformation (OT) algorithm - for node and the browser, with shareJS support","url":null,"keywords":"operational transformation ot changesets diff Forward Transformation Backward Transformation Inclusion Transformation Exclusion Transformation collaborative undo text","version":"0.4.0","words":"changesets changeset library incorporating an operational transformation (ot) algorithm - for node and the browser, with sharejs support =marcelklehr operational transformation ot changesets diff forward transformation backward transformation inclusion transformation exclusion transformation collaborative undo text","author":"=marcelklehr","date":"2014-04-28 "},{"name":"changey","keywords":"","version":[],"words":"changey","author":"","date":"2014-06-16 "},{"name":"channel","description":"CSP style channel implementation, for the Channel specification","url":null,"keywords":"streams channels csp whatwg w3c strawman reference","version":"0.0.1","words":"channel csp style channel implementation, for the channel specification =gozala streams channels csp whatwg w3c strawman reference","author":"=gozala","date":"2014-04-16 "},{"name":"channel-cycler","description":"```js // Create: var cc = new ChannelCycler(['0.png', '1.png', '2.png', '3.png']);","url":null,"keywords":"","version":"0.0.4","words":"channel-cycler ```js // create: var cc = new channelcycler(['0.png', '1.png', '2.png', '3.png']); =brian-c","author":"=brian-c","date":"2014-03-16 "},{"name":"channel-server","description":"buddycloud channels service for XMPP","url":null,"keywords":"","version":"0.0.1","words":"channel-server buddycloud channels service for xmpp =astro","author":"=astro","date":"2011-11-14 "},{"name":"channeladvisor","description":"API wrapper for ChannelAdvisor's SOAP service","url":null,"keywords":"channel advisor api wrapper","version":"0.0.9","words":"channeladvisor api wrapper for channeladvisor's soap service =wankdanker channel advisor api wrapper","author":"=wankdanker","date":"2014-08-22 "},{"name":"channeling","description":"A library for aggregating language-neutral/framework-neutral test results over HTTP.","url":null,"keywords":"test testing framework aggregation reporter hifive","version":"0.0.0","words":"channeling a library for aggregating language-neutral/framework-neutral test results over http. =killdream test testing framework aggregation reporter hifive","author":"=killdream","date":"2013-10-18 "},{"name":"channeljs","keywords":"","version":[],"words":"channeljs","author":"","date":"2014-04-15 "},{"name":"channeller","description":"Simple Javascript library for sending messages to an object and handling them in the object","url":null,"keywords":"events messagepassing","version":"0.2.2","words":"channeller simple javascript library for sending messages to an object and handling them in the object =elzair events messagepassing","author":"=elzair","date":"2014-09-08 "},{"name":"channels","description":"Event channels in node.js","url":null,"keywords":"async flow control","version":"0.0.4","words":"channels event channels in node.js =pita =johnyma22 async flow control","author":"=pita =johnyma22","date":"2013-04-17 "},{"name":"chanserve","description":"Server wrapper for creating psuedo server \"channels\" based on the request URL path.","url":null,"keywords":"web http server channel","version":"0.0.1","words":"chanserve server wrapper for creating psuedo server \"channels\" based on the request url path. =bluejeansandrain web http server channel","author":"=bluejeansandrain","date":"2013-11-05 "},{"name":"chaos","description":"chaos is a node.js database","url":null,"keywords":"","version":"0.2.0","words":"chaos chaos is a node.js database =stagas","author":"=stagas","date":"2011-08-24 "},{"name":"chaos-monkey-browser","description":"A 'chaos monkey'-style mischief maker that operates on the client.","url":null,"keywords":"development javascript jquery ajax chaos chaos-monkey chaosmonkey chaos monkey","version":"0.1.3","words":"chaos-monkey-browser a 'chaos monkey'-style mischief maker that operates on the client. =thilterbrand development javascript jquery ajax chaos chaos-monkey chaosmonkey chaos monkey","author":"=thilterbrand","date":"2014-01-02 "},{"name":"chaos-monkeyware","description":"Chaos Monkey implemented as Node.js Express-compatible middleware.","url":null,"keywords":"development fail middleware server test","version":"0.1.1","words":"chaos-monkeyware chaos monkey implemented as node.js express-compatible middleware. =mikl development fail middleware server test","author":"=mikl","date":"2012-09-06 "},{"name":"chaos-stream","description":"Make a chaotic stream, one that will error and stuff randomly from time to time","url":null,"keywords":"chaos stream","version":"0.1.2","words":"chaos-stream make a chaotic stream, one that will error and stuff randomly from time to time =kesla chaos stream","author":"=kesla","date":"2014-06-06 "},{"name":"chaoserver","description":"A lightweight framework based on 'connect', it's restful and easy to use.","url":null,"keywords":"lightweight restful framework","version":"0.1.1","words":"chaoserver a lightweight framework based on 'connect', it's restful and easy to use. =zcfrank1st lightweight restful framework","author":"=zcfrank1st","date":"2014-05-11 "},{"name":"chaosjs","description":"Util module from \"Playing with Chaos\"","url":null,"keywords":"fractals chaos util playingwithchaos","version":"0.1.0","words":"chaosjs util module from \"playing with chaos\" =mikeal fractals chaos util playingwithchaos","author":"=mikeal","date":"2014-04-12 "},{"name":"chaotic","description":"teste","url":null,"keywords":"","version":"0.0.17","words":"chaotic teste =guilhermehbueno","author":"=guilhermehbueno","date":"2014-09-05 "},{"name":"chapal-example","description":"my file","url":null,"keywords":"","version":"0.0.0","words":"chapal-example my file =mrchapal","author":"=mrchapal","date":"2013-11-15 "},{"name":"chaplin","description":"Chaplin.js","url":null,"keywords":"","version":"1.0.1","words":"chaplin chaplin.js =paulmillr","author":"=paulmillr","date":"2014-07-15 "},{"name":"chaps","description":"cache fronted http api caller","url":null,"keywords":"request superagent http api cache LRU","version":"2.0.1","words":"chaps cache fronted http api caller =diff_sky =joshuafcole request superagent http api cache lru","author":"=diff_sky =joshuafcole","date":"2014-08-04 "},{"name":"char","url":null,"keywords":"","version":"0.0.0","words":"char =yuanyan","author":"=yuanyan","date":"2014-03-06 "},{"name":"char-buffer","description":"Collect CharCodes and convert them to string.","url":null,"keywords":"Char CharCode ASCII Buffer CharBuffer NodeBuffer StringArrayBuffer StringBuffer TypedArrayBuffer TypedArray Uint16Array Array String","version":"0.7.1","words":"char-buffer collect charcodes and convert them to string. =schnittstabil char charcode ascii buffer charbuffer nodebuffer stringarraybuffer stringbuffer typedarraybuffer typedarray uint16array array string","author":"=schnittstabil","date":"2014-09-11 "},{"name":"char-encoder","description":"A executable character encoder using the node iconv-lite module","url":null,"keywords":"","version":"1.0.1","words":"char-encoder a executable character encoder using the node iconv-lite module =cjblomqvist","author":"=cjblomqvist","date":"2014-03-27 "},{"name":"char-props","description":"Utility for looking up line and column of a character at a given index and vice versa","url":null,"keywords":"character lookup line row column index","version":"0.1.5","words":"char-props utility for looking up line and column of a character at a given index and vice versa =twolfson character lookup line row column index","author":"=twolfson","date":"2013-06-18 "},{"name":"char-range","description":"function to generate char range","url":null,"keywords":"","version":"0.0.1","words":"char-range function to generate char range =littlehaker","author":"=littlehaker","date":"2014-09-06 "},{"name":"char-size","description":"return the size in pixels of a single character","url":null,"keywords":"html css browser browserify font monospace dom fixed-width","version":"0.0.0","words":"char-size return the size in pixels of a single character =substack html css browser browserify font monospace dom fixed-width","author":"=substack","date":"2013-03-27 "},{"name":"char-spinner","description":"Put a little spinner on process.stderr, as unobtrusively as possible.","url":null,"keywords":"char spinner","version":"1.0.1","words":"char-spinner put a little spinner on process.stderr, as unobtrusively as possible. =isaacs char spinner","author":"=isaacs","date":"2014-06-04 "},{"name":"char-split","description":"splits an stream on a character (e.g. \\n) and emits the strings in between","url":null,"keywords":"streams split newline newlines","version":"0.2.0","words":"char-split splits an stream on a character (e.g. \\n) and emits the strings in between =marcello streams split newline newlines","author":"=marcello","date":"2013-07-02 "},{"name":"char1ee","description":"a tool to build static autoreload(livereload) server","url":null,"keywords":"char1ee f2e","version":"0.0.7","words":"char1ee a tool to build static autoreload(livereload) server =char1ee char1ee f2e","author":"=char1ee","date":"2013-06-08 "},{"name":"charabanc","description":"Simple micro-services bus","url":null,"keywords":"micro-services microservices bus","version":"0.0.2","words":"charabanc simple micro-services bus =roylines micro-services microservices bus","author":"=roylines","date":"2014-09-19 "},{"name":"character","keywords":"","version":[],"words":"character","author":"","date":"2013-10-25 "},{"name":"character-iterator","description":"iterate through text characters in the DOM tree","url":null,"keywords":"browser dom char character iterate","version":"0.1.2","words":"character-iterator iterate through text characters in the dom tree =tootallnate =mattmueller browser dom char character iterate","author":"=tootallnate =mattmueller","date":"2014-07-20 "},{"name":"character-parser","description":"Parse JavaScript one character at a time to look for snippets in Templates. This is not a validator, it's just designed to allow you to have sections of JavaScript delimited by brackets robustly.","url":null,"keywords":"parser JavaScript bracket nesting comment string escape escaping","version":"1.2.1","words":"character-parser parse javascript one character at a time to look for snippets in templates. this is not a validator, it's just designed to allow you to have sections of javascript delimited by brackets robustly. =forbeslindesay parser javascript bracket nesting comment string escape escaping","author":"=forbeslindesay","date":"2014-07-16 "},{"name":"character-stream","description":"I stream a file one character at a time.","url":null,"keywords":"character stream","version":"0.1.0","words":"character-stream i stream a file one character at a time. =brianleroux character stream","author":"=brianleroux","date":"2013-07-15 "},{"name":"characteristic","description":"feature flag util","url":null,"keywords":"config flag","version":"0.0.1","words":"characteristic feature flag util =shawnzhu config flag","author":"=shawnzhu","date":"2014-05-05 "},{"name":"characterize","description":"characterize a set of data","url":null,"keywords":"statistics data","version":"0.0.2","words":"characterize characterize a set of data =jden statistics data","author":"=jden","date":"2012-10-04 "},{"name":"characters","keywords":"","version":[],"words":"characters","author":"","date":"2014-06-02 "},{"name":"characterset","description":"A library for working with Unicode character sets","url":null,"keywords":"unicode utf16 characterset character set surrogate pair","version":"1.1.3","words":"characterset a library for working with unicode character sets =bramstein unicode utf16 characterset character set surrogate pair","author":"=bramstein","date":"2013-12-19 "},{"name":"charcolor","url":null,"keywords":"console string colors color","version":"0.0.1","words":"charcolor =jasya console string colors color","author":"=jasya","date":"2014-04-06 "},{"name":"chard","url":null,"keywords":"","version":"0.1.2","words":"chard =architectd","author":"=architectd","date":"2012-04-03 "},{"name":"chardet","description":"Character detector","url":null,"keywords":"encoding character utf8 detector chardet icu","version":"0.0.8","words":"chardet character detector =runk encoding character utf8 detector chardet icu","author":"=runk","date":"2013-08-16 "},{"name":"chardiff","description":"Character-level text diffs respecting line boundaries","url":null,"keywords":"character char diff text string column line","version":"0.1.2","words":"chardiff character-level text diffs respecting line boundaries =halfninety character char diff text string column line","author":"=halfninety","date":"2013-08-21 "},{"name":"chardin.js","description":"Simple overlay instructions for your apps.","url":null,"keywords":"overlay","version":"0.1.3","words":"chardin.js simple overlay instructions for your apps. =wprl overlay","author":"=wprl","date":"2014-06-16 "},{"name":"charenc","description":"character encoding utilities","url":null,"keywords":"","version":"0.0.1","words":"charenc character encoding utilities =pvorb","author":"=pvorb","date":"2011-11-20 "},{"name":"charfunk","description":"CharFunk provides some of the functionality that Java's Character class does. Many of these things would be difficult to do in JavaScript without very unweildy RegExps or using [XRegExp](http://xregexp.com/). For example, it lets you test whether unicod","url":null,"keywords":"","version":"1.1.2","words":"charfunk charfunk provides some of the functionality that java's character class does. many of these things would be difficult to do in javascript without very unweildy regexps or using [xregexp](http://xregexp.com/). for example, it lets you test whether unicod =joelarson4","author":"=joelarson4","date":"2014-05-26 "},{"name":"charge","description":"A bundle of useful middleware and other tools for serving static sites","url":null,"keywords":"","version":"0.0.3","words":"charge a bundle of useful middleware and other tools for serving static sites =jenius","author":"=jenius","date":"2014-05-21 "},{"name":"charge-point-scraper","description":"A wrapper class extracts the availability status of a particular charge point given a unique ChargePoint.com ID","url":null,"keywords":"","version":"0.0.3","words":"charge-point-scraper a wrapper class extracts the availability status of a particular charge point given a unique chargepoint.com id =garyjob","author":"=garyjob","date":"2013-10-14 "},{"name":"chargebee","description":"A library for integrating with ChargeBee.","url":null,"keywords":"payments billing subscription chargebee","version":"1.1.4","words":"chargebee a library for integrating with chargebee. =chargebee payments billing subscription chargebee","author":"=chargebee","date":"2014-09-16 "},{"name":"charged","description":"Binding to the Chargify API","url":null,"keywords":"chargify charge","version":"0.2.15","words":"charged binding to the chargify api =chjj chargify charge","author":"=chjj","date":"2014-04-01 "},{"name":"chargify","description":"Easy integration with Chargify for adding recurring payments to your application.","url":null,"keywords":"","version":"0.3.0","words":"chargify easy integration with chargify for adding recurring payments to your application. =natevw","author":"=natevw","date":"2012-12-05 "},{"name":"charity-navigator","description":"Charity Navigator API Wrapper","url":null,"keywords":"","version":"0.0.0","words":"charity-navigator charity navigator api wrapper =brendanobrienesq","author":"=brendanobrienesq","date":"2013-04-16 "},{"name":"charlatan","description":"Fake identities generator for node.js (names, addresses, phones, IPs and others). Supports multiple languages.","url":null,"keywords":"charlatan faker fake dummy identity test","version":"0.1.9","words":"charlatan fake identities generator for node.js (names, addresses, phones, ips and others). supports multiple languages. =vitaly charlatan faker fake dummy identity test","author":"=vitaly","date":"2014-01-08 "},{"name":"charles","description":"hypervisor for Node.js","url":null,"keywords":"","version":"0.0.1","words":"charles hypervisor for node.js =granjef3","author":"=granjef3","date":"2012-09-12 "},{"name":"charlie","description":"Charlie knows","url":null,"keywords":"","version":"0.0.5","words":"charlie charlie knows =s3u","author":"=s3u","date":"2012-05-21 "},{"name":"charlotte","description":"A framework for building mobile web apps using Express and PhoneGap","url":null,"keywords":"express phonegap mobile","version":"0.1.8","words":"charlotte a framework for building mobile web apps using express and phonegap =danieldkim express phonegap mobile","author":"=danieldkim","date":"2012-05-20 "},{"name":"charm","description":"ansi control sequences for terminal cursor hopping and colors","url":null,"keywords":"terminal ansi cursor color console control escape sequence","version":"1.0.0","words":"charm ansi control sequences for terminal cursor hopping and colors =substack terminal ansi cursor color console control escape sequence","author":"=substack","date":"2014-09-19 "},{"name":"charm-papandreou","description":"ansi control sequences for terminal cursor hopping and colors","url":null,"keywords":"terminal ansi cursor color console control escape sequence","version":"0.1.2-patch1","words":"charm-papandreou ansi control sequences for terminal cursor hopping and colors =papandreou terminal ansi cursor color console control escape sequence","author":"=papandreou","date":"2013-12-02 "},{"name":"charmander","description":"Breathes a fiery string of chars","url":null,"keywords":"charmander char unicode","version":"0.0.2","words":"charmander breathes a fiery string of chars =brainss charmander char unicode","author":"=brainss","date":"2012-05-23 "},{"name":"charming","description":"Lettering.js in vanilla JavaScript.","url":null,"keywords":"kerning lettering span typography","version":"1.0.0","words":"charming lettering.js in vanilla javascript. =yuanqing kerning lettering span typography","author":"=yuanqing","date":"2014-08-23 "},{"name":"charnecore","description":"js api core for cordova apps","url":null,"keywords":"charne","version":"0.0.0","words":"charnecore js api core for cordova apps =charnekin charne","author":"=charnekin","date":"2013-12-27 "},{"name":"charon","description":"A node.js API client factory to abstract away some of the nitty gritty aspects of interacting with a ReST API over HTTP.","url":null,"keywords":"","version":"0.4.0","words":"charon a node.js api client factory to abstract away some of the nitty gritty aspects of interacting with a rest api over http. =samplacette","author":"=samplacette","date":"2013-10-20 "},{"name":"charset","description":"Get the content charset from header and html content-type.","url":null,"keywords":"charset content-type ContentType Content-Type xml encoding","version":"1.0.0","words":"charset get the content charset from header and html content-type. =fengmk2 charset content-type contenttype content-type xml encoding","author":"=fengmk2","date":"2014-09-17 "},{"name":"charset-converter","description":"Detect charset document and convert to utf8","url":null,"keywords":"charset html converter","version":"0.0.4","words":"charset-converter detect charset document and convert to utf8 =antham charset html converter","author":"=antham","date":"2014-06-04 "},{"name":"chart","description":"event based time series charting API","url":null,"keywords":"chart time series canvas","version":"0.1.2","words":"chart event based time series charting api =rook2pawn chart time series canvas","author":"=rook2pawn","date":"2013-02-13 "},{"name":"chart.js","description":"Simple HTML5 charts using the canvas element.","url":null,"keywords":"","version":"1.0.1-beta.2","words":"chart.js simple html5 charts using the canvas element. =nnnick","author":"=nnnick","date":"2014-07-08 "},{"name":"chartaca-events","description":"Simple real-time event tracker","url":null,"keywords":"real time event tracker","version":"0.0.1","words":"chartaca-events simple real-time event tracker =rjrodger real time event tracker","author":"=rjrodger","date":"2012-12-19 "},{"name":"chartbeat","description":"A NodeJs wrapper for Chartbeat API","url":null,"keywords":"","version":"0.0.0","words":"chartbeat a nodejs wrapper for chartbeat api =agilbert","author":"=agilbert","date":"2011-09-24 "},{"name":"chartbeat-api","description":"Simple API wrapper for Chartbeat","url":null,"keywords":"chartbeat chartbeat api","version":"0.1.0","words":"chartbeat-api simple api wrapper for chartbeat =jrainbow chartbeat chartbeat api","author":"=jrainbow","date":"2011-11-03 "},{"name":"charted","description":"Charts an entire collection of data. Single or multiple y-axes. Support for 64-bit integers. Auto-resizing axes.","url":null,"keywords":"chart","version":"0.1.5","words":"charted charts an entire collection of data. single or multiple y-axes. support for 64-bit integers. auto-resizing axes. =andyperlitch chart","author":"=andyperlitch","date":"2013-07-18 "},{"name":"charter","description":"Nodejs library for Charter App","url":null,"keywords":"chart graph visualisation plot","version":"0.0.2","words":"charter nodejs library for charter app =runk chart graph visualisation plot","author":"=runk","date":"2013-11-13 "},{"name":"charting","description":"Utilities to assist in plotting charts in a 2d space.","url":null,"keywords":"","version":"0.1.0","words":"charting utilities to assist in plotting charts in a 2d space. =prestaul","author":"=prestaul","date":"2014-01-21 "},{"name":"chartist","description":"Simple, responsive charts","url":null,"keywords":"chartist responsive charts charts charting","version":"0.1.12","words":"chartist simple, responsive charts =gionkunz chartist responsive charts charts charting","author":"=gionkunz","date":"2014-09-12 "},{"name":"chartlyrics","description":"chartlyrics api client","url":null,"keywords":"lyrics chartlyrics music songs","version":"1.0.1","words":"chartlyrics chartlyrics api client =opfl lyrics chartlyrics music songs","author":"=opfl","date":"2014-08-31 "},{"name":"chartpipe","description":"pipe data into charts","url":null,"keywords":"chart dummy stupid","version":"0.1.0","words":"chartpipe pipe data into charts =tmcw chart dummy stupid","author":"=tmcw","date":"2014-08-18 "},{"name":"chartra","description":"astrology insight appearance","url":null,"keywords":"chart astrology components","version":"0.0.1","words":"chartra astrology insight appearance =orlin chart astrology components","author":"=orlin","date":"2014-08-01 "},{"name":"charts","description":"a chart generator service for easy embed collections of charts in emails","url":null,"keywords":"chart charts canvas html5 chart-api email email-chart","version":"0.0.3","words":"charts a chart generator service for easy embed collections of charts in emails =turing chart charts canvas html5 chart-api email email-chart","author":"=turing","date":"2014-03-12 "},{"name":"charts-theme-chartjs","description":"a chartjs solution of Charts","url":null,"keywords":"charts chartjs","version":"0.0.2","words":"charts-theme-chartjs a chartjs solution of charts =turing charts chartjs","author":"=turing","date":"2014-03-12 "},{"name":"charts-theme-highcharts","description":"a jquery highcharts solution of Charts.","url":null,"keywords":"charts chart hightcharts","version":"0.0.3","words":"charts-theme-highcharts a jquery highcharts solution of charts. =wenzhao823 charts chart hightcharts","author":"=wenzhao823","date":"2014-06-10 "},{"name":"charts-theme-sparkline","description":"a jquery Sparklines solution of Charts.","url":null,"keywords":"charts chart sparkline","version":"0.0.3","words":"charts-theme-sparkline a jquery sparklines solution of charts. =turing charts chart sparkline","author":"=turing","date":"2014-03-12 "},{"name":"ChartTime","description":"Hierarchical time-series axis for charts with knockouts for holidays, weekends, and lots of other conveniences.","url":null,"keywords":"charting chart infographics date time","version":"0.1.0","words":"charttime hierarchical time-series axis for charts with knockouts for holidays, weekends, and lots of other conveniences. =lmaccherone charting chart infographics date time","author":"=lmaccherone","date":"2012-10-12 "},{"name":"charybdis","description":"drain an object stream and wrap it in a promise","url":null,"keywords":"promises streams bears oh my","version":"0.1.2","words":"charybdis drain an object stream and wrap it in a promise =jden =agilemd promises streams bears oh my","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"chase","description":"A simple logging system for node.js","url":null,"keywords":"logging","version":"0.0.7","words":"chase a simple logging system for node.js =andywilliams logging","author":"=andywilliams","date":"2013-04-17 "},{"name":"chase-bank","description":"Hacktastic way to get our data out of Chase Bank.","url":null,"keywords":"chase bank hack banking balance money","version":"0.0.1","words":"chase-bank hacktastic way to get our data out of chase bank. =grummle chase bank hack banking balance money","author":"=grummle","date":"2013-08-09 "},{"name":"chash","description":"hash a value to a consistent number within a specified range. in goes key out goes number that's it.","url":null,"keywords":"consistent hash distribution hashing ring","version":"0.0.1","words":"chash hash a value to a consistent number within a specified range. in goes key out goes number that's it. =soldair consistent hash distribution hashing ring","author":"=soldair","date":"2012-10-21 "},{"name":"chasis","description":"Tools to get rolling with Node.","url":null,"keywords":"","version":"0.0.1","words":"chasis tools to get rolling with node. =jagoda","author":"=jagoda","date":"2013-04-22 "},{"name":"chaslon_math_er_fucker","description":"An example of creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.1","words":"chaslon_math_er_fucker an example of creating a package =chas math example addition subtraction multiplication division fibonacci","author":"=chas","date":"2014-04-09 "},{"name":"chassis","description":"A framework for quickly building web apps","url":null,"keywords":"","version":"0.0.7","words":"chassis a framework for quickly building web apps =somesocks","author":"=somesocks","date":"2014-08-27 "},{"name":"chassis.io","description":"A lightweight wrapper around engine.io","url":null,"keywords":"","version":"0.1.0","words":"chassis.io a lightweight wrapper around engine.io =paulbjensen","author":"=paulbjensen","date":"2014-01-24 "},{"name":"chat","description":"Eventually consistent chat rooms via CRDT","url":null,"keywords":"","version":"0.6.0","words":"chat eventually consistent chat rooms via crdt =damonoehlman","author":"=damonoehlman","date":"2013-05-28 "},{"name":"chat-example","description":"my first chat app","url":null,"keywords":"chat chat chat","version":"0.0.1","words":"chat-example my first chat app =bnoordhuis chat chat chat","author":"=bnoordhuis","date":"2012-10-03 "},{"name":"chat-server","description":"Everyone has a chat server and this one is mine","url":null,"keywords":"chat server irc","version":"0.0.3","words":"chat-server everyone has a chat server and this one is mine =fictorial chat server irc","author":"=fictorial","date":"2011-05-26 "},{"name":"chat-socket.io","description":"chat-websocket (socket.io) ===============","url":null,"keywords":"","version":"0.0.1","words":"chat-socket.io chat-websocket (socket.io) =============== =niejiajun","author":"=niejiajun","date":"2014-09-11 "},{"name":"chat.io","description":"Simple chat module based on socket.io","url":null,"keywords":"","version":"0.0.1","words":"chat.io simple chat module based on socket.io =dev0","author":"=dev0","date":"2012-03-20 "},{"name":"chat275-client","description":"Chat275 client","url":null,"keywords":"","version":"0.0.1","words":"chat275-client chat275 client =vpetrov","author":"=vpetrov","date":"2013-05-05 "},{"name":"chatapplication","description":"Chat service with nodejs, socket.io ...","url":null,"keywords":"","version":"0.0.1","words":"chatapplication chat service with nodejs, socket.io ... =chris_mask","author":"=chris_mask","date":"2014-04-25 "},{"name":"chatback","description":"Facbeook Chat Analysis","url":null,"keywords":"","version":"0.1.0","words":"chatback facbeook chat analysis =philipp-spiess","author":"=philipp-spiess","date":"2013-02-18 "},{"name":"chatbox","description":"A chat client using the Dropbox API","url":null,"keywords":"","version":"0.0.1","words":"chatbox a chat client using the dropbox api =peterxiao","author":"=peterxiao","date":"2012-09-15 "},{"name":"chatbyvista","description":"Minimalist multi-room chat server","url":null,"keywords":"chat room","version":"0.1.0","words":"chatbyvista minimalist multi-room chat server =zhrongvista chat room","author":"=zhrongvista","date":"2013-05-10 "},{"name":"chatc","keywords":"","version":[],"words":"chatc","author":"","date":"2014-08-20 "},{"name":"chatc-cli","description":"A chat with Socket.io","url":null,"keywords":"chat http realtime socket.io chat realtime cli","version":"0.1.10","words":"chatc-cli a chat with socket.io =cedced19 chat http realtime socket.io chat realtime cli","author":"=cedced19","date":"2014-09-11 "},{"name":"chatc-web","keywords":"","version":[],"words":"chatc-web","author":"","date":"2014-08-20 "},{"name":"chateau","description":"Data explorer for RethinkDB","url":null,"keywords":"rethinkdb dataexplorer","version":"0.3.11","words":"chateau data explorer for rethinkdb =neumino rethinkdb dataexplorer","author":"=neumino","date":"2014-09-15 "},{"name":"chathy","description":"Simple Chat History logger applications for NodeJs.","url":null,"keywords":"","version":"0.0.1","words":"chathy simple chat history logger applications for nodejs. =cristiandouce","author":"=cristiandouce","date":"2012-06-15 "},{"name":"chatofpomelo","description":"ERROR: No README.md file found!","url":null,"keywords":"pomelo chat","version":"0.0.17","words":"chatofpomelo error: no readme.md file found! =py pomelo chat","author":"=py","date":"2012-12-26 "},{"name":"chatroom","description":"a chatroom made by nodejs,redis websocket","url":null,"keywords":"","version":"0.0.1","words":"chatroom a chatroom made by nodejs,redis websocket =zzlang","author":"=zzlang","date":"2011-07-31 "},{"name":"chatrooms","description":"Minimalist multi-room chat server","url":null,"keywords":"","version":"0.0.7","words":"chatrooms minimalist multi-room chat server =mcantelon","author":"=mcantelon","date":"2012-08-02 "},{"name":"chatsocket","description":"Esto es un chat básico para el curso conviertete en DevOPS con nodejs en tutellus","url":null,"keywords":"tutellus chat tiempo-real","version":"0.0.2","words":"chatsocket esto es un chat básico para el curso conviertete en devops con nodejs en tutellus =goalkeeper112 tutellus chat tiempo-real","author":"=goalkeeper112","date":"2014-09-11 "},{"name":"chatspire","description":"Chat API","url":null,"keywords":"","version":"0.0.0","words":"chatspire chat api =umairsiddique","author":"=umairsiddique","date":"2011-09-05 "},{"name":"chatter","description":"module for building chat server and client","url":null,"keywords":"","version":"0.0.1","words":"chatter module for building chat server and client =snodgrass23","author":"=snodgrass23","date":"2013-03-07 "},{"name":"chattify","description":"a local chat server and client","url":null,"keywords":"chat server","version":"0.1.0","words":"chattify a local chat server and client =tmcw chat server","author":"=tmcw","date":"2014-02-25 "},{"name":"chatty","description":"Sexy syslogging for node.js","url":null,"keywords":"log syslog","version":"0.1.1","words":"chatty sexy syslogging for node.js =thomseddon log syslog","author":"=thomseddon","date":"2013-12-18 "},{"name":"chatty_chat","description":"Chat engine using arc (jsonex)","url":null,"keywords":"chat arc jsonex","version":"0.0.1","words":"chatty_chat chat engine using arc (jsonex) =dimsmol chat arc jsonex","author":"=dimsmol","date":"2014-07-03 "},{"name":"chatwork-api","description":"Unofficial ChatWork API for nodejs","url":null,"keywords":"chatwork api","version":"0.0.2","words":"chatwork-api unofficial chatwork api for nodejs =nanopx chatwork api","author":"=nanopx","date":"2014-06-02 "},{"name":"chauffeur","description":"Tool to start up a express server with optional local routes and proxy locations","url":null,"keywords":"","version":"0.4.1","words":"chauffeur tool to start up a express server with optional local routes and proxy locations =joeytrapp","author":"=joeytrapp","date":"2013-07-30 "},{"name":"chb_test","description":"test","url":null,"keywords":"chbtest","version":"0.0.1","words":"chb_test test =chb chbtest","author":"=chb","date":"2014-06-04 "},{"name":"chdir","description":"process.chdir() in a callback plus directory stacks","url":null,"keywords":"cwd pwd pushd popd directory","version":"0.0.0","words":"chdir process.chdir() in a callback plus directory stacks =substack cwd pwd pushd popd directory","author":"=substack","date":"2011-12-05 "},{"name":"cheap","description":"Easy-to-use C-like memory layout","url":null,"keywords":"","version":"0.1.1","words":"cheap easy-to-use c-like memory layout =mischanix","author":"=mischanix","date":"2014-09-03 "},{"name":"cheap-ts-reference-parser","description":"Regex based Reference parser for Typescript","url":null,"keywords":"","version":"0.0.2","words":"cheap-ts-reference-parser regex based reference parser for typescript =ryiwamoto","author":"=ryiwamoto","date":"2014-08-16 "},{"name":"cheat","description":"Une implémentation de l'outil [cheat](https://github.com/chrisallenlane/cheat) en NodeJS.","url":null,"keywords":"","version":"0.0.5","words":"cheat une implémentation de l'outil [cheat](https://github.com/chrisallenlane/cheat) en nodejs. =bornholm","author":"=bornholm","date":"2014-05-15 "},{"name":"cheatah","description":"More fast and casual CSS styleguide generator","url":null,"keywords":"css styleguide generator","version":"0.0.6","words":"cheatah more fast and casual css styleguide generator =morishitter css styleguide generator","author":"=morishitter","date":"2014-06-07 "},{"name":"cheater","description":"Create web-friendly cheat sheets from YAML with less redundant effort.","url":null,"keywords":"cheat sheet cheat sheets DRY YAML jade static utility","version":"0.1.1","words":"cheater create web-friendly cheat sheets from yaml with less redundant effort. =hangtwenty cheat sheet cheat sheets dry yaml jade static utility","author":"=hangtwenty","date":"2013-01-24 "},{"name":"cheatsheet","description":"Cheatsheet boilerplate. Created for the new lesscss.org website, based on Shopify Cheat Sheet by Mark Dunkley.","url":null,"keywords":"assemble LESS less css sample cheatsheet cheat sheet example cheat sheet examples github cheatsheet markdown cheatsheet handlebars cheatsheet mustache cheatsheet YAML cheatsheet cheatsheet cheat sheet UI component components docs documentation framework generator gh-pages scaffold scaffolds static HTML template templates templating theme themes theming upstage","version":"0.1.4","words":"cheatsheet cheatsheet boilerplate. created for the new lesscss.org website, based on shopify cheat sheet by mark dunkley. =jonschlinkert assemble less less css sample cheatsheet cheat sheet example cheat sheet examples github cheatsheet markdown cheatsheet handlebars cheatsheet mustache cheatsheet yaml cheatsheet cheatsheet cheat sheet ui component components docs documentation framework generator gh-pages scaffold scaffolds static html template templates templating theme themes theming upstage","author":"=jonschlinkert","date":"2013-03-12 "},{"name":"check","description":"Check configurations completeness","url":null,"keywords":"","version":"0.0.3","words":"check check configurations completeness =msiebuhr","author":"=msiebuhr","date":"2012-08-02 "},{"name":"check-args","description":"Fast and tiny helper to check argument (or array element) types","url":null,"keywords":"check validate assert arguments","version":"0.0.4","words":"check-args fast and tiny helper to check argument (or array element) types =artarf check validate assert arguments","author":"=artarf","date":"2014-09-08 "},{"name":"check-args-impl","description":"Base implementation of function argument checking utility","url":null,"keywords":"function signature signature arguments utility helper","version":"0.0.3","words":"check-args-impl base implementation of function argument checking utility =artarf function signature signature arguments utility helper","author":"=artarf","date":"2014-09-08 "},{"name":"check-args-lib","description":"Exports check-args if it is available, else falls back to empty placeholder (use in libraries)","url":null,"keywords":"javascript coffeescript function arguments","version":"0.0.2","words":"check-args-lib exports check-args if it is available, else falls back to empty placeholder (use in libraries) =artarf javascript coffeescript function arguments","author":"=artarf","date":"2014-09-08 "},{"name":"check-cli","keywords":"","version":[],"words":"check-cli","author":"","date":"2014-05-22 "},{"name":"check-constants","description":"Find numbers that should be extracted as a declaration statement","url":null,"keywords":"constants const vars esprima rocambole parse validation code-style","version":"0.3.0","words":"check-constants find numbers that should be extracted as a declaration statement =pgilad constants const vars esprima rocambole parse validation code-style","author":"=pgilad","date":"2014-09-19 "},{"name":"check-dependencies","description":"Checks if currently installed npm/bower dependencies are installed in the exact same versions that are specified in package.json/bower.json","url":null,"keywords":"dependency packages modules dependencies","version":"0.7.1","words":"check-dependencies checks if currently installed npm/bower dependencies are installed in the exact same versions that are specified in package.json/bower.json =m_gol dependency packages modules dependencies","author":"=m_gol","date":"2014-07-11 "},{"name":"check-email","description":"Check email is valid by a given regex","url":null,"keywords":"email check check email check-email regex pattern format","version":"0.1.1","words":"check-email check email is valid by a given regex =huei90 email check check email check-email regex pattern format","author":"=huei90","date":"2014-05-05 "},{"name":"check-files","description":"Check list of files against some rules","url":null,"keywords":"","version":"0.0.2","words":"check-files check list of files against some rules =insane-developer","author":"=insane-developer","date":"2014-02-10 "},{"name":"check-ip-subnet","description":"Check if IP belongs to the given subnet","url":null,"keywords":"ip address validate subnet cidr","version":"0.0.2","words":"check-ip-subnet check if ip belongs to the given subnet =lennon ip address validate subnet cidr","author":"=lennon","date":"2014-03-18 "},{"name":"check-more-types","description":"Additional type checks for https://github.com/philbooth/check-types.js","url":null,"keywords":"types type-checking duck-typing checks check-types","version":"0.9.6","words":"check-more-types additional type checks for https://github.com/philbooth/check-types.js =bahmutov types type-checking duck-typing checks check-types","author":"=bahmutov","date":"2014-09-11 "},{"name":"check-nested","description":"Check for the existence of nested objects","url":null,"keywords":"Object nested object check","version":"0.0.3","words":"check-nested check for the existence of nested objects =alexmeah object nested object check","author":"=alexmeah","date":"2014-09-02 "},{"name":"check-projects-dependencies","description":"Lopp through all projects and check for dependencies that can be upgrades","url":null,"keywords":"check dependencies npm git version","version":"0.0.0","words":"check-projects-dependencies lopp through all projects and check for dependencies that can be upgrades =efrafa check dependencies npm git version","author":"=efrafa","date":"2014-09-06 "},{"name":"check-python","description":"Check for Python on the current system and return the value","url":null,"keywords":"","version":"1.0.0","words":"check-python check for python on the current system and return the value =rvagg","author":"=rvagg","date":"2014-07-03 "},{"name":"check-referrer","description":"middleware for routing requests based on referrer","url":null,"keywords":"referrer block referrer redirect redirect referrer","version":"0.0.7","words":"check-referrer middleware for routing requests based on referrer =esco referrer block referrer redirect redirect referrer","author":"=esco","date":"2014-05-26 "},{"name":"check-site-for","description":"Check sites for a given content","url":null,"keywords":"check site crawler scrapper","version":"0.1.0","words":"check-site-for check sites for a given content =boo1ean check site crawler scrapper","author":"=boo1ean","date":"2014-07-17 "},{"name":"check-sorted","description":"little utility for checking an array is sorted","url":null,"keywords":"array","version":"0.0.1","words":"check-sorted little utility for checking an array is sorted =yorkie array","author":"=yorkie","date":"2013-12-22 "},{"name":"check-source-formatting","description":"Check the source formatting of HTML/JS/CSS","url":null,"keywords":"","version":"0.0.15","words":"check-source-formatting check the source formatting of html/js/css =natecavanaugh","author":"=natecavanaugh","date":"2014-09-19 "},{"name":"check-sum","description":"Assert multiple checksums on a stream in parallel.","url":null,"keywords":"","version":"0.1.0","words":"check-sum assert multiple checksums on a stream in parallel. =jongleberry =dougwilson","author":"=jongleberry =dougwilson","date":"2014-05-27 "},{"name":"check-that","description":"A small library that provides Google Guava precondition-like argument checks.","url":null,"keywords":"","version":"1.0.3","words":"check-that a small library that provides google guava precondition-like argument checks. =lcaballero","author":"=lcaballero","date":"2014-07-11 "},{"name":"check-type","description":"Library to check variable type and properties in object.","url":null,"keywords":"util type check checking library","version":"0.4.11","words":"check-type library to check variable type and properties in object. =alistairjcbrown util type check checking library","author":"=alistairjcbrown","date":"2014-06-27 "},{"name":"check-types","description":"A tiny library for checking arguments and throwing exceptions.","url":null,"keywords":"types type-checking duck-typing arguments parameters","version":"1.3.2","words":"check-types a tiny library for checking arguments and throwing exceptions. =philbooth types type-checking duck-typing arguments parameters","author":"=philbooth","date":"2014-08-21 "},{"name":"check_couchdb","description":"Nagios checker for couchdb","url":null,"keywords":"monitoring nagios couchdb","version":"0.0.2","words":"check_couchdb nagios checker for couchdb =davglass monitoring nagios couchdb","author":"=davglass","date":"2013-11-20 "},{"name":"checkapi","description":"Check api results","url":null,"keywords":"","version":"0.0.1","words":"checkapi check api results =renatoac","author":"=renatoac","date":"2012-09-10 "},{"name":"checkbower","description":"Validates your bower.json file","url":null,"keywords":"bower check validate validation bower.json check-bower","version":"0.2.1","words":"checkbower validates your bower.json file =ruyadorno bower check validate validation bower.json check-bower","author":"=ruyadorno","date":"2014-03-03 "},{"name":"checkdigit","description":"Module to calculate and validate check digits for redundancy checking, using f.ex. mod10 (luhn algorithm) or mod11.","url":null,"keywords":"check-digit mod11 mod10 modulus luhn","version":"1.1.1","words":"checkdigit module to calculate and validate check digits for redundancy checking, using f.ex. mod10 (luhn algorithm) or mod11. =smh check-digit mod11 mod10 modulus luhn","author":"=smh","date":"2014-04-02 "},{"name":"checkdns","description":"Resolution of domain names or IP addresses given or from a file","url":null,"keywords":"dns lookup domain terminal cli shell nslookup resolve","version":"0.0.3","words":"checkdns resolution of domain names or ip addresses given or from a file =florent dns lookup domain terminal cli shell nslookup resolve","author":"=florent","date":"2013-06-14 "},{"name":"checker","description":"Checker is the collection of common abstract methods for validatiors and setters.","url":null,"keywords":"checker validator validate setter","version":"0.5.2","words":"checker checker is the collection of common abstract methods for validatiors and setters. =kael checker validator validate setter","author":"=kael","date":"2013-10-17 "},{"name":"checkevents","description":"Server Sent Events testing helper for tape","url":null,"keywords":"tape server sent events eventsource","version":"0.1.2","words":"checkevents server sent events testing helper for tape =damonoehlman tape server sent events eventsource","author":"=damonoehlman","date":"2013-10-08 "},{"name":"checkfor","description":"Validate objects with meaningful errors","url":null,"keywords":"validate validator check object","version":"0.0.4","words":"checkfor validate objects with meaningful errors =azer validate validator check object","author":"=azer","date":"2014-02-27 "},{"name":"checkhtml5","description":"用来检测浏览器是否支持HTML5,在app.use(checkhtml5)","url":null,"keywords":"checkhtml5","version":"0.1.1","words":"checkhtml5 用来检测浏览器是否支持html5,在app.use(checkhtml5) =a252293079 checkhtml5","author":"=a252293079","date":"2014-07-22 "},{"name":"checkimplements","description":"check implements of defined interface","url":null,"keywords":"interface","version":"0.0.1","words":"checkimplements check implements of defined interface =rogerz interface","author":"=rogerz","date":"2014-07-02 "},{"name":"checkip","description":"Get's your current IP address (if behind a NAT).","url":null,"keywords":"ipaddress ip nat","version":"0.1.0","words":"checkip get's your current ip address (if behind a nat). =davglass ipaddress ip nat","author":"=davglass","date":"2011-09-16 "},{"name":"checkit","description":"Simple validations for node and the browser.","url":null,"keywords":"validation","version":"0.2.0-pre","words":"checkit simple validations for node and the browser. =tgriesser validation","author":"=tgriesser","date":"2014-01-10 "},{"name":"checkjs","description":"checkjs\r =======","url":null,"keywords":"","version":"0.2.0","words":"checkjs checkjs\r ======= =elycruz","author":"=elycruz","date":"2014-02-20 "},{"name":"checkjs-vomvo","description":"check javascript data type module","url":null,"keywords":"","version":"1.0.27","words":"checkjs-vomvo check javascript data type module =vomvoru","author":"=vomvoru","date":"2014-09-09 "},{"name":"checklist","description":"A simple checklist for merging asynchronous activity","url":null,"keywords":"synchronize asynchronous","version":"0.0.6","words":"checklist a simple checklist for merging asynchronous activity =pghalliday synchronize asynchronous","author":"=pghalliday","date":"2012-10-24 "},{"name":"checklist-ninja","description":"A Node.js client for the http://checklist.ninja API","url":null,"keywords":"checklist ninja devops","version":"0.1.2","words":"checklist-ninja a node.js client for the http://checklist.ninja api =markhuge checklist ninja devops","author":"=markhuge","date":"2014-08-27 "},{"name":"checkma","description":"A JavaScript static analyzer.","url":null,"keywords":"javascript static-analysis","version":"0.1.1","words":"checkma a javascript static analyzer. =grauw javascript static-analysis","author":"=grauw","date":"2012-08-09 "},{"name":"checkmark","description":"A tiny library that may ease writing tests and debugging code a bit","url":null,"keywords":"testing assertion debugging library helper","version":"0.1.2","words":"checkmark a tiny library that may ease writing tests and debugging code a bit =radkodinev testing assertion debugging library helper","author":"=radkodinev","date":"2014-07-24 "},{"name":"checkmates","description":"Sane checkbox handling for the browser","url":null,"keywords":"checkbox html checkmark widget","version":"0.1.3","words":"checkmates sane checkbox handling for the browser =bpostlethwaite checkbox html checkmark widget","author":"=bpostlethwaite","date":"2013-05-23 "},{"name":"checkname","description":"Check whether a package name is available on bower and npm.","url":null,"keywords":"package","version":"0.0.1","words":"checkname check whether a package name is available on bower and npm. =airportyh package","author":"=airportyh","date":"2013-10-24 "},{"name":"checknode","description":"check if a node tarball exists on the official website","url":null,"keywords":"check exists tarball","version":"0.0.2","words":"checknode check if a node tarball exists on the official website =luk check exists tarball","author":"=luk","date":"2013-01-09 "},{"name":"checkonline","description":"Check if dist files is online.","url":null,"keywords":"","version":"0.3.0","words":"checkonline check if dist files is online. =sorrycc","author":"=sorrycc","date":"2014-09-09 "},{"name":"checkout","description":"Pull down local or remote repositories to local directories.","url":null,"keywords":"","version":"1.0.1","words":"checkout pull down local or remote repositories to local directories. =bradleymeck =indexzero","author":"=bradleymeck =indexzero","date":"2013-09-27 "},{"name":"checkpoint","keywords":"","version":[],"words":"checkpoint","author":"","date":"2013-07-05 "},{"name":"checkr","description":"A lightweight and secure checksum validator for passwords and other sensitive data.","url":null,"keywords":"checksum password validate hash database login sensitive data","version":"0.1.2","words":"checkr a lightweight and secure checksum validator for passwords and other sensitive data. =synchronous checksum password validate hash database login sensitive data","author":"=synchronous","date":"2014-07-26 "},{"name":"checkr-api","description":"Checkr Node.js Bindings","url":null,"keywords":"checkr checkr-node rest api wrapper checkr.io","version":"1.0.1","words":"checkr-api checkr node.js bindings =shravvmehtaa checkr checkr-node rest api wrapper checkr.io","author":"=shravvmehtaa","date":"2014-08-23 "},{"name":"checkserver","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.1.0-alpha","words":"checkserver error: no readme.md file found! =popomore","author":"=popomore","date":"2012-12-25 "},{"name":"checkstatus","description":"Node application to check HTTP status.","url":null,"keywords":"","version":"0.2.9","words":"checkstatus node application to check http status. =tmontel","author":"=tmontel","date":"2014-07-11 "},{"name":"checksum","description":"Checksum utility for node","url":null,"keywords":"checksum shasum hash sha sha1 md5","version":"0.1.1","words":"checksum checksum utility for node =dshaw checksum shasum hash sha sha1 md5","author":"=dshaw","date":"2013-06-04 "},{"name":"checksum-buffer","description":"a buffer with a checksum + data","url":null,"keywords":"buffer checksum multihash","version":"0.1.1","words":"checksum-buffer a buffer with a checksum + data =jbenet buffer checksum multihash","author":"=jbenet","date":"2014-06-28 "},{"name":"checksum-loader","description":"A loader for webpack that provides the checksum of a file.","url":null,"keywords":"webpack checksum hash loader","version":"0.0.1","words":"checksum-loader a loader for webpack that provides the checksum of a file. =brianreavis webpack checksum hash loader","author":"=brianreavis","date":"2014-07-03 "},{"name":"checkt","description":"Safe (chainable) type checks","url":null,"keywords":"type checks chainable","version":"1.1.5","words":"checkt safe (chainable) type checks =stoney type checks chainable","author":"=stoney","date":"2013-09-25 "},{"name":"checktype","description":"Check the type of variables and parametes, also user defined","url":null,"keywords":"","version":"0.0.4","words":"checktype check the type of variables and parametes, also user defined =piranna","author":"=piranna","date":"2014-09-12 "},{"name":"checkurl","description":"A tiny url status check tool","url":null,"keywords":"","version":"0.2.3","words":"checkurl a tiny url status check tool =popomore","author":"=popomore","date":"2013-08-21 "},{"name":"checkvars","description":"Check your Javascripts for accidental globals and unused variables.","url":null,"keywords":"static-analysis","version":"0.1.2","words":"checkvars check your javascripts for accidental globals and unused variables. =airportyh static-analysis","author":"=airportyh","date":"2013-11-04 "},{"name":"checky","description":"Declarative JavaScript object validation.","url":null,"keywords":"schema validation validate object type","version":"1.1.4","words":"checky declarative javascript object validation. =tully schema validation validate object type","author":"=tully","date":"2014-09-10 "},{"name":"cheddar-getter","description":"cheddar getter api with node. very simple.","url":null,"keywords":"","version":"0.0.1","words":"cheddar-getter cheddar getter api with node. very simple. =woodbridge","author":"=woodbridge","date":"2011-07-17 "},{"name":"cheddargetter","description":"Wrapper for the CheddarGetter recurring billing system APIs","url":null,"keywords":"","version":"0.1.4-1","words":"cheddargetter wrapper for the cheddargetter recurring billing system apis =respectthecode","author":"=respectthecode","date":"2012-05-20 "},{"name":"cheeba","description":"Simplify testing with Mocha, Sinon and Chai.","url":null,"keywords":"mocha sinon chai sinon-chai cheeba","version":"1.0.2","words":"cheeba simplify testing with mocha, sinon and chai. =psev mocha sinon chai sinon-chai cheeba","author":"=psev","date":"2014-05-05 "},{"name":"cheer-routine.js","description":"A javascript library for rendering Cheerleading formations.","url":null,"keywords":"cheerleading cheer routine formations","version":"0.0.3","words":"cheer-routine.js a javascript library for rendering cheerleading formations. =lucas42 cheerleading cheer routine formations","author":"=lucas42","date":"2013-11-02 "},{"name":"cheerful","description":"the composition of cheerio and hyperquestionable","url":null,"keywords":"cheerio dom http","version":"2.2.1","words":"cheerful the composition of cheerio and hyperquestionable =nathan7 cheerio dom http","author":"=nathan7","date":"2013-03-25 "},{"name":"cheerio","description":"Tiny, fast, and elegant implementation of core jQuery designed specifically for the server","url":null,"keywords":"htmlparser jquery selector scraper parser html","version":"0.17.0","words":"cheerio tiny, fast, and elegant implementation of core jquery designed specifically for the server =mattmueller =davidchambers htmlparser jquery selector scraper parser html","author":"=mattmueller =davidchambers","date":"2014-06-10 "},{"name":"cheerio-event-handlers","description":"","url":null,"keywords":"cheerio events","version":"0.0.1","words":"cheerio-event-handlers =brianleroux cheerio events","author":"=brianleroux","date":"2013-09-20 "},{"name":"cheerio-httpcli","description":"html client module with cheerio & iconv(-jp|-lite)","url":null,"keywords":"cheerio http dom scrape","version":"0.2.0","words":"cheerio-httpcli html client module with cheerio & iconv(-jp|-lite) =ktty1220 cheerio http dom scrape","author":"=ktty1220","date":"2014-06-22 "},{"name":"cheerio-repl","description":"A REPL for interacting with DOMs using Cheerio","url":null,"keywords":"cheerio DOM scraping REPL","version":"0.1.2","words":"cheerio-repl a repl for interacting with doms using cheerio =kuhnza cheerio dom scraping repl","author":"=kuhnza","date":"2013-03-14 "},{"name":"cheerio-select","description":"Selector engine for cheerio","url":null,"keywords":"","version":"0.0.3","words":"cheerio-select selector engine for cheerio =mattmueller","author":"=mattmueller","date":"2012-05-29 "},{"name":"cheerio-soupselect","description":"Adds CSS selector support to htmlparser for scraping activities - port of soupselect (python)","url":null,"keywords":"","version":"0.1.1","words":"cheerio-soupselect adds css selector support to htmlparser for scraping activities - port of soupselect (python) =mattmueller","author":"=mattmueller","date":"2012-03-04 "},{"name":"cheerio-template","description":"Cheerio Template engine for Express ","url":null,"keywords":"","version":"0.0.7","words":"cheerio-template cheerio template engine for express =alexrodin","author":"=alexrodin","date":"2013-09-10 "},{"name":"cheers","description":"Scrape a website efficiently, block by block, page by page. Based on cheerio and cURL.","url":null,"keywords":"scraper curl blocks cheers request scrape website pagination css selector cheerio q curlrequest regexp","version":"0.3.0","words":"cheers scrape a website efficiently, block by block, page by page. based on cheerio and curl. =fallanic scraper curl blocks cheers request scrape website pagination css selector cheerio q curlrequest regexp","author":"=fallanic","date":"2014-09-11 "},{"name":"cheescake","description":"Another factory library","url":null,"keywords":"factory test","version":"0.0.1","words":"cheescake another factory library =agravem factory test","author":"=agravem","date":"2012-08-25 "},{"name":"cheese","description":"A flexible, reactive, client-side web framework","url":null,"keywords":"framework web app client api server","version":"0.6.0","words":"cheese a flexible, reactive, client-side web framework =ajaymt framework web app client api server","author":"=ajaymt","date":"2014-06-09 "},{"name":"cheese-cake","description":"cake(coffee) extend library.","url":null,"keywords":"","version":"0.0.2","words":"cheese-cake cake(coffee) extend library. =koki_cheese","author":"=koki_cheese","date":"2014-02-09 "},{"name":"cheet.js","description":"easy easter eggs (konami code, etc) for your site","url":null,"keywords":"cheet cheat easter eggs keyboard silly","version":"0.3.2","words":"cheet.js easy easter eggs (konami code, etc) for your site =namuol cheet cheat easter eggs keyboard silly","author":"=namuol","date":"2014-06-17 "},{"name":"cheetah","description":"Store historical benchmark data and visualize, focus on making components faster, fast as a cheetah.","url":null,"keywords":"benchmark.js benchmark visualize fast d3 document driven data","version":"0.0.1","words":"cheetah store historical benchmark data and visualize, focus on making components faster, fast as a cheetah. =swaagie benchmark.js benchmark visualize fast d3 document driven data","author":"=swaagie","date":"2013-02-10 "},{"name":"cheetahmail","description":"Cheetmail API adaptor for node","url":null,"keywords":"","version":"0.1.0","words":"cheetahmail cheetmail api adaptor for node =tomgco","author":"=tomgco","date":"2013-06-28 "},{"name":"cheeto","description":"top level domain bot that returns and or validates url tlds -- command line utility as well","url":null,"keywords":"url top level domain top-level-domain tld command line","version":"0.0.2","words":"cheeto top level domain bot that returns and or validates url tlds -- command line utility as well =anikan url top level domain top-level-domain tld command line","author":"=anikan","date":"2014-03-24 "},{"name":"cheezburger","description":"A module for interfacing with the cheezburger api","url":null,"keywords":"cheezburger meme memes api","version":"0.0.1","words":"cheezburger a module for interfacing with the cheezburger api =jesseditson cheezburger meme memes api","author":"=jesseditson","date":"2013-01-19 "},{"name":"chef","description":"Access the Opscode Chef Server API from Node","url":null,"keywords":"api chef chef-api chef-server chef-lib","version":"0.3.0","words":"chef access the opscode chef server api from node =sgentle =mal =smith api chef chef-api chef-server chef-lib","author":"=sgentle =mal =smith","date":"2014-09-17 "},{"name":"chef-api","description":"A simple chef server api wrapper","url":null,"keywords":"chef chef-api chef-server api","version":"0.4.2","words":"chef-api a simple chef server api wrapper =normanjoyner chef chef-api chef-server api","author":"=normanjoyner","date":"2014-06-16 "},{"name":"chef-attributes","url":null,"keywords":"","version":"1.0.1","words":"chef-attributes =jankuca","author":"=jankuca","date":"2014-02-20 "},{"name":"chef-command","description":"constructs the correct chef-client/chef-solo command and json file","url":null,"keywords":"chef opschef opscode infrastructure as code","version":"0.0.4","words":"chef-command constructs the correct chef-client/chef-solo command and json file =jedi4ever chef opschef opscode infrastructure as code","author":"=jedi4ever","date":"2013-08-14 "},{"name":"chefdns","description":"Chef DNS","url":null,"keywords":"","version":"0.0.2","words":"chefdns chef dns =sgentle","author":"=sgentle","date":"2013-06-27 "},{"name":"cheferizeIt","description":"A simple module to convert English to Mock Swedish, Bork Bork Bork!","url":null,"keywords":"","version":"0.0.3","words":"cheferizeit a simple module to convert english to mock swedish, bork bork bork! =sgrasso","author":"=sgrasso","date":"2011-12-13 "},{"name":"chelf","description":"CHeck Encoding and Line Feeds","url":null,"keywords":"text encoding CRLF UTF8","version":"0.1.0","words":"chelf check encoding and line feeds =billti text encoding crlf utf8","author":"=billti","date":"2013-07-13 "},{"name":"chem","description":"html5 canvas 2D game engine optimized for rapid development - runtime","url":null,"keywords":"","version":"4.1.1","words":"chem html5 canvas 2d game engine optimized for rapid development - runtime =superjoe =thejoshwolfe","author":"=superjoe =thejoshwolfe","date":"2014-08-21 "},{"name":"chem-cli","description":"html5 canvas game engine optimized for rapid development - command line interface","url":null,"keywords":"","version":"1.4.0","words":"chem-cli html5 canvas game engine optimized for rapid development - command line interface =superjoe =thejoshwolfe","author":"=superjoe =thejoshwolfe","date":"2014-08-21 "},{"name":"chem-tmx","description":"parse tiled maps and load tileset images","url":null,"keywords":"","version":"2.0.6","words":"chem-tmx parse tiled maps and load tileset images =superjoe","author":"=superjoe","date":"2013-10-08 "},{"name":"chemcalc","description":"Analyse molecular formula","url":null,"keywords":"cheminfo molecular formula mass weight exact monoisotopic elemental analysis isotopic distribution isotopomers","version":"1.0.8","words":"chemcalc analyse molecular formula =targos cheminfo molecular formula mass weight exact monoisotopic elemental analysis isotopic distribution isotopomers","author":"=targos","date":"2014-09-19 "},{"name":"chemdata","description":"constructs Chemical objects from data from external sources","url":null,"keywords":"chemistry","version":"0.0.3","words":"chemdata constructs chemical objects from data from external sources =nathan7 chemistry","author":"=nathan7","date":"2012-08-08 "},{"name":"chemical","description":"JavaScript interface for chemicals","url":null,"keywords":"chemistry","version":"0.1.0","words":"chemical javascript interface for chemicals =ryanve chemistry","author":"=ryanve","date":"2014-05-04 "},{"name":"chemical-formula","description":"Parse a chemical formula to get a count of each element in a compound","url":null,"keywords":"chemistry","version":"1.1.0","words":"chemical-formula parse a chemical formula to get a count of each element in a compound =kenan chemistry","author":"=kenan","date":"2014-09-14 "},{"name":"chemical-symbols","description":"Symbols of the chemical elements","url":null,"keywords":"chemistry","version":"1.0.0","words":"chemical-symbols symbols of the chemical elements =kenan chemistry","author":"=kenan","date":"2014-09-14 "},{"name":"chemicaldata","description":"constructs Chemical objects from data from external sources","url":null,"keywords":"chemistry","version":"0.0.2","words":"chemicaldata constructs chemical objects from data from external sources =nathan7 chemistry","author":"=nathan7","date":"2012-08-08 "},{"name":"chemist","keywords":"","version":[],"words":"chemist","author":"","date":"2014-05-05 "},{"name":"chemist.js","keywords":"","version":[],"words":"chemist.js","author":"","date":"2014-05-05 "},{"name":"chemistry","description":"provides basic stuff for chemical calculations","url":null,"keywords":"","version":"0.0.1","words":"chemistry provides basic stuff for chemical calculations =nathan7","author":"=nathan7","date":"2012-08-08 "},{"name":"chemistry-template","keywords":"","version":[],"words":"chemistry-template","author":"","date":"2014-03-28 "},{"name":"chemspider","keywords":"","version":[],"words":"chemspider","author":"","date":"2014-07-09 "},{"name":"chen-example","description":"get list of github users","url":null,"keywords":"","version":"0.0.0","words":"chen-example get list of github users =chen2456","author":"=chen2456","date":"2014-08-02 "},{"name":"chendatony31","description":"first","url":null,"keywords":"test","version":"0.0.1","words":"chendatony31 first =chendatony31 test","author":"=chendatony31","date":"2013-09-18 "},{"name":"chengkaibinmodule","description":"A module for learning perpose.","url":null,"keywords":"ckb1989","version":"0.0.0","words":"chengkaibinmodule a module for learning perpose. =chengkaibin ckb1989","author":"=chengkaibin","date":"2013-09-05 "},{"name":"chengqian0317","description":"My First npm","url":null,"keywords":"npm byvoidmodule","version":"0.0.1","words":"chengqian0317 my first npm =chengqian0317 npm byvoidmodule","author":"=chengqian0317","date":"2014-07-24 "},{"name":"chengyu","description":"chengyu in your command line..","url":null,"keywords":"","version":"0.0.6","words":"chengyu chengyu in your command line.. =lyuehh","author":"=lyuehh","date":"2013-11-18 "},{"name":"chenliang08ssayhello","description":"hello world","url":null,"keywords":"hello say","version":"0.0.6","words":"chenliang08ssayhello hello world =chenliang08 hello say","author":"=chenliang08","date":"2014-09-05 "},{"name":"chenmmodule","description":"chenmmodule test","url":null,"keywords":"test","version":"0.0.0","words":"chenmmodule chenmmodule test =chenm test","author":"=chenm","date":"2014-04-28 "},{"name":"chenmodule","description":"A module for learning perpose","url":null,"keywords":"","version":"0.0.0","words":"chenmodule a module for learning perpose =whjpyyyy","author":"=whjpyyyy","date":"2014-03-04 "},{"name":"chenqianmodule","description":"a module for learning nodejs","url":null,"keywords":"aaa","version":"0.0.1","words":"chenqianmodule a module for learning nodejs =chenqian aaa","author":"=chenqian","date":"2014-07-09 "},{"name":"chenwj","description":"test","url":null,"keywords":"test","version":"0.0.0","words":"chenwj test =chenwj test","author":"=chenwj","date":"2014-08-21 "},{"name":"chenyonghua","description":"A module for learning perpose.","url":null,"keywords":"Anne","version":"0.0.2","words":"chenyonghua a module for learning perpose. =anne anne","author":"=anne","date":"2013-10-31 "},{"name":"cherry","description":"General-purpose build system","url":null,"keywords":"","version":"0.0.5","words":"cherry general-purpose build system =blandinw","author":"=blandinw","date":"2014-08-26 "},{"name":"cherry-core","description":"Home automation nerve center","url":null,"keywords":"home automation home automation voice pi raspberry","version":"1.0.3","words":"cherry-core home automation nerve center =blandinw home automation home automation voice pi raspberry","author":"=blandinw","date":"2014-09-14 "},{"name":"cherry-gpio","description":"cherry plugin to interact with raspberry pi's gpio","url":null,"keywords":"home automation home automation pi raspberry cherry gpio","version":"1.0.2","words":"cherry-gpio cherry plugin to interact with raspberry pi's gpio =blandinw home automation home automation pi raspberry cherry gpio","author":"=blandinw","date":"2014-09-11 "},{"name":"cherry-hook","description":"An application which listens for GitHub webhook and start custom task","url":null,"keywords":"","version":"0.1.0","words":"cherry-hook an application which listens for github webhook and start custom task =robinxb","author":"=robinxb","date":"2014-09-03 "},{"name":"cherry-hue","description":"cherry plugin to control Philips Hue lights","url":null,"keywords":"home automation home automation cherry hue raspberry pi","version":"1.0.1","words":"cherry-hue cherry plugin to control philips hue lights =blandinw home automation home automation cherry hue raspberry pi","author":"=blandinw","date":"2014-09-11 "},{"name":"cherry-sniffer","description":"sniffer for cherry automation system","url":null,"keywords":"","version":"0.0.0","words":"cherry-sniffer sniffer for cherry automation system =blandinw","author":"=blandinw","date":"2014-08-22 "},{"name":"cherry-spotify","description":"Spotify plugin for cherry home automation via spop","url":null,"keywords":"cherry spotify music raspberry pi home automation wit.ai spop","version":"3.0.0","words":"cherry-spotify spotify plugin for cherry home automation via spop =lasryaric =blandinw cherry spotify music raspberry pi home automation wit.ai spop","author":"=lasryaric =blandinw","date":"2014-09-11 "},{"name":"cherry-webhooks","description":"cherry plugin to listen for webhooks events","url":null,"keywords":"cherry automation home raspberry pi webhook webhooks","version":"1.0.0","words":"cherry-webhooks cherry plugin to listen for webhooks events =blandinw cherry automation home raspberry pi webhook webhooks","author":"=blandinw","date":"2014-09-14 "},{"name":"cherry-wit","description":"cherry plugin to interact with wit.ai","url":null,"keywords":"cherry wit automation home raspberry pi nlp","version":"1.0.1","words":"cherry-wit cherry plugin to interact with wit.ai =blandinw cherry wit automation home raspberry pi nlp","author":"=blandinw","date":"2014-09-11 "},{"name":"cherry.module","description":"New wunderfull module by CHERRY","url":null,"keywords":"","version":"0.0.1","words":"cherry.module new wunderfull module by cherry =smuchka","author":"=smuchka","date":"2013-09-24 "},{"name":"cherry_birthday","description":"Happy Birthday to Cherry","url":null,"keywords":"","version":"0.8.13","words":"cherry_birthday happy birthday to cherry =winter","author":"=winter","date":"2012-08-14 "},{"name":"cherrypick","description":"Cherrypick properties off an object","url":null,"keywords":"","version":"1.1.1","words":"cherrypick cherrypick properties off an object =korynunn","author":"=korynunn","date":"2014-06-11 "},{"name":"cherrypie.js","description":"Populate/desolate (alias convert) a Rich Model Object from/to JSON","url":null,"keywords":"","version":"1.0.0","words":"cherrypie.js populate/desolate (alias convert) a rich model object from/to json =herom","author":"=herom","date":"2014-08-13 "},{"name":"cherrytree","description":"Cherrytree is a hierarchical router for clientside web applications.","url":null,"keywords":"router history browser pushState hierarchical","version":"0.5.0","words":"cherrytree cherrytree is a hierarchical router for clientside web applications. =kidkarolis router history browser pushstate hierarchical","author":"=kidkarolis","date":"2014-08-31 "},{"name":"cheshire-client-node","description":"persistant cheshire nodejs client","url":null,"keywords":"","version":"0.1.0","words":"cheshire-client-node persistant cheshire nodejs client =mdennebaum","author":"=mdennebaum","date":"2013-09-05 "},{"name":"chess","description":"An algebraic notation driven chess engine that can validate board position and produce a list of viable moves (notated).","url":null,"keywords":"chess algebraic notation","version":"0.2.4","words":"chess an algebraic notation driven chess engine that can validate board position and produce a list of viable moves (notated). =brozeph chess algebraic notation","author":"=brozeph","date":"2014-09-16 "},{"name":"chess-charm","description":"Draw, make moves, visualize a chess board on your terminal","url":null,"keywords":"","version":"0.0.3","words":"chess-charm draw, make moves, visualize a chess board on your terminal =rook2pawn","author":"=rook2pawn","date":"2012-09-22 "},{"name":"chess-engine","description":"An async chess engine written in nodejs","url":null,"keywords":"chess chess engine","version":"0.0.0","words":"chess-engine an async chess engine written in nodejs =delmosaurio chess chess engine","author":"=delmosaurio","date":"2014-09-10 "},{"name":"chess-game","description":"Chess game with node.js, socket.io, redis and mongodb","url":null,"keywords":"chess game sockets","version":"0.0.10","words":"chess-game chess game with node.js, socket.io, redis and mongodb =t_visualappeal chess game sockets","author":"=t_visualappeal","date":"2012-11-11 "},{"name":"chess-league","keywords":"","version":[],"words":"chess-league","author":"","date":"2013-09-25 "},{"name":"chess.js","description":"A Javascript chess library for chess move generation/validation, piece placement/movement, and check/checkmate/draw detection","url":null,"keywords":"chess","version":"0.1.0","words":"chess.js a javascript chess library for chess move generation/validation, piece placement/movement, and check/checkmate/draw detection =jhlywa chess","author":"=jhlywa","date":"2011-10-25 "},{"name":"chessathome-worker","description":"Worker for the Chess@home project","url":null,"keywords":"","version":"0.2.0","words":"chessathome-worker worker for the chess@home project =tbassetto =sylvinus","author":"=tbassetto =sylvinus","date":"2011-09-28 "},{"name":"chessjs","description":"A chess engine.","url":null,"keywords":"chess engine","version":"0.0.1","words":"chessjs a chess engine. =varl chess engine","author":"=varl","date":"2013-08-20 "},{"name":"chesslib","description":"A view for chess positions","url":null,"keywords":"","version":"0.9.10","words":"chesslib a view for chess positions =humanchimp","author":"=humanchimp","date":"2014-08-30 "},{"name":"chessmonger","description":"Chess, Shogi and other variants.","url":null,"keywords":"chess game chessmonger","version":"0.0.1","words":"chessmonger chess, shogi and other variants. =alphahydrae chess game chessmonger","author":"=alphahydrae","date":"2012-04-24 "},{"name":"chesstournament","description":"A JavaScript library to manage Chess Tournaments","url":null,"keywords":"chess tournament swiss-system chesstournament","version":"0.0.1","words":"chesstournament a javascript library to manage chess tournaments =fnogatz chess tournament swiss-system chesstournament","author":"=fnogatz","date":"2013-09-20 "},{"name":"chesstournament-ctx-support","description":"Plugin for chesstournament.js to create exports in the Chess Tournament Exchange (CTX) format.","url":null,"keywords":"chesstournament chess CTX export chesstournament.js","version":"0.0.1","words":"chesstournament-ctx-support plugin for chesstournament.js to create exports in the chess tournament exchange (ctx) format. =fnogatz chesstournament chess ctx export chesstournament.js","author":"=fnogatz","date":"2013-09-20 "},{"name":"chesstournament-ranking-criteria","description":"Most common ranking criteria in chess tournaments to use with chesstournament.js","url":null,"keywords":"chess tournament ranking chesstournament","version":"0.0.1","words":"chesstournament-ranking-criteria most common ranking criteria in chess tournaments to use with chesstournament.js =fnogatz chess tournament ranking chesstournament","author":"=fnogatz","date":"2013-09-20 "},{"name":"chesstournament-swt-support","description":"Import Swiss-Chess Tournament (SWT) files into chesstournament.js","url":null,"keywords":"chesstournament chess SWT swiss-chess import chesstournament.js","version":"0.0.1","words":"chesstournament-swt-support import swiss-chess tournament (swt) files into chesstournament.js =fnogatz chesstournament chess swt swiss-chess import chesstournament.js","author":"=fnogatz","date":"2013-09-20 "},{"name":"chessview","description":"An FRP-style chess view","url":null,"keywords":"","version":"0.9.7","words":"chessview an frp-style chess view =humanchimp","author":"=humanchimp","date":"2014-08-30 "},{"name":"chest","description":"The easy metafile manager","url":null,"keywords":"chest bower component package","version":"0.4.0","words":"chest the easy metafile manager =watilde chest bower component package","author":"=watilde","date":"2014-09-15 "},{"name":"chester","description":"Enumerates a root directory, compiling a list of desired filepaths","url":null,"keywords":"","version":"0.0.1","words":"chester enumerates a root directory, compiling a list of desired filepaths =thinkt4nk","author":"=thinkt4nk","date":"2013-04-08 "},{"name":"chestnut-server","description":"Simple MVC server","url":null,"keywords":"","version":"0.0.1","words":"chestnut-server simple mvc server =hjin_me","author":"=hjin_me","date":"2014-03-28 "},{"name":"chestnut-task","description":"chestnutjs-task","url":null,"keywords":"","version":"0.0.2","words":"chestnut-task chestnutjs-task =hjin_me","author":"=hjin_me","date":"2014-03-31 "},{"name":"chests","url":null,"keywords":"","version":"0.1.1","words":"chests =qsat","author":"=qsat","date":"2014-09-04 "},{"name":"cheswick","description":"JSON APIs made simple","url":null,"keywords":"json api service routing post get","version":"0.0.2","words":"cheswick json apis made simple =mkohlmyr json api service routing post get","author":"=mkohlmyr","date":"2012-08-16 "},{"name":"chevron","description":"Command line utility for processing mustache templates","url":null,"keywords":"mustache template handlebars cli","version":"0.2.0","words":"chevron command line utility for processing mustache templates =openmason mustache template handlebars cli","author":"=openmason","date":"2014-06-24 "},{"name":"chewer","description":"The browser package manager.","url":null,"keywords":"","version":"1.0.1","words":"chewer the browser package manager. =serge.che","author":"=serge.che","date":"2013-11-13 "},{"name":"chg","description":"simple changelog/release history manager","url":null,"keywords":"changelog history release change","version":"0.1.8","words":"chg simple changelog/release history manager =heff changelog history release change","author":"=heff","date":"2014-01-31 "},{"name":"chi","description":"dependency injected routing with express","url":null,"keywords":"express routing routes dependency injection","version":"0.0.10","words":"chi dependency injected routing with express =bzwheeler =shawnpage express routing routes dependency injection","author":"=bzwheeler =shawnpage","date":"2013-12-18 "},{"name":"chi-build","description":"Build scripts for the chi modules","url":null,"keywords":"chi build","version":"0.0.5","words":"chi-build build scripts for the chi modules =conradz chi build","author":"=conradz","date":"2013-08-22 "},{"name":"chi-classes","description":"Easily manage CSS classes on DOM nodes","url":null,"keywords":"css classes class style","version":"0.1.0","words":"chi-classes easily manage css classes on dom nodes =conradz css classes class style","author":"=conradz","date":"2013-11-28 "},{"name":"chi-create","description":"Simple utility to create DOM nodes","url":null,"keywords":"","version":"0.1.0","words":"chi-create simple utility to create dom nodes =conradz","author":"=conradz","date":"2013-11-26 "},{"name":"chi-events","description":"Easily manage DOM events","url":null,"keywords":"dom events browser event chi","version":"0.1.3","words":"chi-events easily manage dom events =conradz dom events browser event chi","author":"=conradz","date":"2013-11-26 "},{"name":"chi-matches","description":"Check if a DOM element matches a CSS selector","url":null,"keywords":"browser browserify dom css matches","version":"0.0.1","words":"chi-matches check if a dom element matches a css selector =conradz browser browserify dom css matches","author":"=conradz","date":"2013-08-20 "},{"name":"chi-parse","description":"Parse HTML source into a single DOM node","url":null,"keywords":"browser dom html browserify","version":"0.0.1","words":"chi-parse parse html source into a single dom node =conradz browser dom html browserify","author":"=conradz","date":"2013-10-08 "},{"name":"chi-square","description":"Chi-square distribution calculator.","url":null,"keywords":"χ² chi distribution probability mathematics chi square","version":"0.0.1","words":"chi-square chi-square distribution calculator. =kaisellgren χ² chi distribution probability mathematics chi square","author":"=kaisellgren","date":"2012-08-02 "},{"name":"chi-squared","description":"characteristic functions for chi-squared distributions","url":null,"keywords":"χ² chi distribution probability mathematics","version":"0.0.0","words":"chi-squared characteristic functions for chi-squared distributions =substack χ² chi distribution probability mathematics","author":"=substack","date":"2012-02-14 "},{"name":"chibi","description":"chibi totoro.","url":null,"keywords":"","version":"0.0.0","words":"chibi chibi totoro. =hotoo","author":"=hotoo","date":"2014-05-17 "},{"name":"chic","description":"Chic is an extremely simple class-like interface to JavaScript prototypal inheritance","url":null,"keywords":"class classes extend inheritance oop prototypal prototype","version":"1.1.0","words":"chic chic is an extremely simple class-like interface to javascript prototypal inheritance =rowanmanning class classes extend inheritance oop prototypal prototype","author":"=rowanmanning","date":"2013-08-06 "},{"name":"chic-event","description":"Chic Event is simple object-oriented event system for JavaScript","url":null,"keywords":"event oop","version":"0.0.1","words":"chic-event chic event is simple object-oriented event system for javascript =rowanmanning event oop","author":"=rowanmanning","date":"2012-12-13 "},{"name":"chicago-capitalize","description":"Capitalizes a title according to the Chicago Manual of Style.","url":null,"keywords":"","version":"0.0.9","words":"chicago-capitalize capitalizes a title according to the chicago manual of style. =timdp","author":"=timdp","date":"2014-06-13 "},{"name":"chicago_train_api","description":"A module for accessing Chicago's CTA Train Tracker API","url":null,"keywords":"","version":"0.0.6","words":"chicago_train_api a module for accessing chicago's cta train tracker api =imcrthy","author":"=imcrthy","date":"2014-05-27 "},{"name":"chicken","description":"A command line tool that lets you run chicken scripts","url":null,"keywords":"","version":"0.0.1","words":"chicken a command line tool that lets you run chicken scripts =mcwhittemore","author":"=mcwhittemore","date":"2013-07-03 "},{"name":"chicken-hatchling","description":"console.log('Chicken chicken chicken: chicken chicken')","url":null,"keywords":"","version":"0.0.1-chicken","words":"chicken-hatchling console.log('chicken chicken chicken: chicken chicken') =hurrymaplelad","author":"=hurrymaplelad","date":"2014-03-03 "},{"name":"chicken-little","description":"A utility script to re-run a command on filesystem changes","url":null,"keywords":"notification filesystem testing testrunner test","version":"0.1.2","words":"chicken-little a utility script to re-run a command on filesystem changes =elliotf notification filesystem testing testrunner test","author":"=elliotf","date":"2013-03-05 "},{"name":"chief","description":"Polyglot Server Application Running","url":null,"keywords":"","version":"0.0.4","words":"chief polyglot server application running =jacobgroundwater","author":"=jacobgroundwater","date":"2013-01-23 "},{"name":"chiiv","description":"A node module to perform api requests to chiiv","url":null,"keywords":"chiiv achieve achievement management aggregate api json","version":"0.0.1","words":"chiiv a node module to perform api requests to chiiv =kdi chiiv achieve achievement management aggregate api json","author":"=kdi","date":"2013-08-22 "},{"name":"child","description":"Minimalistic nodejs process manager. Similar to forever-monitor","url":null,"keywords":"child process forever init run spawn processes","version":"0.0.2","words":"child minimalistic nodejs process manager. similar to forever-monitor =hugorodrigues child process forever init run spawn processes","author":"=hugorodrigues","date":"2013-03-29 "},{"name":"child-balancer","description":"Simple NodeJS child process balancer","url":null,"keywords":"balancer child_process worker fork pubsub","version":"0.0.8","words":"child-balancer simple nodejs child process balancer =olostan balancer child_process worker fork pubsub","author":"=olostan","date":"2013-12-05 "},{"name":"child-daemon","description":"Start and stop child daemon processes without cutting them loose","url":null,"keywords":"daemon spawn child_process pty","version":"0.0.2","words":"child-daemon start and stop child daemon processes without cutting them loose =pghalliday daemon spawn child_process pty","author":"=pghalliday","date":"2013-05-15 "},{"name":"child-directives","keywords":"","version":[],"words":"child-directives","author":"","date":"2014-07-03 "},{"name":"child-io","description":"Create child process for executing dangerous(user-made) function.","url":null,"keywords":"child_process keep-alive","version":"0.3.4","words":"child-io create child process for executing dangerous(user-made) function. =ystskm child_process keep-alive","author":"=ystskm","date":"2014-07-10 "},{"name":"child-killer","description":"Wrap node's child_process library, making sure that the spawned processes dies as the master dies","url":null,"keywords":"","version":"0.0.1","words":"child-killer wrap node's child_process library, making sure that the spawned processes dies as the master dies =kesla","author":"=kesla","date":"2012-07-04 "},{"name":"child-manager","description":"An extremely clean package to aid in running CPU intensive operations outside of the event loop, i.e. via using child processes.","url":null,"keywords":"child-manager node child process thread management threads_a_gogo","version":"0.1.2","words":"child-manager an extremely clean package to aid in running cpu intensive operations outside of the event loop, i.e. via using child processes. =ashishbajaj99 child-manager node child process thread management threads_a_gogo","author":"=ashishbajaj99","date":"2014-06-08 "},{"name":"child-pool","description":"child_process pool implementation","url":null,"keywords":"child_process pool fork","version":"1.1.0","words":"child-pool child_process pool implementation =kpdecker child_process pool fork","author":"=kpdecker","date":"2013-11-24 "},{"name":"child-proc","description":"An extension to the child_process module that fixes problems like windows commands.","url":null,"keywords":"child process spawn exec child_process","version":"0.0.1","words":"child-proc an extension to the child_process module that fixes problems like windows commands. =johngeorgewright child process spawn exec child_process","author":"=johngeorgewright","date":"2013-01-24 "},{"name":"child-process-args","description":"shell escape arg with self test","url":null,"keywords":"shell escape ssh sh arg","version":"0.0.1","words":"child-process-args shell escape arg with self test =ti shell escape ssh sh arg","author":"=ti","date":"2014-07-29 "},{"name":"child-process-close","description":"Make child_process objects emit 'close' events in node v0.6 like they do in v0.8. This makes it easier to write code that works correctly on both version of node.","url":null,"keywords":"child_process spawn fork exec execFile close exit","version":"0.1.1","words":"child-process-close make child_process objects emit 'close' events in node v0.6 like they do in v0.8. this makes it easier to write code that works correctly on both version of node. =piscisaureus child_process spawn fork exec execfile close exit","author":"=piscisaureus","date":"2012-08-30 "},{"name":"child-process-helpers","description":"dumb helpers for child_process","url":null,"keywords":"child_process process","version":"2.0.0","words":"child-process-helpers dumb helpers for child_process =stephenhandley child_process process","author":"=stephenhandley","date":"2014-09-02 "},{"name":"child-process-promise","description":"Simple wrapper around the \"child_process\" module that makes use of promises","url":null,"keywords":"child process promises","version":"0.2.0-SNAPSHOT.1389671754086","words":"child-process-promise simple wrapper around the \"child_process\" module that makes use of promises =psteeleidem =pnidem child process promises","author":"=psteeleidem =pnidem","date":"2014-01-14 "},{"name":"child-stream","description":"Child process read stream","url":null,"keywords":"child_process stream readstream","version":"0.0.1","words":"child-stream child process read stream =dshaw child_process stream readstream","author":"=dshaw","date":"2012-06-14 "},{"name":"child.js","description":"Inheritance for Javascript.","url":null,"keywords":"","version":"0.2.1","words":"child.js inheritance for javascript. =jaridmargolin","author":"=jaridmargolin","date":"2014-08-20 "},{"name":"child_process_with_argv0","description":"Versions of execFile and spawn which allow you to supply an argv[0] other than the executed filename","url":null,"keywords":"child_process exec execFile spawn argv","version":"0.1.1","words":"child_process_with_argv0 versions of execfile and spawn which allow you to supply an argv[0] other than the executed filename =andrewffff child_process exec execfile spawn argv","author":"=andrewffff","date":"2012-10-01 "},{"name":"child_quee","description":"A simple child process quee handler","url":null,"keywords":"child process quee","version":"0.0.1","words":"child_quee a simple child process quee handler =rodrigopolo child process quee","author":"=rodrigopolo","date":"2014-09-16 "},{"name":"childish","description":"An opinionated LevelUP abstraction that stores and operate on keys in the form of parent/child","url":null,"keywords":"database db level leveldb levelup leveldown hierarchy hierarchical parent child parents children key value","version":"1.0.1","words":"childish an opinionated levelup abstraction that stores and operate on keys in the form of parent/child =watson database db level leveldb levelup leveldown hierarchy hierarchical parent child parents children key value","author":"=watson","date":"2014-08-21 "},{"name":"childpiper","description":"pipe from one child_process to another, starting and ending with normal streams","url":null,"keywords":"","version":"0.0.1","words":"childpiper pipe from one child_process to another, starting and ending with normal streams =johannesboyne","author":"=johannesboyne","date":"2014-06-06 "},{"name":"childport","description":"Launch child processes for services that bind to a specified port.","url":null,"keywords":"child child_process port deploy","version":"0.1.0","words":"childport launch child processes for services that bind to a specified port. =mikeal child child_process port deploy","author":"=mikeal","date":"2013-07-16 "},{"name":"children","description":"Concurrent tasks computation among nodejs child processes","url":null,"keywords":"process workers","version":"0.2.1","words":"children concurrent tasks computation among nodejs child processes =fgribreau process workers","author":"=fgribreau","date":"2014-01-20 "},{"name":"childrens","description":"Concurrent tasks computation among nodejs child processes","url":null,"keywords":"process workers","version":"0.0.2","words":"childrens concurrent tasks computation among nodejs child processes =fgribreau process workers","author":"=fgribreau","date":"2013-03-04 "},{"name":"childseat","description":"node-childseat ==============","url":null,"keywords":"","version":"0.0.2","words":"childseat node-childseat ============== =ainsleychong","author":"=ainsleychong","date":"2013-05-06 "},{"name":"chiletag-patentes","keywords":"","version":[],"words":"chiletag-patentes","author":"","date":"2014-06-10 "},{"name":"chill","description":"easy rest mapping for express","url":null,"keywords":"","version":"0.0.1","words":"chill easy rest mapping for express =benmonro","author":"=benmonro","date":"2013-04-11 "},{"name":"chilli","description":"will curry your functions","url":null,"keywords":"","version":"0.1.0","words":"chilli will curry your functions =parroit","author":"=parroit","date":"2014-07-22 "},{"name":"chillies","description":"SocketIO Adaptor","url":null,"keywords":"socket.io socketio adaptor utils","version":"0.0.2","words":"chillies socketio adaptor =harinaths socket.io socketio adaptor utils","author":"=harinaths","date":"2013-12-30 "},{"name":"chilly","description":"A platform for multiplayer HTML5 games","url":null,"keywords":"games multiplayer server static sync","version":"0.2.0","words":"chilly a platform for multiplayer html5 games =element games multiplayer server static sync","author":"=element","date":"2012-04-07 "},{"name":"chimera","description":"chimera","url":null,"keywords":"","version":"0.3.2","words":"chimera chimera =deanmao","author":"=deanmao","date":"2013-01-07 "},{"name":"chimeres","description":"chimeres.gr client","url":null,"keywords":"chimeres.gr radio chat","version":"0.1.0","words":"chimeres chimeres.gr client =danmilon chimeres.gr radio chat","author":"=danmilon","date":"2013-06-25 "},{"name":"chimney","description":"chimney consumes logs to keep you warm.","url":null,"keywords":"chimney Fireplace","version":"0.2.0","words":"chimney chimney consumes logs to keep you warm. =mikaa123 chimney fireplace","author":"=mikaa123","date":"2012-12-08 "},{"name":"china","description":"a sdk of China national data (data.stats.gov.cn)","url":null,"keywords":"china","version":"0.0.1","words":"china a sdk of china national data (data.stats.gov.cn) =turing china","author":"=turing","date":"2013-11-26 "},{"name":"china-address","description":"China address","url":null,"keywords":"china address province city","version":"0.0.1","words":"china-address china address =booxood china address province city","author":"=booxood","date":"2014-01-26 "},{"name":"china-province-city-district","description":"An util to query china province, city and district data.","url":null,"keywords":"","version":"0.0.1","words":"china-province-city-district an util to query china province, city and district data. =perfectworks","author":"=perfectworks","date":"2014-06-16 "},{"name":"chinamvc","description":"The first MVC Framework made in China","url":null,"keywords":"","version":"0.1.1","words":"chinamvc the first mvc framework made in china =lchrennew","author":"=lchrennew","date":"2012-07-04 "},{"name":"chinaski","description":"open source tracking pixel","url":null,"keywords":"tracking mongodb","version":"0.0.1","words":"chinaski open source tracking pixel =horsed tracking mongodb","author":"=horsed","date":"2014-02-13 "},{"name":"chinchilla","description":"JQuery backed Capybara like browser automation","url":null,"keywords":"","version":"0.0.9","words":"chinchilla jquery backed capybara like browser automation =dereke","author":"=dereke","date":"2014-03-19 "},{"name":"chine","description":"A simple, asynchronous finite-state machine router","url":null,"keywords":"finite state machine automata automaton fsm session router","version":"0.1.0","words":"chine a simple, asynchronous finite-state machine router =mtabini finite state machine automata automaton fsm session router","author":"=mtabini","date":"2013-07-11 "},{"name":"chinese","description":"nodejs chinese","url":null,"keywords":"","version":"0.0.1","words":"chinese nodejs chinese =vingel","author":"=vingel","date":"2014-03-13 "},{"name":"chinese-lunar","description":"农历与公历相互转换的类库,支持农历的之间的加减运算,并提供生肖、干支等,支持1900-2100年","url":null,"keywords":"chinese lunar lunar 农历 旧历","version":"0.1.1","words":"chinese-lunar 农历与公历相互转换的类库,支持农历的之间的加减运算,并提供生肖、干支等,支持1900-2100年 =conis chinese lunar lunar 农历 旧历","author":"=conis","date":"2013-03-23 "},{"name":"chinese-random-name","description":"Generate Chinese name using Node.js.","url":null,"keywords":"chinese name name generator chinese name random random name","version":"0.0.3-rdm","words":"chinese-random-name generate chinese name using node.js. =xadillax chinese name name generator chinese name random random name","author":"=xadillax","date":"2014-09-01 "},{"name":"chinese-random-skill","description":"Generate Chinese skill using Node.js.","url":null,"keywords":"chinese skill skill generator chinese skill random random skill","version":"0.0.3-rdm","words":"chinese-random-skill generate chinese skill using node.js. =xadillax chinese skill skill generator chinese skill random random skill","author":"=xadillax","date":"2014-09-01 "},{"name":"chinese-seg","description":"Implement Chinese text segmentation algorithm","url":null,"keywords":"chinese segmentation","version":"0.0.5","words":"chinese-seg implement chinese text segmentation algorithm =jacobbubu chinese segmentation","author":"=jacobbubu","date":"2014-05-26 "},{"name":"chinese-stroke","description":"Retrieve the stroke count of Chinese character","url":null,"keywords":"Chinese stroke bihua","version":"0.0.1","words":"chinese-stroke retrieve the stroke count of chinese character =fayland chinese stroke bihua","author":"=fayland","date":"2013-11-21 "},{"name":"chinese-time","description":"Get time in Chinese.","url":null,"keywords":"Chinese Time","version":"0.0.1","words":"chinese-time get time in chinese. =tokune chinese time","author":"=tokune","date":"2014-08-01 "},{"name":"chinese-writing-style-converter","description":"A simple library converting chinese style between vertical and horizon.","url":null,"keywords":"chinese style vertical horizon transform","version":"0.0.1","words":"chinese-writing-style-converter a simple library converting chinese style between vertical and horizon. =imzack chinese style vertical horizon transform","author":"=imzack","date":"2014-05-06 "},{"name":"chinese_chess","description":"javascript implementation of chinese chess","url":null,"keywords":"chinese chess","version":"0.0.1","words":"chinese_chess javascript implementation of chinese chess =handyandyshortstack chinese chess","author":"=handyandyshortstack","date":"2014-01-31 "},{"name":"chineseaqi","description":"中国70多个城市的aqi(空气污染指数)数据以及天气数据。","url":null,"keywords":"aqi weiair","version":"0.0.8","words":"chineseaqi 中国70多个城市的aqi(空气污染指数)数据以及天气数据。 =xuyannan aqi weiair","author":"=xuyannan","date":"2013-05-06 "},{"name":"chinesecities","description":"中国所有城市信息。","url":null,"keywords":"chinese cities","version":"0.0.2","words":"chinesecities 中国所有城市信息。 =xuyannan chinese cities","author":"=xuyannan","date":"2013-04-17 "},{"name":"chino","description":"Jade based views that render server and client side","url":null,"keywords":"chino modella views jade express","version":"0.0.0","words":"chino jade based views that render server and client side =rschmukler chino modella views jade express","author":"=rschmukler","date":"2013-03-25 "},{"name":"chinood","description":"Object Data Mapper for Riak built on nodiak (https://npmjs.org/package/nodiak).","url":null,"keywords":"ODM ORM object data mapper riak nodiak chinood","version":"0.0.10","words":"chinood object data mapper for riak built on nodiak (https://npmjs.org/package/nodiak). =nathanaschbacher odm orm object data mapper riak nodiak chinood","author":"=nathanaschbacher","date":"2012-11-16 "},{"name":"chinook","description":"Automated hipache configuration for docker containers","url":null,"keywords":"automation docker hipache","version":"0.0.6","words":"chinook automated hipache configuration for docker containers =spro automation docker hipache","author":"=spro","date":"2014-07-08 "},{"name":"chinstrap","description":"Compiles Chinstrap Templates","url":null,"keywords":"template chinstrap","version":"0.5.0","words":"chinstrap compiles chinstrap templates =mrandre template chinstrap","author":"=mrandre","date":"2014-04-23 "},{"name":"chinstrap-engine","description":"The chinstrap rendering engine.","url":null,"keywords":"template","version":"0.8.0","words":"chinstrap-engine the chinstrap rendering engine. =mrandre template","author":"=mrandre","date":"2013-11-15 "},{"name":"chip","description":"A tiny Node.js logger","url":null,"keywords":"chip tiny console log logger color utf-8 icons transport","version":"0.0.5","words":"chip a tiny node.js logger =zerious chip tiny console log logger color utf-8 icons transport","author":"=zerious","date":"2014-05-17 "},{"name":"chip.avr.lufacdc","description":"push firmware to an avr device running a lufacdc bootloader","url":null,"keywords":"","version":"0.0.2","words":"chip.avr.lufacdc push firmware to an avr device running a lufacdc bootloader =tmpvar","author":"=tmpvar","date":"2013-08-02 "},{"name":"chipmunk","description":"Chipmunk 2d physics engine, in Javascript","url":null,"keywords":"physics engine chipmunk","version":"6.1.1","words":"chipmunk chipmunk 2d physics engine, in javascript =josephg physics engine chipmunk","author":"=josephg","date":"2013-02-02 "},{"name":"chipolo","description":"node.js lib for the Chipolo","url":null,"keywords":"chipolo","version":"0.0.0","words":"chipolo node.js lib for the chipolo =sandeepmistry chipolo","author":"=sandeepmistry","date":"2014-02-22 "},{"name":"chipotle","description":"Chipotle for Node-dot-JS","url":null,"keywords":"","version":"0.1.3","words":"chipotle chipotle for node-dot-js =terinjokes","author":"=terinjokes","date":"2013-09-17 "},{"name":"chirkut.js","description":"Chirkut.js - An XMPP BOSH server","url":null,"keywords":"","version":"0.0.22","words":"chirkut.js chirkut.js - an xmpp bosh server =anoopc","author":"=anoopc","date":"2011-07-27 "},{"name":"chiron","description":"A system of interoperable JavaScript modules, including a Pythonic type system and types","url":null,"keywords":"type system types interoperable events caching cache","version":"1.0.0","words":"chiron a system of interoperable javascript modules, including a pythonic type system and types =kriskowal type system types interoperable events caching cache","author":"=kriskowal","date":"prehistoric"},{"name":"chirp","description":"chirp =====","url":null,"keywords":"chirp twitter api stream rest","version":"0.0.0","words":"chirp chirp ===== =ddo chirp twitter api stream rest","author":"=ddo","date":"2014-05-25 "},{"name":"chirp-bearer","description":"Obtain application-only authentication token (bearer token) via twitter api","url":null,"keywords":"twitter oauth bearer token","version":"0.0.1","words":"chirp-bearer obtain application-only authentication token (bearer token) via twitter api =swhite24 twitter oauth bearer token","author":"=swhite24","date":"2014-06-20 "},{"name":"chirp-rest","description":"twitter rest apis in nodejs","url":null,"keywords":"chirp twitter api rest","version":"1.0.0","words":"chirp-rest twitter rest apis in nodejs =ddo chirp twitter api rest","author":"=ddo","date":"2014-07-23 "},{"name":"chirp-stream","description":"twitter streaming apis in nodejs","url":null,"keywords":"chirp twitter stream api","version":"1.0.1","words":"chirp-stream twitter streaming apis in nodejs =ddo chirp twitter stream api","author":"=ddo","date":"2014-05-30 "},{"name":"chit","description":"Chiχ Testing","url":null,"keywords":"chix fbp test flow","version":"0.4.5","words":"chit chiχ testing =rhalff chix fbp test flow","author":"=rhalff","date":"2013-12-30 "},{"name":"chitchat","description":"Chat server for Node.js","url":null,"keywords":"chat","version":"0.0.1","words":"chitchat chat server for node.js =munro chat","author":"=munro","date":"2013-01-20 "},{"name":"chitchat-lang","description":"An educational object oriented language","url":null,"keywords":"educational object oriented language OOP","version":"0.0.4","words":"chitchat-lang an educational object oriented language =lucaong educational object oriented language oop","author":"=lucaong","date":"2014-07-09 "},{"name":"chitose-loader","description":"webpack loader","url":null,"keywords":"","version":"0.0.2","words":"chitose-loader webpack loader =kawax","author":"=kawax","date":"2014-09-07 "},{"name":"chitose-yaml","description":"chitose to yaml","url":null,"keywords":"","version":"0.0.4","words":"chitose-yaml chitose to yaml =kawax","author":"=kawax","date":"2014-09-07 "},{"name":"chivalry","keywords":"","version":[],"words":"chivalry","author":"","date":"2014-04-05 "},{"name":"chivebot","description":"A slack bot.","url":null,"keywords":"","version":"0.0.1","words":"chivebot a slack bot. =totherik","author":"=totherik","date":"2014-02-06 "},{"name":"chix","description":"Chiχ","url":null,"keywords":"chix fbp flow","version":"0.0.3","words":"chix chiχ =rhalff chix fbp flow","author":"=rhalff","date":"2013-12-30 "},{"name":"chix-chi","description":"Chiχ Chi","url":null,"keywords":"fbp flow chix","version":"0.2.6","words":"chix-chi chiχ chi =rhalff fbp flow chix","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-flow","description":"Chiχ Flow","url":null,"keywords":"fbp flow chix","version":"0.8.3","words":"chix-flow chiχ flow =rhalff fbp flow chix","author":"=rhalff","date":"2014-09-07 "},{"name":"chix-flow-todot","description":"Convert Chiχ json to dot format","url":null,"keywords":"chix flow dot","version":"0.0.7","words":"chix-flow-todot convert chiχ json to dot format =rhalff chix flow dot","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-flow-tofbpx","description":"Convert JSON to fbpx format","url":null,"keywords":"fbpx chix","version":"0.0.2","words":"chix-flow-tofbpx convert json to fbpx format =rhalff fbpx chix","author":"=rhalff","date":"2014-04-12 "},{"name":"chix-install","description":"Wrapper around npm install","url":null,"keywords":"install chix","version":"0.1.6","words":"chix-install wrapper around npm install =rhalff install chix","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-loader","description":"Definition Loader for Chiχ","url":null,"keywords":"chix loader","version":"0.0.12","words":"chix-loader definition loader for chiχ =rhalff chix loader","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-loader-fs","description":"FS Loader for Chiχ","url":null,"keywords":"chix loader","version":"0.0.8","words":"chix-loader-fs fs loader for chiχ =rhalff chix loader","author":"=rhalff","date":"2014-04-12 "},{"name":"chix-loader-nosql","keywords":"","version":[],"words":"chix-loader-nosql","author":"","date":"2014-02-17 "},{"name":"chix-loader-remote","description":"Remote Component Loader for Chiχ","url":null,"keywords":"chix loader remote","version":"0.0.11","words":"chix-loader-remote remote component loader for chiχ =rhalff chix loader remote","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-monitor-npmlog","description":"npmlog monitor for Chiχ","url":null,"keywords":"npmlog monitor chix","version":"0.0.5","words":"chix-monitor-npmlog npmlog monitor for chiχ =rhalff npmlog monitor chix","author":"=rhalff","date":"2014-09-08 "},{"name":"chix-platform","description":"Chiχ Platform","url":null,"keywords":"['chix' 'fbp']","version":"0.1.0","words":"chix-platform chiχ platform =rhalff ['chix' 'fbp']","author":"=rhalff","date":"2014-02-22 "},{"name":"chix-runtime","description":"Chix Runtime","url":null,"keywords":"","version":"0.0.4","words":"chix-runtime chix runtime =rhalff","author":"=rhalff","date":"2014-09-11 "},{"name":"chk","description":"The world's only javascript value checker","url":null,"keywords":"argument arguments parameter parameters check checker schema","version":"0.1.15","words":"chk the world's only javascript value checker =georgesnelling argument arguments parameter parameters check checker schema","author":"=georgesnelling","date":"2013-10-19 "},{"name":"chk-bower-pkg","description":"check bower package is installed yet.","url":null,"keywords":"bower package","version":"0.0.0","words":"chk-bower-pkg check bower package is installed yet. =chilijung bower package","author":"=chilijung","date":"2014-03-18 "},{"name":"chlg","description":"Fetch the changelog of a github repository","url":null,"keywords":"github changelog","version":"1.0.0","words":"chlg fetch the changelog of a github repository =eval github changelog","author":"=eval","date":"2014-09-15 "},{"name":"chloetina-test","keywords":"","version":[],"words":"chloetina-test","author":"","date":"2014-05-05 "},{"name":"chlog","description":"making logging nicer through chained goodness","url":null,"keywords":"","version":"0.0.1","words":"chlog making logging nicer through chained goodness =dropdownmenu","author":"=dropdownmenu","date":"2013-11-23 "},{"name":"chloric","description":"ChlorineJS compiler","url":null,"keywords":"","version":"0.1.16-SNAPSHOT","words":"chloric chlorinejs compiler =myguidingstar","author":"=myguidingstar","date":"2014-01-11 "},{"name":"chlorine","description":"A tool to keep your database pool clean","url":null,"keywords":"javascript database pooling mysql postgres node chlorine js db pg","version":"0.1.2","words":"chlorine a tool to keep your database pool clean =wdt javascript database pooling mysql postgres node chlorine js db pg","author":"=wdt","date":"2014-07-21 "},{"name":"chm-manual","description":"Creation of NodeJS API manual docs in CHM HTML Help format from original sources","url":null,"keywords":"chm manual doc html help","version":"0.0.2","words":"chm-manual creation of nodejs api manual docs in chm html help format from original sources =lord chm manual doc html help","author":"=lord","date":"2013-02-27 "},{"name":"chmod","description":"chmod for nodejs","url":null,"keywords":"","version":"0.2.1","words":"chmod chmod for nodejs =popomore","author":"=popomore","date":"2014-03-07 "},{"name":"chmodr","description":"like `chmod -R`","url":null,"keywords":"","version":"0.1.0","words":"chmodr like `chmod -r` =isaacs","author":"=isaacs","date":"2013-03-06 "},{"name":"chnode","description":"Change between installed Node version in your shell.","url":null,"keywords":"node shell","version":"1.0.1","words":"chnode change between installed node version in your shell. =moll node shell","author":"=moll","date":"2014-01-18 "},{"name":"chnpm","description":"Switch between npm registries with fuzzy matching","url":null,"keywords":"npm switch registry","version":"0.1.3","words":"chnpm switch between npm registries with fuzzy matching =floatdrop npm switch registry","author":"=floatdrop","date":"2014-09-06 "},{"name":"choc","url":null,"keywords":"choc","version":"0.0.0","words":"choc =lily-zhangying choc","author":"=lily-zhangying","date":"2014-06-09 "},{"name":"choco-jsonrpc2","description":"A JSON RPC2.0 server","url":null,"keywords":"","version":"0.0.1","words":"choco-jsonrpc2 a json rpc2.0 server =cedriclombardot","author":"=cedriclombardot","date":"2012-03-15 "},{"name":"chococupcake","description":"Command line helper","url":null,"keywords":"","version":"0.0.8","words":"chococupcake command line helper =chamrc","author":"=chamrc","date":"2013-10-09 "},{"name":"chocolate","description":"A full stack Node.js web framework built using Coffeescript","url":null,"keywords":"fullstack reactive coffeescript framework online ide web app markdown jasmine ace jquery coffeekup docco git impress","version":"0.0.11","words":"chocolate a full stack node.js web framework built using coffeescript =jclevy fullstack reactive coffeescript framework online ide web app markdown jasmine ace jquery coffeekup docco git impress","author":"=jclevy","date":"2014-04-11 "},{"name":"chocolate-factory","description":"Repeatedly run mocha test with varied parameters","url":null,"keywords":"","version":"0.0.3","words":"chocolate-factory repeatedly run mocha test with varied parameters =apechimp","author":"=apechimp","date":"2013-08-20 "},{"name":"chocolate.js","description":"High-customizable gallery","url":null,"keywords":"chocolate gallery lightbox","version":"0.1.2","words":"chocolate.js high-customizable gallery =meritt chocolate gallery lightbox","author":"=meritt","date":"2014-03-31 "},{"name":"chocoscript","description":"Delicious Javascript","url":null,"keywords":"","version":"0.1.4","words":"chocoscript delicious javascript =ameenahmed","author":"=ameenahmed","date":"2013-05-03 "},{"name":"chohl-github-exammple","description":"Get a list of github user repos","url":null,"keywords":"user repos","version":"0.0.1","words":"chohl-github-exammple get a list of github user repos =chohl user repos","author":"=chohl","date":"2014-03-23 "},{"name":"chohl-github-example","description":"Get a list of github user repos","url":null,"keywords":"user repos","version":"0.0.1","words":"chohl-github-example get a list of github user repos =chohl user repos","author":"=chohl","date":"2014-03-23 "},{"name":"choice","description":"A module for working with selections in contenteditable areas.","url":null,"keywords":"selection contenteditable save restore text editing","version":"1.0.0","words":"choice a module for working with selections in contenteditable areas. =lucthev selection contenteditable save restore text editing","author":"=lucthev","date":"2014-09-13 "},{"name":"choices","description":"Choices - an API for prompting the user with multiple choices","url":null,"keywords":"choice prompt question input","version":"0.0.4","words":"choices choices - an api for prompting the user with multiple choices =leahcimic choice prompt question input","author":"=leahcimic","date":"2014-07-30 "},{"name":"choicescript","description":"[ChoiceScript](http://www.choiceofgames.com/blog/choicescript-intro/) is a small language written by Dan Fabulich for running multiple choice games.","url":null,"keywords":"","version":"1.2.0","words":"choicescript [choicescript](http://www.choiceofgames.com/blog/choicescript-intro/) is a small language written by dan fabulich for running multiple choice games. =gampleman","author":"=gampleman","date":"2014-07-23 "},{"name":"choke","description":"Function call throttling with hook for cancelling","url":null,"keywords":"","version":"0.1.2","words":"choke function call throttling with hook for cancelling =mattesch","author":"=mattesch","date":"2013-08-26 "},{"name":"chokidar","description":"A neat wrapper around node.js fs.watch / fs.watchFile.","url":null,"keywords":"fs watch watchFile watcher watching file","version":"0.8.4","words":"chokidar a neat wrapper around node.js fs.watch / fs.watchfile. =paulmillr fs watch watchfile watcher watching file","author":"=paulmillr","date":"2014-08-14 "},{"name":"chokidar-minimatch","description":"a tiny wrapper around chokidar watcher to support minimatch style globs (node-glob compatible)","url":null,"keywords":"glob node-glob minimatch chokidar watch","version":"0.0.1","words":"chokidar-minimatch a tiny wrapper around chokidar watcher to support minimatch style globs (node-glob compatible) =guillaume86 glob node-glob minimatch chokidar watch","author":"=guillaume86","date":"2014-09-04 "},{"name":"chokidar-test","description":"A neat wrapper around node.js fs.watch / fs.watchFile.","url":null,"keywords":"fs watch watchFile watcher file","version":"0.8.1","words":"chokidar-test a neat wrapper around node.js fs.watch / fs.watchfile. =es128 fs watch watchfile watcher file","author":"=es128","date":"2013-12-13 "},{"name":"choko","description":"High performance and high level web application framework.","url":null,"keywords":"framework web choko","version":"0.0.4","words":"choko high performance and high level web application framework. =recidive framework web choko","author":"=recidive","date":"2014-04-22 "},{"name":"chomp","description":"chomp for Javascript","url":null,"keywords":"","version":"0.0.1","words":"chomp chomp for javascript =theho","author":"=theho","date":"2011-10-30 "},{"name":"chomper","description":"Batch processing made simple","url":null,"keywords":"","version":"0.0.0","words":"chomper batch processing made simple =edinella","author":"=edinella","date":"2014-01-17 "},{"name":"chondric-tools","description":"Tools for setting up a ChondricJS client app","url":null,"keywords":"","version":"0.5.0","words":"chondric-tools tools for setting up a chondricjs client app =tqc","author":"=tqc","date":"2014-05-12 "},{"name":"chook","description":"Headless, framework-agnostic unit test runner","url":null,"keywords":"","version":"0.0.3","words":"chook headless, framework-agnostic unit test runner =markdalgleish","author":"=markdalgleish","date":"2013-02-02 "},{"name":"chook-growl-reporter","description":"Growl reporter for Chook - the Headless, framework-agnostic unit test runner","url":null,"keywords":"","version":"0.0.1","words":"chook-growl-reporter growl reporter for chook - the headless, framework-agnostic unit test runner =jwark","author":"=jwark","date":"2013-02-03 "},{"name":"chook-jstestdriver","description":"JsTestDriver adapter for Chook, the headless, framework-agnostic unit test runner","url":null,"keywords":"","version":"0.0.3","words":"chook-jstestdriver jstestdriver adapter for chook, the headless, framework-agnostic unit test runner =markdalgleish","author":"=markdalgleish","date":"2013-01-31 "},{"name":"chook-slowest-test-reporter","description":"Console reporter of slowest tests for Chook - the Headless, framework-agnostic unit test runner","url":null,"keywords":"","version":"0.0.1","words":"chook-slowest-test-reporter console reporter of slowest tests for chook - the headless, framework-agnostic unit test runner =jwark","author":"=jwark","date":"2013-02-03 "},{"name":"chook-xml-reporter","description":"JUnit compatible XML reporter of tests for [chook](https://github.com/markdalgleish/chook) - the headless, framework-agnostic unit test runner. The results are intended to be used by Continuous Integration Servers, such as Jenkins.","url":null,"keywords":"","version":"0.0.2","words":"chook-xml-reporter junit compatible xml reporter of tests for [chook](https://github.com/markdalgleish/chook) - the headless, framework-agnostic unit test runner. the results are intended to be used by continuous integration servers, such as jenkins. =jwark","author":"=jwark","date":"2013-02-03 "},{"name":"choose","description":"compute the binomial coefficients, `n C k`","url":null,"keywords":"binomial coefficient theorem choose pascal","version":"0.0.0","words":"choose compute the binomial coefficients, `n c k` =substack binomial coefficient theorem choose pascal","author":"=substack","date":"2012-08-14 "},{"name":"chop","description":"A chop()/chomp() library for Node.js","url":null,"keywords":"","version":"0.0.1","words":"chop a chop()/chomp() library for node.js =mcandre","author":"=mcandre","date":"2012-03-20 "},{"name":"chop-grunt-php-builder","description":"Grunt plugin to statically build PHP files","url":null,"keywords":"gruntplugin","version":"0.1.0","words":"chop-grunt-php-builder grunt plugin to statically build php files =designedbyscience gruntplugin","author":"=designedbyscience","date":"2013-06-12 "},{"name":"chopchop","description":"(wip) easy paging for web apps","url":null,"keywords":"paging pagination querystring","version":"0.2.0","words":"chopchop (wip) easy paging for web apps =jden paging pagination querystring","author":"=jden","date":"2013-07-17 "},{"name":"chopchop-js","description":"Asynchronous processing utilities for the browser (AMD) and for node.","url":null,"keywords":"promise thenable map reduce async amd callback","version":"0.0.1","words":"chopchop-js asynchronous processing utilities for the browser (amd) and for node. =trgn promise thenable map reduce async amd callback","author":"=trgn","date":"2013-10-31 "},{"name":"chopjs","description":"#Work with the modules ##i18n","keywords":"static site generator templating express","version":[],"words":"chopjs #work with the modules ##i18n =masyl =pmgodin =arsnl static site generator templating express","author":"=masyl =pmgodin =arsnl","date":"2012-10-16 "},{"name":"choppa","description":"Chop a stream into specified size chunks.","url":null,"keywords":"stream chopper chunk","version":"1.0.2","words":"choppa chop a stream into specified size chunks. =sorribas stream chopper chunk","author":"=sorribas","date":"2014-09-02 "},{"name":"chopped-and-viewed","description":"For chopping fixed-width text files into JSON or a CSV","url":null,"keywords":"csv parser fixed width","version":"0.0.2","words":"chopped-and-viewed for chopping fixed-width text files into json or a csv =veltman csv parser fixed width","author":"=veltman","date":"2014-07-21 "},{"name":"chopped-stream","description":"Convert any stream into one that gives you data in user-defined sized chunks","url":null,"keywords":"streams chunking size","version":"0.1.0","words":"chopped-stream convert any stream into one that gives you data in user-defined sized chunks =abi streams chunking size","author":"=abi","date":"2013-08-17 "},{"name":"chopper","description":"Cuts a stream into discrete pieces using a delimiter","url":null,"keywords":"","version":"1.3.2","words":"chopper cuts a stream into discrete pieces using a delimiter =sleeplessinc","author":"=sleeplessinc","date":"2014-01-30 "},{"name":"choprify","description":"Provides the wisdom of Deepak Chopra","url":null,"keywords":"deepak chopra guru wisdom insight","version":"1.1.0","words":"choprify provides the wisdom of deepak chopra =stonecypher deepak chopra guru wisdom insight","author":"=stonecypher","date":"2014-08-11 "},{"name":"chord","description":"Chord Distributed Hash Table","url":null,"keywords":"","version":"0.1.2","words":"chord chord distributed hash table =brianollenberger","author":"=brianollenberger","date":"2013-08-07 "},{"name":"chord-magic","description":"Musical chord parser, transposer, and disambiguator","url":null,"keywords":"chord parse music parser magic","version":"1.0.0","words":"chord-magic musical chord parser, transposer, and disambiguator =nolanlawson chord parse music parser magic","author":"=nolanlawson","date":"2014-09-14 "},{"name":"chore","description":"A chore notefication application","url":null,"keywords":"","version":"0.1.0","words":"chore a chore notefication application =superunrelated","author":"=superunrelated","date":"2013-09-30 "},{"name":"chorelist","description":"Real-time chorelist application for your kids","url":null,"keywords":"kids chore list","version":"0.1.1","words":"chorelist real-time chorelist application for your kids =dylanf kids chore list","author":"=dylanf","date":"2014-07-15 "},{"name":"choreographer","description":"Your server is my stage -- dirt simple URL routing for Node.js. Easy to use, easy to understand. Sinatra-style API.","url":null,"keywords":"","version":"0.3.0","words":"choreographer your server is my stage -- dirt simple url routing for node.js. easy to use, easy to understand. sinatra-style api. =laughinghan","author":"=laughinghan","date":"2012-08-26 "},{"name":"choreography","description":"Pure-Javascript Demo Recorder and Integration Testing Suite","url":null,"keywords":"pure javascript demo recorder integration test","version":"0.1.1","words":"choreography pure-javascript demo recorder and integration testing suite =mikesmullin pure javascript demo recorder integration test","author":"=mikesmullin","date":"2013-01-10 "},{"name":"chosen","description":"Easy and beautiful CLI multiple-choice selection","url":null,"keywords":"CLI choose multiple choice","version":"0.0.2","words":"chosen easy and beautiful cli multiple-choice selection =hardmath123 cli choose multiple choice","author":"=hardmath123","date":"2014-08-08 "},{"name":"chosen-jquery","description":"Beautiful Select Boxes","url":null,"keywords":"","version":"0.1.1","words":"chosen-jquery beautiful select boxes =jcarlos7121","author":"=jcarlos7121","date":"2014-02-25 "},{"name":"chosen-jquery-browserify","description":"Chosen is a JavaScript plugin that makes long, unwieldy select boxes much more user-friendly. This version is a fork of the original, made grunt- and browserify- and npm-friendly","url":null,"keywords":"chosen selection widget jquery ux","version":"1.0.0","words":"chosen-jquery-browserify chosen is a javascript plugin that makes long, unwieldy select boxes much more user-friendly. this version is a fork of the original, made grunt- and browserify- and npm-friendly =jackcviers chosen selection widget jquery ux","author":"=jackcviers","date":"2013-05-10 "},{"name":"chowder","description":"- recursivley include other configuration files - scan directory for configuration files","url":null,"keywords":"","version":"0.0.1","words":"chowder - recursivley include other configuration files - scan directory for configuration files =architectd","author":"=architectd","date":"2013-01-22 "},{"name":"chownr","description":"like `chown -R`","url":null,"keywords":"","version":"0.0.1","words":"chownr like `chown -r` =isaacs","author":"=isaacs","date":"2012-09-12 "},{"name":"choy","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.0","words":"choy error: no readme.md file found! =choy","author":"=choy","date":"2013-04-10 "},{"name":"chrash","description":"Chronically updated key-value hash","url":null,"keywords":"cache polling","version":"0.0.1","words":"chrash chronically updated key-value hash =miloconway cache polling","author":"=miloconway","date":"2014-08-26 "},{"name":"chrext","description":"A module which can generate a skeleton of a chrome extension","url":null,"keywords":"Chrome Extension Generator","version":"0.0.7","words":"chrext a module which can generate a skeleton of a chrome extension =chunk chrome extension generator","author":"=chunk","date":"2013-11-10 "},{"name":"chris-github-example","description":"Get a list of github user repos","url":null,"keywords":"none","version":"0.0.0","words":"chris-github-example get a list of github user repos =chrisbcole none","author":"=chrisbcole","date":"2012-10-16 "},{"name":"christmas","description":"A self-executing christmas tree!","url":null,"keywords":"christmas tree xmas quine","version":"0.9.0","words":"christmas a self-executing christmas tree! =skattyadz christmas tree xmas quine","author":"=skattyadz","date":"2013-11-25 "},{"name":"chroma","description":"Simple terminal colors for Node.js","url":null,"keywords":"","version":"0.0.1","words":"chroma simple terminal colors for node.js =pachet","author":"=pachet","date":"2013-04-03 "},{"name":"chroma-hash","description":"A sexy, secure visualization of password field input.","url":null,"keywords":"jquery password visualization secure hash plugin browser","version":"1.0.1","words":"chroma-hash a sexy, secure visualization of password field input. =mattt jquery password visualization secure hash plugin browser","author":"=mattt","date":"2014-06-29 "},{"name":"chroma-js","description":"JavaScript library for color conversions","url":null,"keywords":"color","version":"0.5.9","words":"chroma-js javascript library for color conversions =celtra =gka color","author":"=celtra =gka","date":"2014-09-08 "},{"name":"chromath","description":"JavaScript color conversion and manipulation functions","url":null,"keywords":"color math rgb hsl hsv hsb hex palette gradient convert conversion","version":"0.0.6","words":"chromath javascript color conversion and manipulation functions =jfsiii color math rgb hsl hsv hsb hex palette gradient convert conversion","author":"=jfsiii","date":"2014-04-22 "},{"name":"chromatist","description":"Color space math, for use in the browser and node-based servers","url":null,"keywords":"","version":"0.1.0","words":"chromatist color space math, for use in the browser and node-based servers =ahacking","author":"=ahacking","date":"2014-08-08 "},{"name":"chrome","description":"Open chrome in shell","url":null,"keywords":"","version":"0.0.2","words":"chrome open chrome in shell =afc163","author":"=afc163","date":"2014-07-22 "},{"name":"chrome-app-developer-tool-client","description":"Client library for communicating with Chrome App Developer Tool for Mobile.","url":null,"keywords":"cordova cordova-app-harness cca chrome-app-developer-tool Chrome chrome-app harness","version":"0.0.2","words":"chrome-app-developer-tool-client client library for communicating with chrome app developer tool for mobile. =agrieve =mmocny =maxw =iclelland =kamrik cordova cordova-app-harness cca chrome-app-developer-tool chrome chrome-app harness","author":"=agrieve =mmocny =maxw =iclelland =kamrik","date":"2014-06-25 "},{"name":"chrome-app-module-loader","description":"A module loader that lets you load npm modules from a chrome app","url":null,"keywords":"","version":"0.0.3","words":"chrome-app-module-loader a module loader that lets you load npm modules from a chrome app =creationix","author":"=creationix","date":"2013-08-12 "},{"name":"chrome-app-socket","keywords":"","version":[],"words":"chrome-app-socket","author":"","date":"2014-03-06 "},{"name":"chrome-bootstrap","description":"Reusable Chrome settings UI","url":null,"keywords":"","version":"1.4.0","words":"chrome-bootstrap reusable chrome settings ui =roykolak","author":"=roykolak","date":"2014-07-09 "},{"name":"chrome-cookies","description":"dump google chrome cookies for a url to stdout","url":null,"keywords":"chrome google-chrome cookie cookies","version":"0.0.1","words":"chrome-cookies dump google chrome cookies for a url to stdout =rifat chrome google-chrome cookie cookies","author":"=rifat","date":"2013-06-22 "},{"name":"chrome-cpu-profiler","description":"Convert the output of v8-profiler to work in google chrome","url":null,"keywords":"","version":"1.0.1","words":"chrome-cpu-profiler convert the output of v8-profiler to work in google chrome =tomgco","author":"=tomgco","date":"2014-01-12 "},{"name":"chrome-dgram","description":"Use the Node `dgram` API in Chrome Apps","url":null,"keywords":"chrome app chrome.socket socket api dgram udp wrapper client server","version":"2.0.5","words":"chrome-dgram use the node `dgram` api in chrome apps =feross chrome app chrome.socket socket api dgram udp wrapper client server","author":"=feross","date":"2014-09-17 "},{"name":"chrome-ext-downloader","description":"Allows you to easily download a Chrome extension's source code.","url":null,"keywords":"chrome extension source crx","version":"1.0.2","words":"chrome-ext-downloader allows you to easily download a chrome extension's source code. =mekishizufu chrome extension source crx","author":"=mekishizufu","date":"2014-02-06 "},{"name":"chrome-extension-manifest-schema","description":"JSON Schema for validating Chrome extension manifest.json","url":null,"keywords":"chrome extension manifest json schema","version":"0.0.1","words":"chrome-extension-manifest-schema json schema for validating chrome extension manifest.json =jasonkarns chrome extension manifest json schema","author":"=jasonkarns","date":"2013-11-15 "},{"name":"chrome-har-capturer","description":"Capture HAR files from a remote Chrome instance","url":null,"keywords":"chrome har remote debug","version":"0.3.3","words":"chrome-har-capturer capture har files from a remote chrome instance =cyrus-and chrome har remote debug","author":"=cyrus-and","date":"2013-12-22 "},{"name":"chrome-harness-client","keywords":"","version":[],"words":"chrome-harness-client","author":"","date":"2014-05-27 "},{"name":"chrome-harness-push","keywords":"","version":[],"words":"chrome-harness-push","author":"","date":"2014-05-27 "},{"name":"chrome-historian","description":"A better wrapper for the Chrome History API","url":null,"keywords":"","version":"1.1.0","words":"chrome-historian a better wrapper for the chrome history api =roykolak","author":"=roykolak","date":"2014-09-19 "},{"name":"chrome-http","keywords":"","version":[],"words":"chrome-http","author":"","date":"2014-03-07 "},{"name":"chrome-i18n","description":"Chrome extension's locales builder.","url":null,"keywords":"chrome chromium extension application webapp locales messages dictionary i18n","version":"1.0.2","words":"chrome-i18n chrome extension's locales builder. =ragnarokkr chrome chromium extension application webapp locales messages dictionary i18n","author":"=ragnarokkr","date":"2013-05-22 "},{"name":"chrome-mock","description":"Chrome API mocking library.","url":null,"keywords":"","version":"0.0.8","words":"chrome-mock chrome api mocking library. =sethmcl","author":"=sethmcl","date":"2014-08-18 "},{"name":"chrome-native-messaging","description":"Transform streams for writing Chrome App native messaging hosts in Node.js","url":null,"keywords":"chrome-app native-messaging","version":"0.2.0","words":"chrome-native-messaging transform streams for writing chrome app native messaging hosts in node.js =jdiamond chrome-app native-messaging","author":"=jdiamond","date":"2014-07-10 "},{"name":"chrome-net","description":"Use the Node `net` API in Chrome Apps","url":null,"keywords":"chrome app chrome.socket socket api net tcp wrapper client server","version":"2.2.0","words":"chrome-net use the node `net` api in chrome apps =feross chrome app chrome.socket socket api net tcp wrapper client server","author":"=feross","date":"2014-08-05 "},{"name":"chrome-npm-webserver","description":"An NPM module intended to be consumed inside a Chrome packaged app. The module creates a webserver using chrome.socket","url":null,"keywords":"","version":"0.0.0","words":"chrome-npm-webserver an npm module intended to be consumed inside a chrome packaged app. the module creates a webserver using chrome.socket =l0gik","author":"=l0gik","date":"2013-05-08 "},{"name":"chrome-ops","description":"Helper library for dealing with Chromedriver performance logs","url":null,"keywords":"","version":"0.1.0","words":"chrome-ops helper library for dealing with chromedriver performance logs =jlipps","author":"=jlipps","date":"2014-04-24 "},{"name":"chrome-pagecheck","description":"Simple way to check webpage for errors in google Chrome","url":null,"keywords":"","version":"0.0.2","words":"chrome-pagecheck simple way to check webpage for errors in google chrome =jedi4ever","author":"=jedi4ever","date":"2014-03-06 "},{"name":"chrome-portfinder","description":"Find an open port on the current machine (for Chrome Apps)","url":null,"keywords":"port ports portfinder find open port open ports tcp http","version":"0.3.0","words":"chrome-portfinder find an open port on the current machine (for chrome apps) =feross port ports portfinder find open port open ports tcp http","author":"=feross","date":"2014-03-18 "},{"name":"chrome-rdebug","description":"Full implementation of the chrome/webkit remote debugging protocol. Implemented to use as the bridge for AppJS v2.0","url":null,"keywords":"remote debug","version":"0.0.14","words":"chrome-rdebug full implementation of the chrome/webkit remote debugging protocol. implemented to use as the bridge for appjs v2.0 =sihorton remote debug","author":"=sihorton","date":"2013-11-18 "},{"name":"chrome-remote-interface","description":"Chrome Remote Debugging Protocol interface","url":null,"keywords":"chrome remote debug interface","version":"0.5.0","words":"chrome-remote-interface chrome remote debugging protocol interface =cyrus-and chrome remote debug interface","author":"=cyrus-and","date":"2014-07-02 "},{"name":"chrome-socket","description":"streaming socket interface for chrome tcp","url":null,"keywords":"chrome socket tcp","version":"0.0.1","words":"chrome-socket streaming socket interface for chrome tcp =shtylman chrome socket tcp","author":"=shtylman","date":"2012-11-10 "},{"name":"chrome-sourcemap-webpack-plugin","description":"Puts user code above Webpack loaders code in DevTools","url":null,"keywords":"webpack sourcemap devtools","version":"0.1.5","words":"chrome-sourcemap-webpack-plugin puts user code above webpack loaders code in devtools =gaearon webpack sourcemap devtools","author":"=gaearon","date":"2014-07-21 "},{"name":"chrome-tabs","description":"Browserify compatible HTML/CSS and JS chrome tabs implementation","url":null,"keywords":"chrome tab ui html css","version":"0.0.0","words":"chrome-tabs browserify compatible html/css and js chrome tabs implementation =alanshaw chrome tab ui html css","author":"=alanshaw","date":"2013-09-26 "},{"name":"chrome-timeline-logger","description":"A NodeJs timeline logger tool for generating timeline json files for viewing in the chrome browser","url":null,"keywords":"","version":"0.0.2","words":"chrome-timeline-logger a nodejs timeline logger tool for generating timeline json files for viewing in the chrome browser =pflannery","author":"=pflannery","date":"2013-11-24 "},{"name":"chrome-xmpp","description":"xmpp connection on chrome sockets","keywords":"","version":[],"words":"chrome-xmpp xmpp connection on chrome sockets =dodo","author":"=dodo","date":"2014-03-24 "},{"name":"chrome.sockets.tcp.xhr","description":"an XMLHttpRequest drop-in replacement using chrome.sockets.tcp for Chrome Apps","url":null,"keywords":"XHR XMLHttpRequest Chrome Sockets","version":"0.0.2","words":"chrome.sockets.tcp.xhr an xmlhttprequest drop-in replacement using chrome.sockets.tcp for chrome apps =ahmadnassri xhr xmlhttprequest chrome sockets","author":"=ahmadnassri","date":"2014-03-30 "},{"name":"chrome2calltree","description":"convert chrome CPU profiles to callgrind formatted files","url":null,"keywords":"chrome callgrind kcachegrind qcachegrind profile","version":"0.0.2","words":"chrome2calltree convert chrome cpu profiles to callgrind formatted files =phleet chrome callgrind kcachegrind qcachegrind profile","author":"=phleet","date":"2014-06-10 "},{"name":"chromecast","description":"ChromeCasting in Node","url":null,"keywords":"chromecast","version":"0.0.4","words":"chromecast chromecasting in node =phated chromecast","author":"=phated","date":"2013-08-22 "},{"name":"chromecast-away","description":"A friendly Chromecast wrapper","url":null,"keywords":"","version":"0.1.2","words":"chromecast-away a friendly chromecast wrapper =roykolak","author":"=roykolak","date":"2014-08-01 "},{"name":"chromecast-js","description":"Chromecast/Googlecast streaming module all in JS","url":null,"keywords":"chromecast googlecast stream streaming torrentv","version":"0.1.2","words":"chromecast-js chromecast/googlecast streaming module all in js =guerrerocarlos chromecast googlecast stream streaming torrentv","author":"=guerrerocarlos","date":"2014-09-03 "},{"name":"chromecast-osx-audio","description":"Stream OS X audio input to a local Chromecast device.","url":null,"keywords":"audio sound streaming osx chromecast","version":"0.0.2","words":"chromecast-osx-audio stream os x audio input to a local chromecast device. =fardog audio sound streaming osx chromecast","author":"=fardog","date":"2014-09-20 "},{"name":"chromecast-player","description":"simple chromecast player","url":null,"keywords":"chromecast media player video","version":"0.0.5","words":"chromecast-player simple chromecast player =xat chromecast media player video","author":"=xat","date":"2014-09-15 "},{"name":"chromecast-wrapper","keywords":"","version":[],"words":"chromecast-wrapper","author":"","date":"2014-08-01 "},{"name":"chromedriver","description":"ChromeDriver for Selenium","url":null,"keywords":"chromedriver selenium","version":"2.10.0-1","words":"chromedriver chromedriver for selenium =giggio chromedriver selenium","author":"=giggio","date":"2014-06-17 "},{"name":"chromedriver-manager","description":"A manager for the chromedriver binary and related miscellany","url":null,"keywords":"selenium selenium-webdriver chromedriver process-management","version":"0.2.0","words":"chromedriver-manager a manager for the chromedriver binary and related miscellany =demands selenium selenium-webdriver chromedriver process-management","author":"=demands","date":"2014-01-24 "},{"name":"chromeget","description":"Chrome OS Package Manager","url":null,"keywords":"chrome chromeos","version":"0.0.3","words":"chromeget chrome os package manager =kaendfinger chrome chromeos","author":"=kaendfinger","date":"2013-12-23 "},{"name":"chromelogger","description":"Log and inspect your server-side code in the Chrome console using Chrome Logger","url":null,"keywords":"chrome logger logging debugging express middleware","version":"1.1.1","words":"chromelogger log and inspect your server-side code in the chrome console using chrome logger =yannickcr chrome logger logging debugging express middleware","author":"=yannickcr","date":"2013-10-20 "},{"name":"chromeos-apk","description":"Run Android APKs on Chromebooks","url":null,"keywords":"","version":"3.0.0","words":"chromeos-apk run android apks on chromebooks =vladikoff","author":"=vladikoff","date":"2014-09-20 "},{"name":"chromeplugin","description":"chrome 扩展程序构建工具","url":null,"keywords":"","version":"0.0.0","words":"chromeplugin chrome 扩展程序构建工具 =qianshu","author":"=qianshu","date":"2014-03-04 "},{"name":"chromext","description":"chrome extension bootstrap with coffee, jade and stylus","url":null,"keywords":"","version":"0.0.2","words":"chromext chrome extension bootstrap with coffee, jade and stylus =saschagehlich","author":"=saschagehlich","date":"2012-09-09 "},{"name":"chromic","description":"Test framework","url":null,"keywords":"","version":"0.0.4","words":"chromic test framework =boundvariable","author":"=boundvariable","date":"2012-08-24 "},{"name":"chromify","description":"browserify plugin for Google Chrome applications","url":null,"keywords":"browserify compatible browser chrome","version":"0.0.2","words":"chromify browserify plugin for google chrome applications =tilgovi browserify compatible browser chrome","author":"=tilgovi","date":"2013-01-26 "},{"name":"chromix","description":"Chromix is a command-line and scripting utility for controlling Google chrome. It can be used, amongst other things, to create, switch, focus, reload and remove tabs.","url":null,"keywords":"chrome chromi extension cli command line","version":"0.1.16","words":"chromix chromix is a command-line and scripting utility for controlling google chrome. it can be used, amongst other things, to create, switch, focus, reload and remove tabs. =smblott chrome chromi extension cli command line","author":"=smblott","date":"2014-08-25 "},{"name":"chromlet","description":"Wrapper around chrome binary to create native like apps","url":null,"keywords":"","version":"0.1.0","words":"chromlet wrapper around chrome binary to create native like apps =euforic","author":"=euforic","date":"2013-07-22 "},{"name":"chromolens","description":"Code base for Cancer Science Institute of Singapore","url":null,"keywords":"chromolens","version":"0.0.2","words":"chromolens code base for cancer science institute of singapore =andrefarzat chromolens","author":"=andrefarzat","date":"2014-04-13 "},{"name":"chromosome","description":"chromosome node implementation","url":null,"keywords":"server","version":"0.1.0","words":"chromosome chromosome node implementation =ryanve server","author":"=ryanve","date":"2014-01-25 "},{"name":"chronicle","description":"Logging with support for MongoDB","url":null,"keywords":"","version":"0.1.0","words":"chronicle logging with support for mongodb =forbeslindesay","author":"=forbeslindesay","date":"2013-08-15 "},{"name":"chrono","description":"Format dates in JavaScript","url":null,"keywords":"","version":"1.0.5","words":"chrono format dates in javascript =kkaefer =yhahn =tmcw =willwhite =springmeyer","author":"=kkaefer =yhahn =tmcw =willwhite =springmeyer","date":"2014-01-14 "},{"name":"chrono-node","description":"A natural language date parser in Javascript","url":null,"keywords":"","version":"0.1.10","words":"chrono-node a natural language date parser in javascript =wanasit","author":"=wanasit","date":"2014-06-22 "},{"name":"chrono-parser","description":"A natural language date parser in Javascript","url":null,"keywords":"","version":"0.0.1","words":"chrono-parser a natural language date parser in javascript =wanasit","author":"=wanasit","date":"2012-08-20 "},{"name":"chrono_metrics","description":"metrics abstract concept","url":null,"keywords":"redis analytics coffee","version":"0.0.36","words":"chrono_metrics metrics abstract concept =taky redis analytics coffee","author":"=taky","date":"2013-09-18 "},{"name":"chronograph","description":"A wrapper for console.time with unique labels","url":null,"keywords":"timing logging profiling time log profile","version":"0.0.0","words":"chronograph a wrapper for console.time with unique labels =zachrose timing logging profiling time log profile","author":"=zachrose","date":"2014-05-15 "},{"name":"chronohash","description":"Time restricted hashing for passwords","url":null,"keywords":"","version":"0.0.1","words":"chronohash time restricted hashing for passwords =stagas","author":"=stagas","date":"2012-05-26 "},{"name":"chronology","description":"A tiny library for manipulating time with timezones","url":null,"keywords":"timezone duration","version":"0.3.1","words":"chronology a tiny library for manipulating time with timezones =vadimon timezone duration","author":"=vadimon","date":"2014-09-16 "},{"name":"chronoman","description":"Utility class to simplify use of timers created by setTimeout","url":null,"keywords":"setTimeout setInterval timer timeout management utility","version":"0.0.3","words":"chronoman utility class to simplify use of timers created by settimeout =gamtiq settimeout setinterval timer timeout management utility","author":"=gamtiq","date":"2013-09-09 "},{"name":"chronometer","description":"a hive-mvc mixin to fire off events at given intervals","url":null,"keywords":"chron hive-mvc","version":"0.0.1","words":"chronometer a hive-mvc mixin to fire off events at given intervals =bingomanatee chron hive-mvc","author":"=bingomanatee","date":"2013-10-18 "},{"name":"chronos","description":"Log cronjob results to graylog2","url":null,"keywords":"loggin graylog amqp cronjob gelf","version":"0.1.0","words":"chronos log cronjob results to graylog2 =jkrems loggin graylog amqp cronjob gelf","author":"=jkrems","date":"2012-04-15 "},{"name":"chronos-stream","description":"Stream activity objects about a topic from Livefyre's Chronos Service. Behind the scenes, this will lazily request pages of data over HTTP.","url":null,"keywords":"","version":"0.2.1","words":"chronos-stream stream activity objects about a topic from livefyre's chronos service. behind the scenes, this will lazily request pages of data over http. =gobengo","author":"=gobengo","date":"2014-07-15 "},{"name":"chronos.js","description":"Library for interpreting duration into strings","url":null,"keywords":"duration strings interpreter","version":"0.0.1","words":"chronos.js library for interpreting duration into strings =guillaumegaluz duration strings interpreter","author":"=guillaumegaluz","date":"2014-03-07 "},{"name":"chronotrigger","description":"turn events into time","url":null,"keywords":"event time","version":"0.0.0","words":"chronotrigger turn events into time =jarofghosts event time","author":"=jarofghosts","date":"2014-02-22 "},{"name":"chronus","description":"Job Schedule that is lightweight and scalable to distribute across multiple servers.","url":null,"keywords":"chronus job queue queue message queue schedule cron cronjob timeline redis mongodb","version":"0.0.2","words":"chronus job schedule that is lightweight and scalable to distribute across multiple servers. =geekmode chronus job queue queue message queue schedule cron cronjob timeline redis mongodb","author":"=geekmode","date":"2014-06-24 "},{"name":"chroot","description":"Chroot the current process and drop privileges","url":null,"keywords":"chroot jail","version":"0.1.7","words":"chroot chroot the current process and drop privileges =timkuijsten chroot jail","author":"=timkuijsten","date":"2014-05-21 "},{"name":"chrx","description":"CommonJS modules for developing Chrome Extensions","url":null,"keywords":"google chrome chrome extensions crx","version":"0.1.0","words":"chrx commonjs modules for developing chrome extensions =christophercliff google chrome chrome extensions crx","author":"=christophercliff","date":"2013-08-31 "},{"name":"chs","description":"Cylinder-Head-Sector Address (CHS)","url":null,"keywords":"","version":"0.1.0","words":"chs cylinder-head-sector address (chs) =jhermsmeier","author":"=jhermsmeier","date":"2014-01-06 "},{"name":"chtmlx","description":"coffeescript version of htmlx module","url":null,"keywords":"react coffeescript jsx cjsx","version":"0.1.3","words":"chtmlx coffeescript version of htmlx module =undozen react coffeescript jsx cjsx","author":"=undozen","date":"2014-08-12 "},{"name":"chuan","description":"zhan keng","url":null,"keywords":"","version":"0.0.1","words":"chuan zhan keng =undozen","author":"=undozen","date":"2014-09-11 "},{"name":"chubby","description":"A tiny validation library","url":null,"keywords":"validation","version":"0.0.0","words":"chubby a tiny validation library =matttam validation","author":"=matttam","date":"2013-08-05 "},{"name":"chuck","description":"Chuck Norris joke dispenser.","url":null,"keywords":"chuck norris jokes funny fun","version":"0.0.4","words":"chuck chuck norris joke dispenser. =qard chuck norris jokes funny fun","author":"=qard","date":"2013-01-04 "},{"name":"chucknorris","description":"Chuck Norris does not need a description.","url":null,"keywords":"Chuck Norris","version":"0.0.0","words":"chucknorris chuck norris does not need a description. =zerious chuck norris","author":"=zerious","date":"2014-09-17 "},{"name":"ChuckNorrisException","description":"When in doubt, throw a ChuckNorrisException","url":null,"keywords":"","version":"0.1.1","words":"chucknorrisexception when in doubt, throw a chucknorrisexception =criso","author":"=criso","date":"2012-10-18 "},{"name":"chucks","description":"HTML5 Canvas shoes for your sockets","url":null,"keywords":"","version":"0.1.1","words":"chucks html5 canvas shoes for your sockets =jibsales","author":"=jibsales","date":"2014-02-01 "},{"name":"chuckt","description":"ChuckT is an event transport system built on the SockJS websocket API. This module is the server-side implementation of ChuckT and is designed to complement the client-side ChuckT JavaScript library.","url":null,"keywords":"websockets websocket sockjs sockjs-node events event","version":"0.1.3","words":"chuckt chuckt is an event transport system built on the sockjs websocket api. this module is the server-side implementation of chuckt and is designed to complement the client-side chuckt javascript library. =courtewing websockets websocket sockjs sockjs-node events event","author":"=courtewing","date":"2013-03-15 "},{"name":"chuckt_redis","description":"ChuckT is an event transport system built on the SockJS websocket API. This module is the server-side implementation of ChuckT and is designed to complement the client-side ChuckT JavaScript library.This fork future implements publish/subscribe derived by redis.","url":null,"keywords":"websockets websocket sockjs sockjs-node events event pubsub","version":"0.1.41","words":"chuckt_redis chuckt is an event transport system built on the sockjs websocket api. this module is the server-side implementation of chuckt and is designed to complement the client-side chuckt javascript library.this fork future implements publish/subscribe derived by redis. =megastarxs websockets websocket sockjs sockjs-node events event pubsub","author":"=megastarxs","date":"2013-12-01 "},{"name":"chudi_math_example","description":"Example on creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"0.0.3","words":"chudi_math_example example on creating a package =chudi math example addition subtraction multiplication division fibonacci","author":"=chudi","date":"2014-02-22 "},{"name":"chuey","description":"a client library for the Philips Hue API","url":null,"keywords":"hue philips lights","version":"0.0.5","words":"chuey a client library for the philips hue api =ceejbot hue philips lights","author":"=ceejbot","date":"2014-06-27 "},{"name":"chug","description":"The caching build system","url":null,"keywords":"cache caching build lightweight fast simple load build loader route router","version":"0.2.0","words":"chug the caching build system =zerious cache caching build lightweight fast simple load build loader route router","author":"=zerious","date":"2014-07-16 "},{"name":"chuk","description":"Run any arbitrary code before REPL starts","url":null,"keywords":"","version":"0.1.0","words":"chuk run any arbitrary code before repl starts =stephan.hoyer","author":"=stephan.hoyer","date":"2013-01-03 "},{"name":"chuk-cb","description":"Chuk plugin which simplifys writing callbacks in REPL session.","url":null,"keywords":"","version":"0.0.2","words":"chuk-cb chuk plugin which simplifys writing callbacks in repl session. =stephan.hoyer","author":"=stephan.hoyer","date":"2012-12-18 "},{"name":"chumbl","description":"Wrapper for chumbl api","url":null,"keywords":"","version":"0.0.9","words":"chumbl wrapper for chumbl api =martinza78","author":"=martinza78","date":"2014-09-17 "},{"name":"chungking","description":"Controllers for Node.js and Express.","url":null,"keywords":"","version":"0.0.7","words":"chungking controllers for node.js and express. =olalonde","author":"=olalonde","date":"2013-06-05 "},{"name":"chunk","description":"Chunk converts arrays like `[1,2,3,4,5]` into arrays of arrays like `[[1,2], [3,4], [5]]`.","url":null,"keywords":"array chunk","version":"0.0.1","words":"chunk chunk converts arrays like `[1,2,3,4,5]` into arrays of arrays like `[[1,2], [3,4], [5]]`. =ryancole array chunk","author":"=ryancole","date":"2013-03-05 "},{"name":"chunk-brake","description":"Throttle object / chunk streams using back pressure","url":null,"keywords":"stream objectmode throttle","version":"0.0.4","words":"chunk-brake throttle object / chunk streams using back pressure =sfrdmn stream objectmode throttle","author":"=sfrdmn","date":"2014-08-19 "},{"name":"chunk-by","description":"chunk a stream by a short sequence of bytes","url":null,"keywords":"chunk chunk-by disect pattern split stream","version":"0.1.1","words":"chunk-by chunk a stream by a short sequence of bytes =skeggse chunk chunk-by disect pattern split stream","author":"=skeggse","date":"2014-07-03 "},{"name":"chunk-date-range","description":"Split a date range into chunks of equal size","url":null,"keywords":"","version":"0.1.0","words":"chunk-date-range split a date range into chunks of equal size =segmentio","author":"=segmentio","date":"2014-06-16 "},{"name":"chunk-loader","description":"Chunk-based file uploader.","url":null,"keywords":"","version":"0.1.0-1","words":"chunk-loader chunk-based file uploader. =inconceivableduck =busyrich","author":"=inconceivableduck =busyrich","date":"2013-05-30 "},{"name":"chunk-manifest-webpack-plugin","description":"Allows exporting a manifest that maps chunk ids to their output files, instead of keeping the mapping inside the webpack bootstrap.","url":null,"keywords":"","version":"0.0.1","words":"chunk-manifest-webpack-plugin allows exporting a manifest that maps chunk ids to their output files, instead of keeping the mapping inside the webpack bootstrap. =diurnalist","author":"=diurnalist","date":"2014-09-17 "},{"name":"chunk-rate-readable","description":"Measures the rate at which a given stream emits data chunks and streams the result.","url":null,"keywords":"stream speed chunk rate time interval","version":"0.1.1","words":"chunk-rate-readable measures the rate at which a given stream emits data chunks and streams the result. =thlorenz stream speed chunk rate time interval","author":"=thlorenz","date":"2013-09-28 "},{"name":"chunk-stream","description":"break up chunks into smaller chunks of size N on the way through","url":null,"keywords":"chunk stream through","version":"0.0.1","words":"chunk-stream break up chunks into smaller chunks of size n on the way through =chrisdickinson chunk stream through","author":"=chrisdickinson","date":"2013-03-01 "},{"name":"chunked","description":"HTTP [Transfer-Encoding: chunked](http://en.wikipedia.org/wiki/Chunked_transfer_encoding) Stream for Node.js","url":null,"keywords":"chunked","version":"0.0.0","words":"chunked http [transfer-encoding: chunked](http://en.wikipedia.org/wiki/chunked_transfer_encoding) stream for node.js =fengmk2 chunked","author":"=fengmk2","date":"2013-12-14 "},{"name":"chunked-stream","description":"Chunked Stream on a pattern. \\n by default.","url":null,"keywords":"stream","version":"0.0.2","words":"chunked-stream chunked stream on a pattern. \\n by default. =dshaw stream","author":"=dshaw","date":"2013-07-22 "},{"name":"chunkedstream","description":"Obtain lines and fixed-length buffers from an incoming stream","url":null,"keywords":"","version":"1.0.1","words":"chunkedstream obtain lines and fixed-length buffers from an incoming stream =kkaefer","author":"=kkaefer","date":"2011-06-19 "},{"name":"chunker","description":"Chunk/split your stream without eating the splitter char.","url":null,"keywords":"chunker chunking splitting streams","version":"0.2.1","words":"chunker chunk/split your stream without eating the splitter char. =chakrit chunker chunking splitting streams","author":"=chakrit","date":"2013-09-02 "},{"name":"chunkfilereader","description":"0.0.1","url":null,"keywords":"","version":"0.0.1","words":"chunkfilereader 0.0.1 =muhammad.wasu","author":"=muhammad.wasu","date":"2014-08-16 "},{"name":"chunking-streams","description":"NodeJS chunking streams","url":null,"keywords":"stream chunking s3 gzip","version":"0.0.7-b1","words":"chunking-streams nodejs chunking streams =olegas stream chunking s3 gzip","author":"=olegas","date":"2014-08-13 "},{"name":"chunkit","description":"A simple and lightweight interface for chunking stream data in NodeJS","url":null,"keywords":"chunk stream chunk streaming chunked stream chunked streaming byte chunk stream byte chunk streaming chunk stream reading chunkit chunk it","version":"0.0.5","words":"chunkit a simple and lightweight interface for chunking stream data in nodejs =talha-asad chunk stream chunk streaming chunked stream chunked streaming byte chunk stream byte chunk streaming chunk stream reading chunkit chunk it","author":"=talha-asad","date":"2014-06-09 "},{"name":"chunkmatcher","description":"Fast searching for multiple patterns accross multiple data chunks.","url":null,"keywords":"search text chunk matcher","version":"0.0.2","words":"chunkmatcher fast searching for multiple patterns accross multiple data chunks. =joeferner search text chunk matcher","author":"=joeferner","date":"2012-06-22 "},{"name":"chunknlines","description":"Stream that splits the input in chunk made by n lines","url":null,"keywords":"stream split splitter chunk chunker big line nlines linesplitter transform through combiner","version":"0.1.1","words":"chunknlines stream that splits the input in chunk made by n lines =indiependente stream split splitter chunk chunker big line nlines linesplitter transform through combiner","author":"=indiependente","date":"2014-08-10 "},{"name":"chunks","description":"A super duper, teeny tiny functional library.","url":null,"keywords":"functional utility","version":"0.2.6","words":"chunks a super duper, teeny tiny functional library. =gummesson functional utility","author":"=gummesson","date":"2013-12-08 "},{"name":"chunkstream","description":"A ReadStream: emit data chunk by chunk.","url":null,"keywords":"chunkstream chunk readstream ReadStream","version":"0.0.1","words":"chunkstream a readstream: emit data chunk by chunk. =fengmk2 chunkstream chunk readstream readstream","author":"=fengmk2","date":"2014-03-13 "},{"name":"chunky","description":"Break up messages into randomly-sized chunks","url":null,"keywords":"chunk random test","version":"0.0.0","words":"chunky break up messages into randomly-sized chunks =substack chunk random test","author":"=substack","date":"2011-10-23 "},{"name":"chunky-rice","description":"decode binary streams into PNG chunk objects and back into binary","url":null,"keywords":"PNG chunk stream through","version":"0.0.3","words":"chunky-rice decode binary streams into png chunk objects and back into binary =chrisdickinson png chunk stream through","author":"=chrisdickinson","date":"2012-10-31 "},{"name":"chunnel","description":"Local Tunnel for the service: [Browsertap](http://browsertap.com)","url":null,"keywords":"","version":"0.1.14","words":"chunnel local tunnel for the service: [browsertap](http://browsertap.com) =architectd","author":"=architectd","date":"2013-09-10 "},{"name":"chunx","description":"A plaintext search tool","url":null,"keywords":"","version":"0.0.1","words":"chunx a plaintext search tool =thinkt4nk","author":"=thinkt4nk","date":"2013-04-08 "},{"name":"churchill","description":"Simple express logger for winston","url":null,"keywords":"","version":"0.0.5","words":"churchill simple express logger for winston =easternbloc","author":"=easternbloc","date":"2013-12-10 "},{"name":"churnbee","description":"A node api for churnbee","url":null,"keywords":"churnbee analytics","version":"0.1.1","words":"churnbee a node api for churnbee =jeduan churnbee analytics","author":"=jeduan","date":"2014-09-12 "},{"name":"chute","description":"API client for Chute platform.","url":null,"keywords":"chute","version":"0.1.5","words":"chute api client for chute platform. =vdemedes chute","author":"=vdemedes","date":"2012-08-29 "},{"name":"chutney-ci","description":"open source ci system for Mongrove Projects","url":null,"keywords":"ci system","version":"0.0.4","words":"chutney-ci open source ci system for mongrove projects =yorkie ci system","author":"=yorkie","date":"2014-04-02 "},{"name":"chutney-status","description":"chutney status icons library for nodejs","url":null,"keywords":"status icon service","version":"0.0.1","words":"chutney-status chutney status icons library for nodejs =yorkie status icon service","author":"=yorkie","date":"2014-03-30 "},{"name":"chuxin","description":"'just a funny project with the beautiful chinese name'","url":null,"keywords":"chuxin","version":"0.0.0","words":"chuxin 'just a funny project with the beautiful chinese name' =chuguixin chuxin","author":"=chuguixin","date":"2014-05-30 "},{"name":"chyron","description":"Bidirectional communication with Chyron III-compatible devices","url":null,"keywords":"Chyron Infinit Deko Infinit Intelligent Interface Intelligent Interface","version":"1.2.0","words":"chyron bidirectional communication with chyron iii-compatible devices =11rcombs chyron infinit deko infinit intelligent interface intelligent interface","author":"=11rcombs","date":"2013-04-21 "},{"name":"ci","description":"Continuous integration (CI) server","url":null,"keywords":"","version":"0.0.5","words":"ci continuous integration (ci) server =jonathan.haker","author":"=jonathan.haker","date":"2014-04-02 "},{"name":"ci-badge","description":"browser ci badge","url":null,"keywords":"","version":"1.0.1","words":"ci-badge browser ci badge =tjholowaychuk","author":"=tjholowaychuk","date":"2013-02-28 "},{"name":"ci-build","description":"Continuous integration build tool for node apps.","url":null,"keywords":"","version":"0.0.7","words":"ci-build continuous integration build tool for node apps. =azweb76","author":"=azweb76","date":"2014-01-06 "},{"name":"ci-status-images","description":"Test coverage percentage and other useful status images for continuous integration systems.","url":null,"keywords":"continuous integration ci status image icon button label travis github","version":"3.1.1","words":"ci-status-images test coverage percentage and other useful status images for continuous integration systems. =ezzatron continuous integration ci status image icon button label travis github","author":"=ezzatron","date":"2013-09-08 "},{"name":"ci-test","description":"ci test","url":null,"keywords":"","version":"0.1.11","words":"ci-test ci test =fansekey","author":"=fansekey","date":"2014-03-28 "},{"name":"ci.cm","description":"ci.cm Short URL service module","url":null,"keywords":"short url shortener ci","version":"0.1.0","words":"ci.cm ci.cm short url service module =jhh short url shortener ci","author":"=jhh","date":"2014-03-17 "},{"name":"cia","description":"Common Integration Api","url":null,"keywords":"cia","version":"0.0.1","words":"cia common integration api =whyhankee cia","author":"=whyhankee","date":"2014-09-17 "},{"name":"ciab-actions","description":"actionable items interface for Coop-in-a-Box","url":null,"keywords":"","version":"0.1.11","words":"ciab-actions actionable items interface for coop-in-a-box =ahdinosaur","author":"=ahdinosaur","date":"2014-03-12 "},{"name":"ciab-actions-api","description":"api for actions","url":null,"keywords":"","version":"0.1.5","words":"ciab-actions-api api for actions =ahdinosaur","author":"=ahdinosaur","date":"2014-03-10 "},{"name":"ciab-backbone","description":"Coop-in-a-Box wrapper for backbone","url":null,"keywords":"","version":"0.1.1","words":"ciab-backbone coop-in-a-box wrapper for backbone =ahdinosaur","author":"=ahdinosaur","date":"2014-03-07 "},{"name":"ciab-bookshelf","description":"Coop-in-a-Box wrapper for bookshelf","url":null,"keywords":"","version":"0.1.1","words":"ciab-bookshelf coop-in-a-box wrapper for bookshelf =ahdinosaur","author":"=ahdinosaur","date":"2014-03-10 "},{"name":"ciab-header","keywords":"","version":[],"words":"ciab-header","author":"","date":"2014-03-07 "},{"name":"ciab-header-component","description":"Coop-in-a-Box header component","url":null,"keywords":"","version":"0.1.4","words":"ciab-header-component coop-in-a-box header component =ahdinosaur","author":"=ahdinosaur","date":"2014-03-08 "},{"name":"ciab-utils","description":"Coop-In-A-Box utility functions","url":null,"keywords":"","version":"0.0.1","words":"ciab-utils coop-in-a-box utility functions =ahdinosaur","author":"=ahdinosaur","date":"2014-03-07 "},{"name":"ciab-validation","description":"Coop-in-a-Box validation wrapper for backbone/bookshelf","url":null,"keywords":"","version":"0.1.0","words":"ciab-validation coop-in-a-box validation wrapper for backbone/bookshelf =ahdinosaur","author":"=ahdinosaur","date":"2014-03-07 "},{"name":"ciao","description":"Ciao is a simple command line utility for testing http(s) requests and generating API documentation","url":null,"keywords":"","version":"0.3.4","words":"ciao ciao is a simple command line utility for testing http(s) requests and generating api documentation =missinglink =fabmos","author":"=missinglink =fabmos","date":"2014-08-13 "},{"name":"ciba","keywords":"","version":[],"words":"ciba","author":"","date":"2013-12-17 "},{"name":"cic-js","description":"A wrapper for the CIC Api.","url":null,"keywords":"CIC js Centro de Integracion Ciudadana","version":"1.1.0","words":"cic-js a wrapper for the cic api. =kurenn cic js centro de integracion ciudadana","author":"=kurenn","date":"2014-01-20 "},{"name":"cicada","description":"a teeny git-based continuous integration server","url":null,"keywords":"ci continuous integration git push test","version":"1.1.1","words":"cicada a teeny git-based continuous integration server =substack ci continuous integration git push test","author":"=substack","date":"2014-01-08 "},{"name":"cicek","description":"HTTP server.","url":null,"keywords":"http server","version":"1.0.3","words":"cicek http server. =fpereiro http server","author":"=fpereiro","date":"2014-07-14 "},{"name":"cid","description":"build connection IDs for table storage with unique values","url":null,"keywords":"cid","version":"0.1.0","words":"cid build connection ids for table storage with unique values =trevorjtclarke cid","author":"=trevorjtclarke","date":"2014-02-27 "},{"name":"cider","description":"","url":null,"keywords":"","version":"0.1.2","words":"cider =tmpvar","author":"=tmpvar","date":"2010-12-21 "},{"name":"cider-ci-cli","description":"(WIP) CLI for cider-ci","url":null,"keywords":"cli cider-ci","version":"0.0.2","words":"cider-ci-cli (wip) cli for cider-ci =eins78 cli cider-ci","author":"=eins78","date":"2014-05-29 "},{"name":"cidm4382_censor_cords_chase","description":"Censor words out of text","url":null,"keywords":"censor words nodebook chase cidm4382","version":"1.0.3","words":"cidm4382_censor_cords_chase censor words out of text =schase censor words nodebook chase cidm4382","author":"=schase","date":"2014-09-09 "},{"name":"cidm4382_cwords","description":"Censor words out of text","url":null,"keywords":"censor words cwords chase cidm4382","version":"1.0.3","words":"cidm4382_cwords censor words out of text =schase censor words cwords chase cidm4382","author":"=schase","date":"2014-09-10 "},{"name":"cidr","description":"CIDR IP operations","url":null,"keywords":"","version":"0.0.1","words":"cidr cidr ip operations =fractal","author":"=fractal","date":"2012-02-10 "},{"name":"cidr_match","description":"A simple module to test whether a given IPv4 address is within a particular CIDR range.","url":null,"keywords":"IP Address CIDR IPv4","version":"0.0.7","words":"cidr_match a simple module to test whether a given ipv4 address is within a particular cidr range. =skx ip address cidr ipv4","author":"=skx","date":"2013-09-14 "},{"name":"cidrlite","description":"NodeJS version of Perl's Net::CIDR::Lite package","url":null,"keywords":"","version":"0.2.2","words":"cidrlite nodejs version of perl's net::cidr::lite package =jeffwalter","author":"=jeffwalter","date":"2014-04-28 "},{"name":"cie10","description":"Codigos CIE-10 (Clasificación internacional de enfermedades, décima versión)","url":null,"keywords":"","version":"0.0.2","words":"cie10 codigos cie-10 (clasificación internacional de enfermedades, décima versión) =cayasso","author":"=cayasso","date":"2013-05-28 "},{"name":"cifre","description":"Fast crypto toolkit for modern client-side JavaScript","url":null,"keywords":"cipher md5 sha1 sha256 rsa aes crypto","version":"0.0.8","words":"cifre fast crypto toolkit for modern client-side javascript =creationix =cadorn cipher md5 sha1 sha256 rsa aes crypto","author":"=creationix =cadorn","date":"2013-07-30 "},{"name":"cigar-client","description":"The client for Cigar. Collects data, listens on an API server for questions.","url":null,"keywords":"cigar cigar-client","version":"0.2.0","words":"cigar-client the client for cigar. collects data, listens on an api server for questions. =chilts cigar cigar-client","author":"=chilts","date":"2013-12-12 "},{"name":"cigar-plugin-device","description":"Device utilisation plugin for Cigar which returns the used, free and total disk space of a device.","url":null,"keywords":"cigar cigar-plugin disk device","version":"0.2.0","words":"cigar-plugin-device device utilisation plugin for cigar which returns the used, free and total disk space of a device. =chilts cigar cigar-plugin disk device","author":"=chilts","date":"2013-12-09 "},{"name":"cigar-plugin-loadavg","description":"Load Average plugin for Cigar which returns the 1, 5 and 15 min load average of the system.","url":null,"keywords":"cigar cigar-plugin load loadavg","version":"0.1.0","words":"cigar-plugin-loadavg load average plugin for cigar which returns the 1, 5 and 15 min load average of the system. =chilts cigar cigar-plugin load loadavg","author":"=chilts","date":"2013-12-14 "},{"name":"cigar-plugin-mem","description":"Memory plugin for Cigar which returns the totalmem and the freemem of the system.","url":null,"keywords":"cigar cigar-plugin mem memory","version":"0.2.0","words":"cigar-plugin-mem memory plugin for cigar which returns the totalmem and the freemem of the system. =chilts cigar cigar-plugin mem memory","author":"=chilts","date":"2013-12-09 "},{"name":"cigar-plugin-os","description":"OS plugin for Cigar which returns various (unchanging) information about the system.","url":null,"keywords":"cigar cigar-plugin os","version":"0.2.0","words":"cigar-plugin-os os plugin for cigar which returns various (unchanging) information about the system. =chilts cigar cigar-plugin os","author":"=chilts","date":"2013-12-09 "},{"name":"cigar-server","description":"The server for Cigar. Receives data, also serves pages with info.","url":null,"keywords":"cigar cigar-server","version":"0.1.0","words":"cigar-server the server for cigar. receives data, also serves pages with info. =chilts cigar cigar-server","author":"=chilts","date":"2013-12-14 "},{"name":"cilantro","description":"Client library for Serrano-compatible APIs","url":null,"keywords":"harvest avocado serrano client html5","version":"2.2.11","words":"cilantro client library for serrano-compatible apis =bruth harvest avocado serrano client html5","author":"=bruth","date":"2014-02-19 "},{"name":"cimarron","description":"Cimarron [![NPM version](https://badge.fury.io/js/cimarron.svg)](http://badge.fury.io/js/cimarron)\r ========","url":null,"keywords":"","version":"0.3.0","words":"cimarron cimarron [![npm version](https://badge.fury.io/js/cimarron.svg)](http://badge.fury.io/js/cimarron)\r ======== =fcingolani","author":"=fcingolani","date":"2014-07-29 "},{"name":"ciment","description":"Javascript comments library","url":null,"keywords":"comment","version":"1.0.0","words":"ciment javascript comments library =switer comment","author":"=switer","date":"2013-10-09 "},{"name":"cin","description":"Lightweight, flexible continuous integration server for Git projects","url":null,"keywords":"cin integrity continuous integration testing ci server","version":"0.0.1","words":"cin lightweight, flexible continuous integration server for git projects =kainosnoema cin integrity continuous integration testing ci server","author":"=kainosnoema","date":"2012-06-06 "},{"name":"cinch","description":"Async control flow made easy","url":null,"keywords":"","version":"0.1.1","words":"cinch async control flow made easy =pguillory","author":"=pguillory","date":"2011-03-02 "},{"name":"cinder","url":null,"keywords":"","version":"0.0.0","words":"cinder =thekenwheeler","author":"=thekenwheeler","date":"2014-04-03 "},{"name":"cine-io","description":"node package for cine.io","url":null,"keywords":"","version":"0.1.3","words":"cine-io node package for cine.io =cine-engineering","author":"=cine-engineering","date":"2014-09-08 "},{"name":"cinebeam","description":"Play any magnet link on your Apple TV","url":null,"keywords":"","version":"0.0.4","words":"cinebeam play any magnet link on your apple tv =nickgartmann","author":"=nickgartmann","date":"2014-06-06 "},{"name":"cinema","description":"A library to look up cinema schedule","url":null,"keywords":"","version":"0.1.0","words":"cinema a library to look up cinema schedule =kristjanmik","author":"=kristjanmik","date":"2014-01-04 "},{"name":"cineteca","description":"Un scraper para el sitio de la Cineteca Nacional de México","url":null,"keywords":"cineteca","version":"0.1.2","words":"cineteca un scraper para el sitio de la cineteca nacional de méxico =reaktivo cineteca","author":"=reaktivo","date":"2014-04-16 "},{"name":"cineworld-node","description":"node.js API for Cineworld","url":null,"keywords":"","version":"0.1.1","words":"cineworld-node node.js api for cineworld =marcofucci","author":"=marcofucci","date":"2012-09-28 "},{"name":"cinister","description":"A tiny web framework","url":null,"keywords":"cinister webserver webapp","version":"0.1.5","words":"cinister a tiny web framework =souravdatta cinister webserver webapp","author":"=souravdatta","date":"2013-09-04 "},{"name":"cinnamon","description":"A continuous integration server on top of substacks cicada.","url":null,"keywords":"ci","version":"0.2.0-beta1","words":"cinnamon a continuous integration server on top of substacks cicada. =akoenig ci","author":"=akoenig","date":"2013-10-05 "},{"name":"cinovo-isin-validator","description":"International Securities Identification Number validator","url":null,"keywords":"ISIN International Securities Identification Number validator","version":"0.2.0","words":"cinovo-isin-validator international securities identification number validator =cinovo isin international securities identification number validator","author":"=cinovo","date":"2014-02-24 "},{"name":"cinovo-loganalyzer","description":"Log analyzer for Node.js with multiple sourcepoints and sirens.","url":null,"keywords":"log analyze","version":"0.0.6","words":"cinovo-loganalyzer log analyzer for node.js with multiple sourcepoints and sirens. =cinovo log analyze","author":"=cinovo","date":"2013-11-07 "},{"name":"cinovo-loganalyzer-aws","description":"AWS SQS sourcepoint and SNS sire for cinovo-loganalyzer.","url":null,"keywords":"log analyze aws sns sqs","version":"0.0.6","words":"cinovo-loganalyzer-aws aws sqs sourcepoint and sns sire for cinovo-loganalyzer. =cinovo log analyze aws sns sqs","author":"=cinovo","date":"2013-11-07 "},{"name":"cinovo-loganalyzer-lib","description":"Libraries for cinovo-loganalyzer and it's sourcepoints and sirens.","url":null,"keywords":"","version":"0.0.2","words":"cinovo-loganalyzer-lib libraries for cinovo-loganalyzer and it's sourcepoints and sirens. =cinovo","author":"=cinovo","date":"2013-11-07 "},{"name":"cinovo-logger","description":"Async logger for Node.js with multiple endpoints.","url":null,"keywords":"logger async","version":"0.4.12","words":"cinovo-logger async logger for node.js with multiple endpoints. =cinovo logger async","author":"=cinovo","date":"2014-06-21 "},{"name":"cinovo-logger-aws","description":"AWS SQS or SNS endpoint for cinovo-logger.","url":null,"keywords":"logger aws","version":"0.4.4","words":"cinovo-logger-aws aws sqs or sns endpoint for cinovo-logger. =cinovo logger aws","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logger-console","description":"Console endpoint for cinovo-logger.","url":null,"keywords":"logger console","version":"0.4.7","words":"cinovo-logger-console console endpoint for cinovo-logger. =cinovo logger console","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logger-file","description":"File endpoint for cinovo-logger.","url":null,"keywords":"logger file","version":"0.4.5","words":"cinovo-logger-file file endpoint for cinovo-logger. =cinovo logger file","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logger-lib","description":"Libraries for cinovo-logger and it's endpoints.","url":null,"keywords":"lib","version":"0.4.5","words":"cinovo-logger-lib libraries for cinovo-logger and it's endpoints. =cinovo lib","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logger-loggly","description":"Loggly endpoint for cinovo-logger.","url":null,"keywords":"logger Loggly","version":"0.4.6","words":"cinovo-logger-loggly loggly endpoint for cinovo-logger. =cinovo logger loggly","author":"=cinovo","date":"2014-08-11 "},{"name":"cinovo-logger-notificationcenter","description":"Max OS X Notification Center endpoint for cinovo-logger.","url":null,"keywords":"logger notification center","version":"0.4.2","words":"cinovo-logger-notificationcenter max os x notification center endpoint for cinovo-logger. =cinovo logger notification center","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logger-socket.io","description":"Socket.IO wrapper for cinovo-logger.","url":null,"keywords":"logger socket.io socketio wrapper","version":"0.4.1","words":"cinovo-logger-socket.io socket.io wrapper for cinovo-logger. =cinovo logger socket.io socketio wrapper","author":"=cinovo","date":"2013-12-06 "},{"name":"cinovo-logger-syslog","description":"Syslog endpoint for cinovo-logger.","url":null,"keywords":"logger syslog","version":"0.4.6","words":"cinovo-logger-syslog syslog endpoint for cinovo-logger. =cinovo logger syslog","author":"=cinovo","date":"2014-04-24 "},{"name":"cinovo-logtest","description":"Logtest for Node.js with multiple storage engines for distributed log testing.","url":null,"keywords":"log test rule rules logtest redis","version":"0.0.3","words":"cinovo-logtest logtest for node.js with multiple storage engines for distributed log testing. =cinovo log test rule rules logtest redis","author":"=cinovo","date":"2013-11-07 "},{"name":"cinovo-redis-pingpong","description":"Sends PING commands to Redis using redis to check if the connection is alive by receiving a PONG within a certain timespan","url":null,"keywords":"redis PING PONG","version":"0.1.0","words":"cinovo-redis-pingpong sends ping commands to redis using redis to check if the connection is alive by receiving a pong within a certain timespan =cinovo redis ping pong","author":"=cinovo","date":"2013-12-09 "},{"name":"cinovo-syslog-pipe","description":"Pipe syslog to cinovo-logger.","url":null,"keywords":"syslog cinovo-logger pipe forward udp tcp","version":"0.0.7","words":"cinovo-syslog-pipe pipe syslog to cinovo-logger. =cinovo syslog cinovo-logger pipe forward udp tcp","author":"=cinovo","date":"2013-07-12 "},{"name":"cint","description":"A library of Javascript utility functions with an emphasis on Functional Programming.","url":null,"keywords":"functional utility","version":"7.0.0","words":"cint a library of javascript utility functions with an emphasis on functional programming. =raine functional utility","author":"=raine","date":"2014-08-14 "},{"name":"cintura","description":"Playground of wonderful things","url":null,"keywords":"playground purple cats","version":"0.0.2","words":"cintura playground of wonderful things =lynnaloo playground purple cats","author":"=lynnaloo","date":"2014-07-10 "},{"name":"cinturon","keywords":"","version":[],"words":"cinturon","author":"","date":"2014-02-21 "},{"name":"cip","description":"Classical Inheritance Pattern at its best","url":null,"keywords":"","version":"0.2.5","words":"cip classical inheritance pattern at its best =thanpolas","author":"=thanpolas","date":"2014-07-06 "},{"name":"cipher","description":"Simple ciphering function derived from Google's crypto.js AES encryption function.","url":null,"keywords":"cipher hash encryption simple security AES","version":"0.0.0","words":"cipher simple ciphering function derived from google's crypto.js aes encryption function. =rp-3 cipher hash encryption simple security aes","author":"=rp-3","date":"2014-08-19 "},{"name":"cipherhelper","description":"A quick and dirty way to create string ciphers based on integer IDs and the accompanying decipher function","url":null,"keywords":"cipher decipher","version":"0.0.1","words":"cipherhelper a quick and dirty way to create string ciphers based on integer ids and the accompanying decipher function =tarunc cipher decipher","author":"=tarunc","date":"2013-07-04 "},{"name":"cipherhub","description":"encrypt messages based on github ssh public keys","url":null,"keywords":"encrypt cipher crypto ssh public key","version":"1.0.0","words":"cipherhub encrypt messages based on github ssh public keys =substack encrypt cipher crypto ssh public key","author":"=substack","date":"2014-09-16 "},{"name":"cipherhub.sh","description":"shell alternative to substacks cipherhub","url":null,"keywords":"","version":"0.1.0","words":"cipherhub.sh shell alternative to substacks cipherhub =tjholowaychuk","author":"=tjholowaychuk","date":"2014-01-18 "},{"name":"cipherpipe","description":"Thin wrapper around openssl for encryption/decryption","url":null,"keywords":"cryptography openssl","version":"0.1.1","words":"cipherpipe thin wrapper around openssl for encryption/decryption =trevorburnham =trevorburnham cryptography openssl","author":"=TrevorBurnham =trevorburnham","date":"2012-03-09 "},{"name":"cipherstream","description":"Simple Stream layer for encryption/decryption","url":null,"keywords":"cipher stream cryptography","version":"0.1.1","words":"cipherstream simple stream layer for encryption/decryption =andris cipher stream cryptography","author":"=andris","date":"2013-04-04 "},{"name":"ciplogic-trace","description":"A simple library that traces function calls.","url":null,"keywords":"console log trace","version":"0.1.0","words":"ciplogic-trace a simple library that traces function calls. =bmustiata console log trace","author":"=bmustiata","date":"2013-08-19 "},{"name":"cipolla","description":"NodeJS stack for resilient web-apps (with forever-clusters-connect-urlrouter-domains-httboom)","url":null,"keywords":"connect web","version":"0.3.1","words":"cipolla nodejs stack for resilient web-apps (with forever-clusters-connect-urlrouter-domains-httboom) =plasticpanda connect web","author":"=plasticpanda","date":"2013-11-18 "},{"name":"circ","description":"Circonus API wrapper for Node.js","url":null,"keywords":"circonus","version":"0.0.4","words":"circ circonus api wrapper for node.js =dshaw circonus","author":"=dshaw","date":"2012-04-10 "},{"name":"circadian","description":"day-oriented visualization","url":null,"keywords":"d3 visualization","version":"0.0.0","words":"circadian day-oriented visualization =tmcw d3 visualization","author":"=tmcw","date":"2013-07-26 "},{"name":"circl","description":"Concise IRC client library","url":null,"keywords":"irc messaging chat","version":"0.0.3","words":"circl concise irc client library =cdown irc messaging chat","author":"=cdown","date":"2012-11-08 "},{"name":"circle","description":"Minimalistic JSON API Server","url":null,"keywords":"json api server","version":"0.0.9","words":"circle minimalistic json api server =azer json api server","author":"=azer","date":"2014-02-26 "},{"name":"circle-line-collision","description":"line-circle collision test","url":null,"keywords":"line circle point collision hit test hittest collide inside intersect intersection","version":"1.0.1","words":"circle-line-collision line-circle collision test =mattdesl line circle point collision hit test hittest collide inside intersect intersection","author":"=mattdesl","date":"2014-09-01 "},{"name":"circle.landlessness","description":"have the ar.drone fly in a circle around an obstacle.","url":null,"keywords":"ribbons framework ar.drone robotics detnodecopter","version":"0.0.1","words":"circle.landlessness have the ar.drone fly in a circle around an obstacle. =landlessness ribbons framework ar.drone robotics detnodecopter","author":"=landlessness","date":"2013-01-10 "},{"name":"circle2","description":"2d circle implementation","url":null,"keywords":"2d circle vec2","version":"0.3.0","words":"circle2 2d circle implementation =tmpvar 2d circle vec2","author":"=tmpvar","date":"2014-04-22 "},{"name":"circleci","description":"A Node.js client for CircleCI","url":null,"keywords":"circleci circle ci rest api client","version":"0.1.1","words":"circleci a node.js client for circleci =jpstevens circleci circle ci rest api client","author":"=jpstevens","date":"2014-09-19 "},{"name":"circlesio-sdk","description":"Circles.io Node sdk","url":null,"keywords":"sdk circlesio circles","version":"0.1.2","words":"circlesio-sdk circles.io node sdk =pellepelle3 sdk circlesio circles","author":"=pellepelle3","date":"2013-07-03 "},{"name":"circonusapi2","description":"Tiny library for interacting with Circonus' API v2","url":null,"keywords":"circonus monitoring rest api","version":"0.1.6","words":"circonusapi2 tiny library for interacting with circonus' api v2 =neophenix =postwait circonus monitoring rest api","author":"=neophenix =postwait","date":"2014-03-25 "},{"name":"circuit","description":"Data binding library","url":null,"keywords":"data binding event-driven reactive","version":"0.1.3","words":"circuit data binding library =ionstage data binding event-driven reactive","author":"=ionstage","date":"2014-05-31 "},{"name":"circuit-boards","description":"Generate seamless tiles that resemble circuit boards.","url":null,"keywords":"circuits circuit board tile seamless","version":"0.1.0","words":"circuit-boards generate seamless tiles that resemble circuit boards. =paul-nechifor circuits circuit board tile seamless","author":"=paul-nechifor","date":"2014-09-10 "},{"name":"circuit-breaker","description":"Port of Akka's CircuitBreaker","url":null,"keywords":"distributed patterns","version":"0.0.4","words":"circuit-breaker port of akka's circuitbreaker =mweagle distributed patterns","author":"=mweagle","date":"2014-03-05 "},{"name":"circuit-breaker-js","description":"Hystrix-like circuit breaker for JavaScript.","url":null,"keywords":"","version":"0.0.1","words":"circuit-breaker-js hystrix-like circuit breaker for javascript. =unindented","author":"=unindented","date":"2014-07-03 "},{"name":"circuit-breaker-wrapper","description":"Wrap an async function call for use with a circuit breaker","url":null,"keywords":"","version":"1.0.0","words":"circuit-breaker-wrapper wrap an async function call for use with a circuit breaker =dbrockman","author":"=dbrockman","date":"2014-09-14 "},{"name":"circuit-js","keywords":"","version":[],"words":"circuit-js","author":"","date":"2014-05-07 "},{"name":"circuitbox","description":"A dependency-injection framework for node.js","url":null,"keywords":"ioc di dependency injection","version":"2.0.1","words":"circuitbox a dependency-injection framework for node.js =oddjobsman ioc di dependency injection","author":"=oddjobsman","date":"2014-04-17 "},{"name":"circuitbreaker","description":"circuit breaker is used to provide stability and prevent cascading failures in distributed systems","url":null,"keywords":"circuit breaker","version":"0.2.1","words":"circuitbreaker circuit breaker is used to provide stability and prevent cascading failures in distributed systems =fitz circuit breaker","author":"=fitz","date":"2013-04-22 "},{"name":"circuits","description":"Node.js RESTful socket.io router - Minimalistic Style","url":null,"keywords":"realtime real-time socket.io","version":"0.3.1","words":"circuits node.js restful socket.io router - minimalistic style =romansky realtime real-time socket.io","author":"=romansky","date":"2014-06-14 "},{"name":"circuits-js","description":"A robust and pluggable client-side library for accessing services.","url":null,"keywords":"SMD JSON Schema services REST service descriptors client-side models plugins","version":"1.0.5","words":"circuits-js a robust and pluggable client-side library for accessing services. =atsid smd json schema services rest service descriptors client-side models plugins","author":"=atsid","date":"2013-06-18 "},{"name":"circular","description":"Tiny utility to safely stringify objects with circular references","url":null,"keywords":"json stringify circular circular reference","version":"1.0.5","words":"circular tiny utility to safely stringify objects with circular references =muji json stringify circular circular reference","author":"=muji","date":"2014-08-26 "},{"name":"circular-buffer","keywords":"","version":[],"words":"circular-buffer","author":"","date":"2014-06-18 "},{"name":"circular-json","description":"JSON does not handle circular references. This version does","url":null,"keywords":"JSON circular reference recursive recursion parse stringify","version":"0.1.6","words":"circular-json json does not handle circular references. this version does =webreflection json circular reference recursive recursion parse stringify","author":"=webreflection","date":"2014-02-25 "},{"name":"circular-json-parser","description":"circular-json-parser ====================","url":null,"keywords":"json parser circular","version":"0.0.1","words":"circular-json-parser circular-json-parser ==================== =chen-zeyu json parser circular","author":"=chen-zeyu","date":"2014-08-05 "},{"name":"circular-list","description":"A circular linked list","url":null,"keywords":"circular linked list data structure","version":"0.0.1","words":"circular-list a circular linked list =hughsk circular linked list data structure","author":"=hughsk","date":"2013-08-25 "},{"name":"circular-migration-plot","description":"Creating interactive circular migration plots for the web using D3.","url":null,"keywords":"d3 migration plot","version":"1.2.0","words":"circular-migration-plot creating interactive circular migration plots for the web using d3. =jo d3 migration plot","author":"=jo","date":"2014-08-04 "},{"name":"circular-path","description":"Navigates non-recursively into a circular javascript object graph giving back occurrences of a given path","url":null,"keywords":"javascript object graph non-recursive path traversal","version":"0.1.0","words":"circular-path navigates non-recursively into a circular javascript object graph giving back occurrences of a given path =aaaristo javascript object graph non-recursive path traversal","author":"=aaaristo","date":"2014-05-02 "},{"name":"circular-region","description":"Attach and detach javascript object from object graphs","url":null,"keywords":"javascript object graph attach detach non-recursive circular","version":"0.1.2","words":"circular-region attach and detach javascript object from object graphs =aaaristo javascript object graph attach detach non-recursive circular","author":"=aaaristo","date":"2014-05-02 "},{"name":"circularclone","description":"Clones circular object graphs in a non-recursive way","url":null,"keywords":"json graph clone object non-recursive","version":"0.1.7","words":"circularclone clones circular object graphs in a non-recursive way =aaaristo json graph clone object non-recursive","author":"=aaaristo","date":"2014-05-21 "},{"name":"circularjs","description":"Traverse circular javascript object graphs, in a non-recursive way","url":null,"keywords":"json graph traversal non-recursive","version":"0.1.3","words":"circularjs traverse circular javascript object graphs, in a non-recursive way =aaaristo json graph traversal non-recursive","author":"=aaaristo","date":"2014-04-30 "},{"name":"circularlist","description":"Circular list structure","url":null,"keywords":"","version":"0.1.0","words":"circularlist circular list structure =nervetattoo","author":"=nervetattoo","date":"2014-04-28 "},{"name":"circulate","description":"A template-based bulk e-mail sending solution.","url":null,"keywords":"mail sender bulk mail template smtp mailer","version":"0.4.0","words":"circulate a template-based bulk e-mail sending solution. =volkan mail sender bulk mail template smtp mailer","author":"=volkan","date":"2014-01-27 "},{"name":"circumcenter","description":"Computes circumcenters of simplices","url":null,"keywords":"simplex circumcenter triangle geometry math","version":"1.0.0","words":"circumcenter computes circumcenters of simplices =mikolalysenko simplex circumcenter triangle geometry math","author":"=mikolalysenko","date":"2014-06-02 "},{"name":"circumference","keywords":"","version":[],"words":"circumference","author":"","date":"2014-04-05 "},{"name":"circumflex","description":"Express-based Web Application Framework","url":null,"keywords":"web framework","version":"0.3.2","words":"circumflex express-based web application framework =inca web framework","author":"=inca","date":"2014-09-01 "},{"name":"circumflex-session","description":"Redis-backed sessions for Circumflex","url":null,"keywords":"web app session circumflex cookie","version":"0.0.11","words":"circumflex-session redis-backed sessions for circumflex =inca web app session circumflex cookie","author":"=inca","date":"2014-09-02 "},{"name":"circumnavigate","keywords":"","version":[],"words":"circumnavigate","author":"","date":"2014-04-05 "},{"name":"cirix-github-ejemplo","keywords":"","version":[],"words":"cirix-github-ejemplo","author":"","date":"2014-05-06 "},{"name":"cirouter","description":"A PHP CI like router for node(connect or http)","url":null,"keywords":"router connect CI","version":"0.1.1","words":"cirouter a php ci like router for node(connect or http) =dead_horse router connect ci","author":"=dead_horse","date":"2012-07-09 "},{"name":"cirru-color","description":"cirru highlighting as HTML","url":null,"keywords":"cirru","version":"0.1.2","words":"cirru-color cirru highlighting as html =jiyinyiyong cirru","author":"=jiyinyiyong","date":"2014-08-30 "},{"name":"cirru-editor","description":"Structured editor for Cirru grammar","url":null,"keywords":"cirru editor","version":"0.2.5-1","words":"cirru-editor structured editor for cirru grammar =jiyinyiyong cirru editor","author":"=jiyinyiyong","date":"2014-04-27 "},{"name":"cirru-from-html","description":"convert HTML to Cirru grammar","url":null,"keywords":"cirru html","version":"0.0.1","words":"cirru-from-html convert html to cirru grammar =jiyinyiyong cirru html","author":"=jiyinyiyong","date":"2014-05-31 "},{"name":"cirru-html","description":"Template engine that converts Cirru to HTML","url":null,"keywords":"cirru html","version":"0.2.2","words":"cirru-html template engine that converts cirru to html =jiyinyiyong cirru html","author":"=jiyinyiyong","date":"2014-05-24 "},{"name":"cirru-html-js","description":"Convert Cirru HTML to JavaScript","url":null,"keywords":"cirru html template","version":"0.0.9","words":"cirru-html-js convert cirru html to javascript =jiyinyiyong cirru html template","author":"=jiyinyiyong","date":"2014-08-28 "},{"name":"cirru-interpreter","description":"a interpreter for Cirru language","url":null,"keywords":"cirru language","version":"0.1.1","words":"cirru-interpreter a interpreter for cirru language =jiyinyiyong cirru language","author":"=jiyinyiyong","date":"2013-10-04 "},{"name":"cirru-json","description":"Convert between Cirru and JSON","url":null,"keywords":"cirru json","version":"0.0.2","words":"cirru-json convert between cirru and json =jiyinyiyong cirru json","author":"=jiyinyiyong","date":"2014-03-02 "},{"name":"cirru-light-editor","description":"An editor of Cirru","url":null,"keywords":"cirru editor","version":"0.0.5-5","words":"cirru-light-editor an editor of cirru =jiyinyiyong cirru editor","author":"=jiyinyiyong","date":"2014-05-02 "},{"name":"cirru-mustache","description":"convert Cirru to Mustache and HTML","url":null,"keywords":"cirru mustache html","version":"0.1.0","words":"cirru-mustache convert cirru to mustache and html =jiyinyiyong cirru mustache html","author":"=jiyinyiyong","date":"2014-02-19 "},{"name":"cirru-parser","description":"Parser of Cirru Grammer","url":null,"keywords":"cirru parser","version":"0.9.1","words":"cirru-parser parser of cirru grammer =jiyinyiyong cirru parser","author":"=jiyinyiyong","date":"2014-08-31 "},{"name":"cirru-shell","description":"Cirru's Shell for fun","url":null,"keywords":"cirru shell","version":"0.0.5","words":"cirru-shell cirru's shell for fun =jiyinyiyong cirru shell","author":"=jiyinyiyong","date":"2014-03-02 "},{"name":"cirru-writer","description":"Convert JSON representation to Cirru code","url":null,"keywords":"Cirru","version":"0.1.0-1","words":"cirru-writer convert json representation to cirru code =jiyinyiyong cirru","author":"=jiyinyiyong","date":"2014-05-02 "},{"name":"cisco-cert-api-server","description":"Unofficial cisco cert api","url":null,"keywords":"","version":"0.0.5","words":"cisco-cert-api-server unofficial cisco cert api =thabo =thepacketgeek","author":"=thabo =thepacketgeek","date":"2013-10-02 "},{"name":"cisco-cmx-notification-example","keywords":"","version":[],"words":"cisco-cmx-notification-example","author":"","date":"2014-05-06 "},{"name":"ciscoparse","description":"A module that parses the output from Cisco's \"show version\" command.","url":null,"keywords":"","version":"1.0.0","words":"ciscoparse a module that parses the output from cisco's \"show version\" command. =scottdware","author":"=scottdware","date":"2012-05-11 "},{"name":"cist","description":"curl to gist","url":null,"keywords":"","version":"0.1.0","words":"cist curl to gist =mdp","author":"=mdp","date":"2014-03-28 "},{"name":"cistern","description":"Real-time distributed logging using Node.js and ØMQ","url":null,"keywords":"logging zeromq","version":"0.0.1","words":"cistern real-time distributed logging using node.js and ømq =merrihew logging zeromq","author":"=merrihew","date":"2014-02-24 "},{"name":"citare-scriptum","description":"Documentation generation, in the spirit of literate programming.","url":null,"keywords":"documentation docs generator","version":"0.5.8","words":"citare-scriptum documentation generation, in the spirit of literate programming. =druide documentation docs generator","author":"=druide","date":"2014-08-08 "},{"name":"citation","description":"Legal citation extractor. Standalone library, and optional HTTP API.","url":null,"keywords":"congress laws legal citations us code regulations","version":"0.6.4","words":"citation legal citation extractor. standalone library, and optional http api. =konklone congress laws legal citations us code regulations","author":"=konklone","date":"2013-11-18 "},{"name":"citation-linker","description":"Adds links to legal citations within Markdown text.","url":null,"keywords":"","version":"0.0.1","words":"citation-linker adds links to legal citations within markdown text. =adelevie","author":"=adelevie","date":"2013-10-05 "},{"name":"citation-torify","description":"Citation.js through torify","url":null,"keywords":"MLA citation reference","version":"0.4.2","words":"citation-torify citation.js through torify =znetstar mla citation reference","author":"=znetstar","date":"2014-07-01 "},{"name":"citation.js","description":"An extensible way of scraping web resources to export as MLA-citations.","url":null,"keywords":"MLA citation reference","version":"0.4.1","words":"citation.js an extensible way of scraping web resources to export as mla-citations. =aselzer mla citation reference","author":"=aselzer","date":"2014-04-28 "},{"name":"citationer","description":"Manage and collect references, effectively","url":null,"keywords":"citation reference manager","version":"0.2.0","words":"citationer manage and collect references, effectively =aselzer citation reference manager","author":"=aselzer","date":"2014-03-13 "},{"name":"citationstyles","description":"csl collection from citationstyles.org","url":null,"keywords":"papermill csl citation citationstyles.org","version":"0.0.3-228dee2","words":"citationstyles csl collection from citationstyles.org =eins78 papermill csl citation citationstyles.org","author":"=eins78","date":"2013-08-03 "},{"name":"citeac-traits","description":"This is the cite.ac traits list. We use this on our app, and believe these traits are a good representaiton of all the traits used when referencing.","url":null,"keywords":"","version":"0.2.0","words":"citeac-traits this is the cite.ac traits list. we use this on our app, and believe these traits are a good representaiton of all the traits used when referencing. =nickjackson","author":"=nickjackson","date":"2014-08-15 "},{"name":"citeproc","keywords":"","version":[],"words":"citeproc","author":"","date":"2014-08-19 "},{"name":"citero","description":"citero","url":null,"keywords":"","version":"0.1.2","words":"citero citero =hannan","author":"=hannan","date":"2014-04-30 "},{"name":"citibike","description":"Citibike API Client Library for Node.js","url":null,"keywords":"citbikenyc citi bike nyc api citibike rest transportation","version":"2.2.3","words":"citibike citibike api client library for node.js =kevintcoughlin citbikenyc citi bike nyc api citibike rest transportation","author":"=kevintcoughlin","date":"2013-07-28 "},{"name":"cities","description":"Lookup cities based on zipcodes or GPS coordinates.","url":null,"keywords":"","version":"1.0.6","words":"cities lookup cities based on zipcodes or gps coordinates. =sjlu","author":"=sjlu","date":"2013-03-07 "},{"name":"cities1000","description":"lat/lon, names of cities with over 1000 people","url":null,"keywords":"latitude longitude city location geo latlon position","version":"0.0.0","words":"cities1000 lat/lon, names of cities with over 1000 people =substack latitude longitude city location geo latlon position","author":"=substack","date":"2013-11-08 "},{"name":"citizen","description":"An event-driven MVC framework for Node.js web applications.","url":null,"keywords":"","version":"0.0.23","words":"citizen an event-driven mvc framework for node.js web applications. =jaysylvester","author":"=jaysylvester","date":"2014-08-29 "},{"name":"citizenmedianotary","description":"Citizen Media Notary server.","url":null,"keywords":"","version":"0.0.3","words":"citizenmedianotary citizen media notary server. =miserlou","author":"=Miserlou","date":"2012-07-03 "},{"name":"city-collections","description":"Simple collections","url":null,"keywords":"","version":"0.0.3","words":"city-collections simple collections =siyegen","author":"=siyegen","date":"2012-01-04 "},{"name":"city-reverse-geocoder","description":"A simple, fast, database-less city reverse geocoder for Node.js","url":null,"keywords":"","version":"0.0.1","words":"city-reverse-geocoder a simple, fast, database-less city reverse geocoder for node.js =jonah.harris","author":"=jonah.harris","date":"2013-11-02 "},{"name":"citybike-js","keywords":"","version":[],"words":"citybike-js","author":"","date":"2014-07-27 "},{"name":"citybikes-js","description":"An api for retrieving Citybik.es data via the V2 API","url":null,"keywords":"","version":"0.1.4","words":"citybikes-js an api for retrieving citybik.es data via the v2 api =nixta","author":"=nixta","date":"2014-07-28 "},{"name":"citygrid","description":"A Node.js wrapper for the CityGrid API","url":null,"keywords":"citygrid places api wrapper","version":"0.0.2","words":"citygrid a node.js wrapper for the citygrid api =jmwicks citygrid places api wrapper","author":"=jmwicks","date":"2014-04-30 "},{"name":"cityhash","description":"NodeJS binding for Google CityHash.","url":null,"keywords":"","version":"0.0.5","words":"cityhash nodejs binding for google cityhash. =yyfrankyy","author":"=yyfrankyy","date":"2013-04-27 "},{"name":"cityjs-cli","description":"CityJS command line tool","url":null,"keywords":"cityjs","version":"0.0.6","words":"cityjs-cli cityjs command line tool =dotcypress cityjs","author":"=dotcypress","date":"2013-04-04 "},{"name":"civet","description":"civet","url":null,"keywords":"civet","version":"0.0.1","words":"civet civet =xudafeng civet","author":"=xudafeng","date":"2014-07-31 "},{"name":"civic-info","description":"A thin wrapper for the Google Civic Info API.","url":null,"keywords":"","version":"0.0.5","words":"civic-info a thin wrapper for the google civic info api. =mdb","author":"=mdb","date":"2013-05-25 "},{"name":"civicrm","description":"Access civicrm api (using REST)","url":null,"keywords":"civicrm crm api","version":"2.2.0","words":"civicrm access civicrm api (using rest) =tttp civicrm crm api","author":"=tttp","date":"2014-07-20 "},{"name":"cjade","description":"A simple request handler for express which compiles jade templates and makes them avilable for client side use.","url":null,"keywords":"jade jquery client side template","version":"0.1.9","words":"cjade a simple request handler for express which compiles jade templates and makes them avilable for client side use. =celer jade jquery client side template","author":"=celer","date":"2013-06-07 "},{"name":"cjb","description":"123","url":null,"keywords":"","version":"0.7.0","words":"cjb 123 =iamsur123","author":"=iamsur123","date":"2012-09-07 "},{"name":"cjdmaid","description":"Cjdns peers manager","url":null,"keywords":"","version":"0.1.9","words":"cjdmaid cjdns peers manager =noway","author":"=noway","date":"2013-07-16 "},{"name":"cjfella","description":"Converts AMD defined dependencies to CommonJS ones","url":null,"keywords":"utility commonjs amd modules","version":"1.0.2","words":"cjfella converts amd defined dependencies to commonjs ones =ognivo utility commonjs amd modules","author":"=ognivo","date":"2014-06-22 "},{"name":"cjh-hiredis","description":"Wrapper for reply processing code in hiredis","url":null,"keywords":"","version":"0.1.17","words":"cjh-hiredis wrapper for reply processing code in hiredis =christyharagan","author":"=christyharagan","date":"2014-09-13 "},{"name":"cjh-tree","description":"Simple Tree Facade =======","url":null,"keywords":"","version":"0.0.2","words":"cjh-tree simple tree facade ======= =christyharagan","author":"=christyharagan","date":"2014-06-07 "},{"name":"cjj","description":"cjj","url":null,"keywords":"","version":"0.0.0","words":"cjj cjj =qchycjj","author":"=qchycjj","date":"2014-08-09 "},{"name":"cjjmodule","url":null,"keywords":"","version":"0.0.0","words":"cjjmodule =qchycjj","author":"=qchycjj","date":"2014-08-09 "},{"name":"cjmodule","description":"A module for testing.","url":null,"keywords":"","version":"0.0.1","words":"cjmodule a module for testing. =cj","author":"=cj","date":"2012-07-18 "},{"name":"cjs","description":"Concurrent Javascript","url":null,"keywords":"concurrent async","version":"0.0.11","words":"cjs concurrent javascript =snetz concurrent async","author":"=snetz","date":"2013-07-18 "},{"name":"cjs-rename","description":"Rename a CJS file thing","url":null,"keywords":"rename cjs require common","version":"0.0.9","words":"cjs-rename rename a cjs file thing =stayradiated rename cjs require common","author":"=stayradiated","date":"2014-04-20 "},{"name":"cjs-to-module","description":"Convert a CJS module to an ES6 module.","url":null,"keywords":"cjs es6 module modules transpile transpiler convert","version":"1.0.0","words":"cjs-to-module convert a cjs module to an es6 module. =jongleberry =dominicbarnes =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt cjs es6 module modules transpile transpiler convert","author":"=jongleberry =dominicbarnes =tootallnate =jonathanong =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt","date":"2014-06-17 "},{"name":"cjs-transform","description":"Transform Require.js module to use simplified CommonJS wrapper","url":null,"keywords":"","version":"0.0.1","words":"cjs-transform transform require.js module to use simplified commonjs wrapper =kimjoar","author":"=kimjoar","date":"2013-06-17 "},{"name":"cjs-vs-amd-benchmark","description":"Compare load times of CJS and AMD module systems","url":null,"keywords":"commonjs cjs amd module async bundle comparision benchmark","version":"0.1.4","words":"cjs-vs-amd-benchmark compare load times of cjs and amd module systems =medikoo commonjs cjs amd module async bundle comparision benchmark","author":"=medikoo","date":"2014-05-27 "},{"name":"cjs2web","description":"Transform CommonJS modules to a web browser suitable format","url":null,"keywords":"","version":"0.10.5","words":"cjs2web transform commonjs modules to a web browser suitable format =alexlawrence","author":"=alexlawrence","date":"2013-02-13 "},{"name":"cjsc","description":"Utility that compiles CommonJS (NodeJS) modules into a single JavaScript file suitable for the browser","url":null,"keywords":"","version":"0.2.12","words":"cjsc utility that compiles commonjs (nodejs) modules into a single javascript file suitable for the browser =dsheiko","author":"=dsheiko","date":"2014-09-17 "},{"name":"cjsify","url":null,"keywords":"","version":"0.0.0","words":"cjsify =popomore","author":"=popomore","date":"2014-03-04 "},{"name":"cjson","description":"cjson - Commented Javascript Object Notation. It is a json loader, which parses only valide json files, but with comments enabled. Usefull for loading configs.","url":null,"keywords":"json parser comments config loader","version":"0.3.0","words":"cjson cjson - commented javascript object notation. it is a json loader, which parses only valide json files, but with comments enabled. usefull for loading configs. =kof json parser comments config loader","author":"=kof","date":"2014-01-12 "},{"name":"cjson-papandreou","description":"cjson - Commented Javascript Object Notation. It is a json loader, which parses only valide json files, but with comments enabled. Usefull for loading configs.","url":null,"keywords":"json parser comments config loader","version":"0.0.6-patch1","words":"cjson-papandreou cjson - commented javascript object notation. it is a json loader, which parses only valide json files, but with comments enabled. usefull for loading configs. =papandreou json parser comments config loader","author":"=papandreou","date":"2012-08-06 "},{"name":"cjsx-brunch","description":"Fork of Paul Miller's coffee-script-brunch to add cjsx support.","url":null,"keywords":"cjsx jsx coffeescript brunch plugin","version":"0.1.1","words":"cjsx-brunch fork of paul miller's coffee-script-brunch to add cjsx support. =chichiwang cjsx jsx coffeescript brunch plugin","author":"=chichiwang","date":"2014-09-09 "},{"name":"cjsx-in-browser","description":"Coffee-React-Transform in the browser","url":null,"keywords":"CoffeeScript CJSX React Facebook Compiler JSX","version":"0.1.1","words":"cjsx-in-browser coffee-react-transform in the browser =iamdanfox coffeescript cjsx react facebook compiler jsx","author":"=iamdanfox","date":"2014-09-13 "},{"name":"cjsx-loader","description":"coffee-react-transform loader module for webpack","url":null,"keywords":"react coffeescript jsx webpack","version":"0.2.0","words":"cjsx-loader coffee-react-transform loader module for webpack =kylemathews react coffeescript jsx webpack","author":"=kylemathews","date":"2014-08-04 "},{"name":"cjsx-react-brunch","description":"Adds CJSX support to brunch.","url":null,"keywords":"react brunch plugin jsx js cjsx","version":"0.0.1","words":"cjsx-react-brunch adds cjsx support to brunch. =bradens react brunch plugin jsx js cjsx","author":"=bradens","date":"2014-09-18 "},{"name":"cjsxify","description":"Browserify transform for CJSX (CoffeeScript equivalent of JSX used in React library by Facebook)","url":null,"keywords":"react coffee-react coffee-script browserify browserify-transform v2 js jsx cjsx plugin transform","version":"0.2.5","words":"cjsxify browserify transform for cjsx (coffeescript equivalent of jsx used in react library by facebook) =simon.degraeve react coffee-react coffee-script browserify browserify-transform v2 js jsx cjsx plugin transform","author":"=simon.degraeve","date":"2014-05-23 "},{"name":"ck","description":"A smaller, faster Coffeekup.","url":null,"keywords":"","version":"0.0.1","words":"ck a smaller, faster coffeekup. =kzh","author":"=kzh","date":"2011-09-20 "},{"name":"ck-js","description":"A smaller, faster Coffeekup, without any dependencies.","url":null,"keywords":"","version":"0.0.1","words":"ck-js a smaller, faster coffeekup, without any dependencies. =l0cknl0ad7","author":"=L0CKnL0aD7","date":"2012-04-09 "},{"name":"ck2parser","description":"Crusader Kings 2 Savegame Parser. Extracts all characters from a savefile and outputs it as json","url":null,"keywords":"ck2 parser crusader kings ii json savegame","version":"0.1.0","words":"ck2parser crusader kings 2 savegame parser. extracts all characters from a savefile and outputs it as json =chriskjaer ck2 parser crusader kings ii json savegame","author":"=chriskjaer","date":"2014-09-07 "},{"name":"ckan","description":"A Javascript client library for [CKAN][] designed for both the browser and NodeJS.","url":null,"keywords":"","version":"0.2.2","words":"ckan a javascript client library for [ckan][] designed for both the browser and nodejs. =rufuspollock","author":"=rufuspollock","date":"2014-09-08 "},{"name":"ckandown","description":"LevelDOWN drop in replacement for the CKAN DataStore API","url":null,"keywords":"","version":"1.0.1","words":"ckandown leveldown drop in replacement for the ckan datastore api =finnpauls","author":"=finnpauls","date":"2014-09-19 "},{"name":"ckstyle","description":"Parse & Check & Format & Comb & Compress CSS, and more ...","url":null,"keywords":"css codestyle checker fixer compressor browsers","version":"0.2.2","words":"ckstyle parse & check & format & comb & compress css, and more ... =wangjeaf css codestyle checker fixer compressor browsers","author":"=wangjeaf","date":"2014-09-19 "},{"name":"ckup","description":"Markup as Coco","url":null,"keywords":"html css template coco","version":"0.1.8","words":"ckup markup as coco =satyr html css template coco","author":"=satyr","date":"2012-05-14 "},{"name":"cl","description":"Easily create command line programs and interfaces in Node.js.","url":null,"keywords":"cli cl command interface exit","version":"0.0.1","words":"cl easily create command line programs and interfaces in node.js. =jp cli cl command interface exit","author":"=jp","date":"2013-01-28 "},{"name":"cl-intf","description":"Design-time interface verifying","url":null,"keywords":"class interface OOP inheritance ensure implementation","version":"0.0.8","words":"cl-intf design-time interface verifying =swvitaliy class interface oop inheritance ensure implementation","author":"=swvitaliy","date":"2014-05-11 "},{"name":"cl-options","description":"Command line options parser, it accepts options starting with -- and a string of any length and can associate to it a shortcut which will be a letter preceded by one - only. many shortcuts can be bounded after a single dash to form somethign like -abcde where a b c d e are shortcuts for command line options. options are by default optional but they may be set as mandatory, options don't have an expected value by default but they can be set to have one. The settings for the possible options are passed to the constructor as an array of js objects.","url":null,"keywords":"options command line parser","version":"0.0.2","words":"cl-options command line options parser, it accepts options starting with -- and a string of any length and can associate to it a shortcut which will be a letter preceded by one - only. many shortcuts can be bounded after a single dash to form somethign like -abcde where a b c d e are shortcuts for command line options. options are by default optional but they may be set as mandatory, options don't have an expected value by default but they can be set to have one. the settings for the possible options are passed to the constructor as an array of js objects. =ddanna79 options command line parser","author":"=ddanna79","date":"2014-01-19 "},{"name":"cl-rpc","description":"A simple rpc module that launches command-line programms","url":null,"keywords":"","version":"0.1.8","words":"cl-rpc a simple rpc module that launches command-line programms =valette","author":"=valette","date":"2013-06-24 "},{"name":"cl-strings","description":"> String template system for multi-colour console output with interpolation.","url":null,"keywords":"cli strings command-line colours","version":"0.0.5","words":"cl-strings > string template system for multi-colour console output with interpolation. =shakyshane cli strings command-line colours","author":"=shakyshane","date":"2014-02-18 "},{"name":"cl2-contrib","description":"The ChlorineJS user contributions library.","url":null,"keywords":"qunit chlorinejs clojure contrib macro","version":"0.2.3","words":"cl2-contrib the chlorinejs user contributions library. =myguidingstar qunit chlorinejs clojure contrib macro","author":"=myguidingstar","date":"2013-07-10 "},{"name":"clabot","description":"A bot to take the pain out of Contributor License Agreements","url":null,"keywords":"CLA License Contribution Bot GitHub","version":"0.0.5","words":"clabot a bot to take the pain out of contributor license agreements =boennemann =excellenteasy cla license contribution bot github","author":"=boennemann =excellenteasy","date":"2014-02-11 "},{"name":"clache","description":"pooled redis caching made easy","url":null,"keywords":"cache redis gaw","version":"0.2.0","words":"clache pooled redis caching made easy =evanlucas cache redis gaw","author":"=evanlucas","date":"2014-07-29 "},{"name":"clacks","description":"http/url path router","url":null,"keywords":"","version":"0.0.0","words":"clacks http/url path router =matsadler","author":"=matsadler","date":"2012-02-19 "},{"name":"clah","description":"Simple Javascript Inheritance by John Resig","url":null,"keywords":"javascript inheritance class klass","version":"1.2.1","words":"clah simple javascript inheritance by john resig =alphahydrae javascript inheritance class klass","author":"=alphahydrae","date":"2012-08-25 "},{"name":"claim-agent","url":null,"keywords":"","version":"0.2.0","words":"claim-agent =tpark","author":"=tpark","date":"2014-07-17 "},{"name":"claimtypes","description":"Starndard claimtypes for Node.js","url":null,"keywords":"claimtypes","version":"0.1.0","words":"claimtypes starndard claimtypes for node.js =leandrob claimtypes","author":"=leandrob","date":"2014-04-03 "},{"name":"claire","description":"Property-based testing library (à lá QuickCheck/ScalaCheck).","url":null,"keywords":"testing test property-based testing random testing quickcheck","version":"0.4.1","words":"claire property-based testing library (à lá quickcheck/scalacheck). =killdream testing test property-based testing random testing quickcheck","author":"=killdream","date":"2013-05-25 "},{"name":"claire-files","description":"A claire-voyant fuzzy file finder.","url":null,"keywords":"claire fuzzy file find","version":"0.0.5","words":"claire-files a claire-voyant fuzzy file finder. =joshuafcole claire fuzzy file find","author":"=joshuafcole","date":"2014-01-21 "},{"name":"claire-mocha","description":"A bridge for using Claire in Mocha","url":null,"keywords":"testing mocha claire","version":"0.2.0","words":"claire-mocha a bridge for using claire in mocha =killdream testing mocha claire","author":"=killdream","date":"2013-03-10 "},{"name":"clairvoyant","description":"Build Psykick game skeletons using a custom language","url":null,"keywords":"game engine psykick compiler","version":"0.5.1","words":"clairvoyant build psykick game skeletons using a custom language =mcluck game engine psykick compiler","author":"=mcluck","date":"2013-11-11 "},{"name":"clam","description":"A full Web front end develop envirment.","url":null,"keywords":"toolchain commandline frontend","version":"0.11.14","words":"clam a full web front end develop envirment. =wayfind =xudafeng =limingv5 =lichenhao toolchain commandline frontend","author":"=wayfind =xudafeng =limingv5 =lichenhao","date":"2014-09-20 "},{"name":"clam-debug","keywords":"","version":[],"words":"clam-debug","author":"","date":"2014-05-05 "},{"name":"clam-js","description":"Control a ClamAV daemon over TCP or Unix Domain Sockets.","url":null,"keywords":"virus scan clam clamav clamd","version":"0.1.3","words":"clam-js control a clamav daemon over tcp or unix domain sockets. =srijs virus scan clam clamav clamd","author":"=srijs","date":"2013-01-30 "},{"name":"clam-ju","description":"Clam-ju is a Front-end Tool for juhuasuan","url":null,"keywords":"clam front-end","version":"0.0.2","words":"clam-ju clam-ju is a front-end tool for juhuasuan =limingv5 clam front-end","author":"=limingv5","date":"2014-08-18 "},{"name":"clam-util","description":"clam util","url":null,"keywords":"fs output","version":"0.0.4","words":"clam-util clam util =bachi fs output","author":"=bachi","date":"2014-08-14 "},{"name":"clamav.js","description":"A node.js library for ClamAV.","url":null,"keywords":"clamav.js clamav clamd daemon virus scan node.js","version":"0.10.0","words":"clamav.js a node.js library for clamav. =yongtang clamav.js clamav clamd daemon virus scan node.js","author":"=yongtang","date":"2014-08-23 "},{"name":"clamavjs","keywords":"","version":[],"words":"clamavjs","author":"","date":"2014-04-20 "},{"name":"clamp","description":"Clamp a value between two other values","url":null,"keywords":"clamp math greater less than between","version":"1.0.1","words":"clamp clamp a value between two other values =hughsk clamp math greater less than between","author":"=hughsk","date":"2014-07-29 "},{"name":"clamscan","description":"Use Node JS to scan files on your server with ClamAV's clamscan binary. This is especially useful for scanning uploaded files provided by un-trusted sources.","url":null,"keywords":"clamav virus clamscan upload virus scanning clam clamd security","version":"0.2.2","words":"clamscan use node js to scan files on your server with clamav's clamscan binary. this is especially useful for scanning uploaded files provided by un-trusted sources. =kylefarris clamav virus clamscan upload virus scanning clam clamd security","author":"=kylefarris","date":"2014-07-14 "},{"name":"clan-quiz","description":"Quizomatic presents: A commandline version of The Clan Quiz","url":null,"keywords":"","version":"0.11.0","words":"clan-quiz quizomatic presents: a commandline version of the clan quiz =coolaj86","author":"=coolaj86","date":"2013-12-03 "},{"name":"clang-flags","description":"A library for determining the clang compilation flags needed for a source file","url":null,"keywords":"","version":"0.1.2","words":"clang-flags a library for determining the clang compilation flags needed for a source file =kev","author":"=kev","date":"2014-08-13 "},{"name":"clank","description":"lightweight inhertiance and compositional object model. mostly just helpers","url":null,"keywords":"inherit compose mixin trait extend","version":"0.12.2","words":"clank lightweight inhertiance and compositional object model. mostly just helpers =theporchrat inherit compose mixin trait extend","author":"=theporchrat","date":"2014-09-14 "},{"name":"clap","description":"Command line argument parser","url":null,"keywords":"cli command option argument completion","version":"1.0.0-beta2","words":"clap command line argument parser =lahmatiy cli command option argument completion","author":"=lahmatiy","date":"2014-07-25 "},{"name":"clappr","description":"An extensible media player for the web","url":null,"keywords":"","version":"0.0.13","words":"clappr an extensible media player for the web =thiagopnts =flavioribeiro =towerz","author":"=thiagopnts =flavioribeiro =towerz","date":"2014-09-19 "},{"name":"clarify","description":"Remove nodecore related stack trace noice","url":null,"keywords":"trace stack stack trace nodecore error","version":"1.0.4","words":"clarify remove nodecore related stack trace noice =andreasmadsen trace stack stack trace nodecore error","author":"=andreasmadsen","date":"2014-09-10 "},{"name":"clarifyio","description":"Node module for Op3nvoice api","url":null,"keywords":"op3nvoice clarify clarifyio","version":"0.0.3","words":"clarifyio node module for op3nvoice api =avb op3nvoice clarify clarifyio","author":"=avb","date":"2014-08-22 "},{"name":"clarinet","description":"SAX based evented streaming JSON parser in JavaScript (browser and node)","url":null,"keywords":"sax json parser stream streaming event events emitter async streamer browser","version":"0.9.0","words":"clarinet sax based evented streaming json parser in javascript (browser and node) =dscape =thejh sax json parser stream streaming event events emitter async streamer browser","author":"=dscape =thejh","date":"2014-07-02 "},{"name":"clarinet-object-stream","description":"Wrap the Clarinet JSON parser with an object stream: JSON in, parse event objects out.","url":null,"keywords":"clarinet json stream","version":"0.0.3","words":"clarinet-object-stream wrap the clarinet json parser with an object stream: json in, parse event objects out. =exratione clarinet json stream","author":"=exratione","date":"2014-02-19 "},{"name":"clarity","description":"Simple utility to convert obfuscated strings (primary use case is password urls) into the actual equivalent","url":null,"keywords":"password obfuscate security","version":"1.0.2","words":"clarity simple utility to convert obfuscated strings (primary use case is password urls) into the actual equivalent =damonoehlman password obfuscate security","author":"=damonoehlman","date":"2014-06-09 "},{"name":"clarizen","description":"A wrapper on the Clarizen API for Node.JS","url":null,"keywords":"clarizen","version":"0.0.4","words":"clarizen a wrapper on the clarizen api for node.js =mitchellbutler clarizen","author":"=mitchellbutler","date":"2014-08-06 "},{"name":"clark","description":"ASCII sparklines in coffeescript. Based on 'spark' for shell.","url":null,"keywords":"ascii graph spark sparklines","version":"0.0.6","words":"clark ascii sparklines in coffeescript. based on 'spark' for shell. =ajacksified ascii graph spark sparklines","author":"=ajacksified","date":"2013-04-04 "},{"name":"clase","description":"JavaScript inheritance","url":null,"keywords":"class inheritance prototype constructor backbone","version":"0.0.4","words":"clase javascript inheritance =denis class inheritance prototype constructor backbone","author":"=denis","date":"2013-10-13 "},{"name":"clasp","description":"Parse, analyze and synthesize CSS","url":null,"keywords":"","version":"0.1.0","words":"clasp parse, analyze and synthesize css =elisha","author":"=elisha","date":"2013-02-08 "},{"name":"class","description":"A simple yet powerful Ruby-like Class inheritance system","url":null,"keywords":"class Class Constructor prototype inheritance class inheritance","version":"0.1.4","words":"class a simple yet powerful ruby-like class inheritance system =deadlyicon class class constructor prototype inheritance class inheritance","author":"=deadlyicon","date":"2013-08-15 "},{"name":"Class","description":"Port of Prototype.js inheritance implementation for Node.js.","url":null,"keywords":"prototype prototypejs inheritance implementation class","version":"0.1.3","words":"class port of prototype.js inheritance implementation for node.js. =firejune prototype prototypejs inheritance implementation class","author":"=firejune","date":"2011-10-19 "},{"name":"class-42","description":"Classical inheritance in 42 lines.","url":null,"keywords":"","version":"2.0.0","words":"class-42 classical inheritance in 42 lines. =twisol","author":"=twisol","date":"2011-11-12 "},{"name":"class-con-leche","description":"A simple backbone inspired, coffee compatible class object for node.js and the browser.","url":null,"keywords":"class backbone coffee simple","version":"0.0.0","words":"class-con-leche a simple backbone inspired, coffee compatible class object for node.js and the browser. =davidbeck class backbone coffee simple","author":"=davidbeck","date":"2014-05-01 "},{"name":"class-delegator","description":"Delegates class methods to a member instance.","url":null,"keywords":"delegate delegation","version":"0.0.3","words":"class-delegator delegates class methods to a member instance. =qualiabyte delegate delegation","author":"=qualiabyte","date":"2013-03-08 "},{"name":"class-emit","description":"Simple class emit","url":null,"keywords":"class emit on amd","version":"1.0.1","words":"class-emit simple class emit =zlatkofedor class emit on amd","author":"=zlatkofedor","date":"2014-05-29 "},{"name":"class-evented","description":"Simple class evented","url":null,"keywords":"class emit on amd","version":"1.0.2","words":"class-evented simple class evented =zlatkofedor class emit on amd","author":"=zlatkofedor","date":"2014-05-29 "},{"name":"class-extend","description":"Backbone like Class.extend utility for Node","url":null,"keywords":"inheritance oop class extend","version":"0.1.1","words":"class-extend backbone like class.extend utility for node =sboudrias inheritance oop class extend","author":"=sboudrias","date":"2013-12-31 "},{"name":"class-extender","description":"Simple class inheritance","url":null,"keywords":"class extend inheritance amd","version":"1.0.9","words":"class-extender simple class inheritance =zlatkofedor class extend inheritance amd","author":"=zlatkofedor","date":"2014-07-17 "},{"name":"class-id-minifier","description":"minify class and id attribute in html","url":null,"keywords":"","version":"0.3.1","words":"class-id-minifier minify class and id attribute in html =yiminghe","author":"=yiminghe","date":"2013-07-02 "},{"name":"class-js","description":"Simple OO Class factory","url":null,"keywords":"node class oop inheritance","version":"0.0.2","words":"class-js simple oo class factory =bnoguchi node class oop inheritance","author":"=bnoguchi","date":"2011-01-06 "},{"name":"class-js2","description":"Simple and powerful class utility to allow the easy use of OOP in JS. Includes inheritance, mixins, abstract classes, inherited statics, and more.","url":null,"keywords":"class class.js class-js oop object inheritance mixin static prototype abstract superclass subclass","version":"0.5.0","words":"class-js2 simple and powerful class utility to allow the easy use of oop in js. includes inheritance, mixins, abstract classes, inherited statics, and more. =gregjacobs class class.js class-js oop object inheritance mixin static prototype abstract superclass subclass","author":"=gregjacobs","date":"2013-10-08 "},{"name":"class-list","description":"A cross browser class list","url":null,"keywords":"","version":"0.1.1","words":"class-list a cross browser class list =raynos","author":"=raynos","date":"2013-06-23 "},{"name":"class-list-shim","description":"Fork of Raynos/class-list compatible with IE8","url":null,"keywords":"","version":"0.1.0","words":"class-list-shim fork of raynos/class-list compatible with ie8 =ralt","author":"=ralt","date":"2013-04-23 "},{"name":"class-transition","description":"Applies a transitive `className` that gets removed upon a CSS transition completing or a timeout executing as a fallback.","url":null,"keywords":"","version":"0.0.4","words":"class-transition applies a transitive `classname` that gets removed upon a css transition completing or a timeout executing as a fallback. =rauchg =tootallnate =mattmueller =jonathanong =jongleberry =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","author":"=rauchg =tootallnate =mattmueller =jonathanong =jongleberry =clintwood =thehydroimpulse =stephenmathieson =trevorgerhardt =timaschew","date":"2014-08-07 "},{"name":"class-wolperting","description":"Post-modern oriented objects in Javascript","url":null,"keywords":"class klass inheritance prototype moose meta object object oriented","version":"0.0.6","words":"class-wolperting post-modern oriented objects in javascript =mvhenten class klass inheritance prototype moose meta object object oriented","author":"=mvhenten","date":"2014-02-11 "},{"name":"class.extend","description":"copy/paste implementation of John Resig's Simple JavaScript inheritance.","url":null,"keywords":"class extend object","version":"0.9.1","words":"class.extend copy/paste implementation of john resig's simple javascript inheritance. =allenkim class extend object","author":"=allenkim","date":"2013-08-10 "},{"name":"class.js","description":"A simple and efficient class inheritance implementation based on John Resig's code.","url":null,"keywords":"class oo oop inheritance","version":"0.0.1","words":"class.js a simple and efficient class inheritance implementation based on john resig's code. =scaryzet class oo oop inheritance","author":"=scaryzet","date":"2012-04-30 "},{"name":"class4js","description":"The class4js module is for class-driven development in JavaScript. It allows to emulate classes in JavaScript. Module is based on ECMAScript 5 standart and implements open/close principle: 'A module should be open for extension but closed for modifications'","url":null,"keywords":"class abstract interface inheritance super constant static browser prototype extensions namespace phantomjs module javascript enum property field constructor static class abstract class object initializer","version":"1.10.3","words":"class4js the class4js module is for class-driven development in javascript. it allows to emulate classes in javascript. module is based on ecmascript 5 standart and implements open/close principle: 'a module should be open for extension but closed for modifications' =gedbac class abstract interface inheritance super constant static browser prototype extensions namespace phantomjs module javascript enum property field constructor static class abstract class object initializer","author":"=gedbac","date":"2013-08-02 "},{"name":"classdef","description":"Bare-bones syntactic sugar for class definitions in JS","url":null,"keywords":"class definition sugar","version":"1.0.1","words":"classdef bare-bones syntactic sugar for class definitions in js =7sempra class definition sugar","author":"=7sempra","date":"2013-02-18 "},{"name":"classdemo","description":"for class","url":null,"keywords":"demo","version":"0.0.1","words":"classdemo for class =middlewareclass demo","author":"=middlewareclass","date":"2013-03-10 "},{"name":"classdojo-coffeelint","description":"Lint your CoffeeScript ClassDojo-style","url":null,"keywords":"lint coffeescript coffee-script","version":"0.0.2","words":"classdojo-coffeelint lint your coffeescript classdojo-style =gareth lint coffeescript coffee-script","author":"=gareth","date":"2012-09-28 "},{"name":"classer","keywords":"","version":[],"words":"classer","author":"","date":"2014-05-31 "},{"name":"classes","description":"A classical inheritence model with support for mixins","url":null,"keywords":"","version":"0.3.0","words":"classes a classical inheritence model with support for mixins =k","author":"=k","date":"2013-01-18 "},{"name":"classes-component","description":"Cross-browser element class list","url":null,"keywords":"dom html classList class ui","version":"1.1.3","words":"classes-component cross-browser element class list =tjholowaychuk dom html classlist class ui","author":"=tjholowaychuk","date":"2013-08-02 "},{"name":"classes-js","description":"JS class pattern; supports multi-inheritance, static & instance methods, public/protected access...","url":null,"keywords":"","version":"0.3.6","words":"classes-js js class pattern; supports multi-inheritance, static & instance methods, public/protected access... =quaelin","author":"=quaelin","date":"2013-08-07 "},{"name":"classesjs","description":"\"A small library to standardize Class creation in javascript\"","url":null,"keywords":"Javascript Class OO Object inheritance","version":"0.0.1","words":"classesjs \"a small library to standardize class creation in javascript\" =carlos.algms javascript class oo object inheritance","author":"=carlos.algms","date":"2014-05-18 "},{"name":"classic","description":"Straightforward classes for node.js or web browsers","url":null,"keywords":"class classes inheritance inherits inherit oo object-orientation","version":"0.0.2","words":"classic straightforward classes for node.js or web browsers =tarruda class classes inheritance inherits inherit oo object-orientation","author":"=tarruda","date":"2013-10-10 "},{"name":"classical","description":"Functional Classical Inheritance for Javascript","url":null,"keywords":"class inheritance","version":"2.3.1","words":"classical functional classical inheritance for javascript =kkragenbrink class inheritance","author":"=kkragenbrink","date":"2013-03-13 "},{"name":"classical-chinese","description":"Classical Chinese literature in JavaScript","url":null,"keywords":"classical chinese literature poetry","version":"0.0.7","words":"classical-chinese classical chinese literature in javascript =jhedwards classical chinese literature poetry","author":"=jhedwards","date":"2014-06-23 "},{"name":"classical-eventemitter","description":"A wrapper for the NodeJS event manager using the classical OO style.","url":null,"keywords":"class inheritance wrapper events","version":"1.0.0","words":"classical-eventemitter a wrapper for the nodejs event manager using the classical oo style. =kkragenbrink class inheritance wrapper events","author":"=kkragenbrink","date":"2012-08-29 "},{"name":"classie","description":"dom class helper functions, browserified, classie -from bonzo","url":null,"keywords":"Dom browserify class dom manipulation","version":"0.1.0","words":"classie dom class helper functions, browserified, classie -from bonzo =yawetse dom browserify class dom manipulation","author":"=yawetse","date":"2014-05-10 "},{"name":"classified","description":"Real OOP for Javascript","url":null,"keywords":"oop class protected parent structure constructor inheritence constant","version":"0.1.1","words":"classified real oop for javascript =cblanquera oop class protected parent structure constructor inheritence constant","author":"=cblanquera","date":"2014-09-17 "},{"name":"classified-magic","description":"OOP for NodeJS with magic","url":null,"keywords":"oop class protected parent structure constructor inheritence constant magic","version":"0.1.1","words":"classified-magic oop for nodejs with magic =cblanquera oop class protected parent structure constructor inheritence constant magic","author":"=cblanquera","date":"2014-09-17 "},{"name":"classifier","description":"Naive Bayesian classifier with Redis backend","url":null,"keywords":"bayesian classifier machine learning","version":"0.1.0","words":"classifier naive bayesian classifier with redis backend =harth bayesian classifier machine learning","author":"=harth","date":"2013-12-25 "},{"name":"classify","description":"A Ruby-like Module & Class Inheritance Library for Javascript","url":null,"keywords":"class inheritance module client browser","version":"0.10.0","words":"classify a ruby-like module & class inheritance library for javascript =petebrowne class inheritance module client browser","author":"=petebrowne","date":"prehistoric"},{"name":"classify-js","description":"Factory for creating constructor functions which inherit from other functions -- classical-style.","url":null,"keywords":"inheritance class methods instance multiple constructor","version":"0.10.7","words":"classify-js factory for creating constructor functions which inherit from other functions -- classical-style. =tbonelaforge inheritance class methods instance multiple constructor","author":"=tbonelaforge","date":"2014-06-18 "},{"name":"classify.js","description":"Bayesian classifier for Node.js applications.","url":null,"keywords":"bayes classifier learning matrix","version":"0.1.3","words":"classify.js bayesian classifier for node.js applications. =sbyrnes bayes classifier learning matrix","author":"=sbyrnes","date":"2014-06-24 "},{"name":"classify2","description":"[![Build Status](https://travis-ci.org/zuzak/classify2.png?branch=master)](https://travis-ci.org/zuzak/classify2) [![NPM version](https://badge.fury.io/js/classify2.png)](http://badge.fury.io/js/classify2)","url":null,"keywords":"","version":"0.0.2","words":"classify2 [![build status](https://travis-ci.org/zuzak/classify2.png?branch=master)](https://travis-ci.org/zuzak/classify2) [![npm version](https://badge.fury.io/js/classify2.png)](http://badge.fury.io/js/classify2) =zuzak","author":"=zuzak","date":"2014-01-10 "},{"name":"classifyjs","description":"Classify.js is a library that allows for cross platform and cross browser Object Oriented Javascript class definitions using classical inheritance and namespaces behind the prototype syntax in an easy to use interface function.","url":null,"keywords":"util functional server client browser prototype object-oriented class classes inheritance abstraction","version":"0.14.1","words":"classifyjs classify.js is a library that allows for cross platform and cross browser object oriented javascript class definitions using classical inheritance and namespaces behind the prototype syntax in an easy to use interface function. =weikinhuang util functional server client browser prototype object-oriented class classes inheritance abstraction","author":"=weikinhuang","date":"2014-09-11 "},{"name":"classifyjs-observer","description":"Classify-Ovserver is a mutator for Classify.js[https://github.com/weikinhuang/Classify] that allows for simple getters and setters, and on value change events listeners for object properties.","url":null,"keywords":"util functional server client browser prototype object-oriented class classes inheritance abstraction","version":"0.11.0","words":"classifyjs-observer classify-ovserver is a mutator for classify.js[https://github.com/weikinhuang/classify] that allows for simple getters and setters, and on value change events listeners for object properties. =weikinhuang util functional server client browser prototype object-oriented class classes inheritance abstraction","author":"=weikinhuang","date":"2013-09-19 "},{"name":"classing","description":"Fluent classes for node.js and the browser.","url":null,"keywords":"class oop classes","version":"0.1.0","words":"classing fluent classes for node.js and the browser. =codemix class oop classes","author":"=codemix","date":"2014-08-23 "},{"name":"classing-js","description":"a library that creates a classical-like oop interface directly into javascript","url":null,"keywords":"class oop inheritance interfaces access-modifiers abstract","version":"1.1.2","words":"classing-js a library that creates a classical-like oop interface directly into javascript =mostafa-samir class oop inheritance interfaces access-modifiers abstract","author":"=mostafa-samir","date":"2014-07-16 "},{"name":"classjs","description":"Simple Class System for JavaScript","url":null,"keywords":"util server client browser class inheritance backbone","version":"0.8.0","words":"classjs simple class system for javascript =tjbutz util server client browser class inheritance backbone","author":"=tjbutz","date":"2013-11-23 "},{"name":"classkit","description":"class-like inheritance if you're into that sort of thing","url":null,"keywords":"class inheritance","version":"1.1.1","words":"classkit class-like inheritance if you're into that sort of thing =jaz303 class inheritance","author":"=jaz303","date":"2014-09-15 "},{"name":"classloader","description":"classloader helper for nodejs","url":null,"keywords":"","version":"0.0.3","words":"classloader classloader helper for nodejs =edjafarov","author":"=edjafarov","date":"2011-12-17 "},{"name":"classroom","description":"A Ruby-like implementation for ES5","url":null,"keywords":"class classes ruby es5 ecascript 5","version":"0.2.0","words":"classroom a ruby-like implementation for es5 =xcambar class classes ruby es5 ecascript 5","author":"=xcambar","date":"2013-07-04 "},{"name":"classtool","description":"Class like behavior composition, but better","url":null,"keywords":"class behavior","version":"1.0.0","words":"classtool class like behavior composition, but better =gasteve class behavior","author":"=gasteve","date":"2013-07-03 "},{"name":"classtweak","description":"DOM Element Class Tweaking (similar to classList native API)","url":null,"keywords":"","version":"0.1.1","words":"classtweak dom element class tweaking (similar to classlist native api) =damonoehlman","author":"=damonoehlman","date":"2013-04-02 "},{"name":"classx","description":"Basic module that provide Backbone like extend with _super functionality. Also mixins.","url":null,"keywords":"extend _super super mix mixin mixins","version":"0.2.0","words":"classx basic module that provide backbone like extend with _super functionality. also mixins. =syooo extend _super super mix mixin mixins","author":"=syooo","date":"2014-07-10 "},{"name":"Classy","description":"Brings the MooTools 1.x Class sugar to Prime","url":null,"keywords":"","version":"0.0.1","words":"classy brings the mootools 1.x class sugar to prime =arian","author":"=arian","date":"2012-05-01 "},{"name":"classy","description":"Classy - Classes for JavaScript\r ============================","url":null,"keywords":"class super method classes inheritance hierarchy mixins override","version":"1.4.2","words":"classy classy - classes for javascript\r ============================ =radubrehar class super method classes inheritance hierarchy mixins override","author":"=radubrehar","date":"2014-08-01 "},{"name":"classy-classical","description":"Classical inheritance in two JavaScript functions, without sacrificing personal preference","url":null,"keywords":"classical inheritance simple","version":"1.0.1","words":"classy-classical classical inheritance in two javascript functions, without sacrificing personal preference =hoolean classical inheritance simple","author":"=hoolean","date":"2014-06-17 "},{"name":"classy-traits","description":"Thin wrapper around traits.js that supports \"classes\".","url":null,"keywords":"trait class inheritance mixin","version":"0.0.4","words":"classy-traits thin wrapper around traits.js that supports \"classes\". =joneshf trait class inheritance mixin","author":"=joneshf","date":"2014-03-17 "},{"name":"classyfi","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.4","words":"classyfi error: no readme.md file found! =dabbler0","author":"=dabbler0","date":"2014-04-24 "},{"name":"classyjs","description":"Classy classes from http://classy.pocoo.org/ for NodeJS","url":null,"keywords":"classy classes class pocoo classy.pocoo.org","version":"0.9.0","words":"classyjs classy classes from http://classy.pocoo.org/ for nodejs =thesunny classy classes class pocoo classy.pocoo.org","author":"=thesunny","date":"2014-03-03 "},{"name":"claude","description":"Claude Shannon was an American mathematician, electronic engineer, and cryptographer known as \"The father of information theory\". Claude.js is web server manager for node.js.","url":null,"keywords":"web server management sysadmin","version":"0.0.6","words":"claude claude shannon was an american mathematician, electronic engineer, and cryptographer known as \"the father of information theory\". claude.js is web server manager for node.js. =johndotawesome web server management sysadmin","author":"=johndotawesome","date":"2013-04-19 "},{"name":"claus","description":"Creates express app's routes for commands and queries, Loading them from the file system.","url":null,"keywords":"cqrs","version":"0.0.2","words":"claus creates express app's routes for commands and queries, loading them from the file system. =silvio.massari cqrs","author":"=silvio.massari","date":"2012-08-14 "},{"name":"clause","description":"Query String to SQL Clause Generator","url":null,"keywords":"querystring sql search","version":"0.1.1","words":"clause query string to sql clause generator =damonoehlman querystring sql search","author":"=damonoehlman","date":"2013-10-09 "},{"name":"clavier","description":"Quickly run CLI commands by pressing a key","url":null,"keywords":"cli tool quick keyboard command shell press","version":"0.0.1","words":"clavier quickly run cli commands by pressing a key =hughsk cli tool quick keyboard command shell press","author":"=hughsk","date":"2013-01-18 "},{"name":"clavis","url":null,"keywords":"","version":"0.0.1","words":"clavis =zorceta","author":"=zorceta","date":"2014-05-31 "},{"name":"claw","description":"Simple web scraper chassis, scrapes fields from a list of web pages and dumps the results to JSON/CSV files.","url":null,"keywords":"scraper csv json scrape spider","version":"0.0.9","words":"claw simple web scraper chassis, scrapes fields from a list of web pages and dumps the results to json/csv files. =dylanized scraper csv json scrape spider","author":"=dylanized","date":"2013-05-21 "},{"name":"claws","description":"Http Debug Tool","url":null,"keywords":"","version":"0.0.3","words":"claws http debug tool =viwayne","author":"=viwayne","date":"2014-09-19 "},{"name":"clay","description":"A Node.js Active Record with a charming declaration and simple usage. Supports Redis as backend but can be easily extended","url":null,"keywords":"Active Record Redis database ORM model models persistence db","version":"1.3.1","words":"clay a node.js active record with a charming declaration and simple usage. supports redis as backend but can be easily extended =gabrielfalcao active record redis database orm model models persistence db","author":"=gabrielfalcao","date":"2012-04-12 "},{"name":"clay-chai","description":"#### resolves to [Chai](https://github.com/chaijs/chai) with the following changes: `.be(x) -> .equal(x)` if called as a function ex. `abc.should.be('abc')`","url":null,"keywords":"","version":"0.0.2","words":"clay-chai #### resolves to [chai](https://github.com/chaijs/chai) with the following changes: `.be(x) -> .equal(x)` if called as a function ex. `abc.should.be('abc')` =zolmeister","author":"=zolmeister","date":"2014-09-05 "},{"name":"clay-cli","description":"Clay Command Line Interface to build and deploy Salesforce Javascript Apps.","url":null,"keywords":"","version":"0.9.0","words":"clay-cli clay command line interface to build and deploy salesforce javascript apps. =rodriguezartavia =rodriguezartav","author":"=rodriguezartavia =rodriguezartav","date":"2014-09-13 "},{"name":"clay-encryption","description":"Backend encryption for the clay.io API","url":null,"keywords":"clay.io clayio clay","version":"0.1.0","words":"clay-encryption backend encryption for the clay.io api =austinhallock clay.io clayio clay","author":"=austinhallock","date":"2012-03-17 "},{"name":"clay-sequelize","description":"Multi dialect ORM for Node.JS","url":null,"keywords":"mysql orm nodejs object relational mapper","version":"1.7.11","words":"clay-sequelize multi dialect orm for node.js =zolmeister mysql orm nodejs object relational mapper","author":"=zolmeister","date":"2014-09-06 "},{"name":"clayjs","description":"clayjs mvc framework","url":null,"keywords":"generator mvc express","version":"0.2.0","words":"clayjs clayjs mvc framework =krishvs generator mvc express","author":"=krishvs","date":"2014-03-24 "},{"name":"claymate","description":"Official helper scripts for the Gumby responsive framework.","url":null,"keywords":"gumby","version":"2.0.4","words":"claymate official helper scripts for the gumby responsive framework. =gumbyframework gumby","author":"=gumbyframework","date":"2013-12-05 "},{"name":"clazz","description":"A Javascript library that provides a class-style programming DSL","url":null,"keywords":"","version":"0.1.1","words":"clazz a javascript library that provides a class-style programming dsl =halimath","author":"=halimath","date":"2013-01-28 "},{"name":"clazz-js","description":"Portable JavaScript library for class-style OOP programming","url":null,"keywords":"oop class inheritance encapsulation polymorphism","version":"0.5.2","words":"clazz-js portable javascript library for class-style oop programming =alexpods oop class inheritance encapsulation polymorphism","author":"=alexpods","date":"2014-01-19 "},{"name":"clazzjs","description":"Clazz is a simple JavaScript class providing liblary.","url":null,"keywords":"","version":"1.0.1","words":"clazzjs clazz is a simple javascript class providing liblary. =quramy","author":"=quramy","date":"2013-08-05 "},{"name":"clazzy","description":"A cross platform JavaScript library that provides a classical interface to prototypal inheritance.","url":null,"keywords":"class prototype extend base include trait mixin","version":"0.1.1","words":"clazzy a cross platform javascript library that provides a classical interface to prototypal inheritance. =lsphillips class prototype extend base include trait mixin","author":"=lsphillips","date":"2014-09-14 "},{"name":"clb-modelloader","description":"clb-modelloader is a utility which loads moongoose models into a nodejs server and installs appropriate request handlers","url":null,"keywords":"","version":"0.3.0","words":"clb-modelloader clb-modelloader is a utility which loads moongoose models into a nodejs server and installs appropriate request handlers =talfco","author":"=talfco","date":"2013-01-12 "},{"name":"clclean","description":"Delete pictures from cloudinary","url":null,"keywords":"cloudinary","version":"1.1.0","words":"clclean delete pictures from cloudinary =riaf cloudinary","author":"=riaf","date":"2014-04-04 "},{"name":"clctr","description":"Event emitting collections with iterators (like Backbone.Collection).","url":null,"keywords":"collection collections iterator iterators functional events data backbone","version":"0.0.2","words":"clctr event emitting collections with iterators (like backbone.collection). =ericelliott collection collections iterator iterators functional events data backbone","author":"=ericelliott","date":"2013-08-06 "},{"name":"cld","description":"Language detection for Javascript. Based on the CLD2 (Compact Language Detector) library from Google. Highly optimized for space and speed. Runs about 10x faster than other libraries. Detects over 160 languages. Full test coverage.","url":null,"keywords":"language detect language detection cld cld2","version":"2.1.0","words":"cld language detection for javascript. based on the cld2 (compact language detector) library from google. highly optimized for space and speed. runs about 10x faster than other libraries. detects over 160 languages. full test coverage. =dachev =blago language detect language detection cld cld2","author":"=dachev =blago","date":"2014-07-07 "},{"name":"cldr","description":"Library for extracting data from CLDR (the Unicode Common Locale Data Repository)","url":null,"keywords":"locale i18n cldr l10n internationalization localization date time interval format formats pattern patterns plural plurals number country territory time zone timezone currency script list units","version":"2.3.0","words":"cldr library for extracting data from cldr (the unicode common locale data repository) =papandreou locale i18n cldr l10n internationalization localization date time interval format formats pattern patterns plural plurals number country territory time zone timezone currency script list units","author":"=papandreou","date":"2014-09-13 "},{"name":"cldr-plurals","description":"Common Locale Data Repository Pluralization Logic","url":null,"keywords":"internationalization pluralization unicode CLDR","version":"1.0.0","words":"cldr-plurals common locale data repository pluralization logic =jamesarosen internationalization pluralization unicode cldr","author":"=jamesarosen","date":"2013-01-13 "},{"name":"cldr.js","description":"Simple CLDR API","url":null,"keywords":"utility globalization internationalization multilingualization localization g11n i18n m17n L10n localize locale cldr json inheritance compiler","version":"0.3.1","words":"cldr.js simple cldr api =rxaviers utility globalization internationalization multilingualization localization g11n i18n m17n l10n localize locale cldr json inheritance compiler","author":"=rxaviers","date":"2014-03-08 "},{"name":"cldr_timezones","description":"Translated timezones according to CLDR","url":null,"keywords":"i18n timezones cldr","version":"0.0.1","words":"cldr_timezones translated timezones according to cldr =anamartinez i18n timezones cldr","author":"=anamartinez","date":"2013-02-05 "},{"name":"cldrjs","description":"Simple CLDR API","url":null,"keywords":"utility globalization internationalization multilingualization localization g11n i18n m17n L10n localize locale cldr json inheritance compiler","version":"0.3.8","words":"cldrjs simple cldr api =rxaviers utility globalization internationalization multilingualization localization g11n i18n m17n l10n localize locale cldr json inheritance compiler","author":"=rxaviers","date":"2014-07-13 "},{"name":"cldrpluralparser","description":"Node commandline application to find out the plural form for a given number in a language by parsing CLDR plural form rules.","url":null,"keywords":"","version":"1.1.1","words":"cldrpluralparser node commandline application to find out the plural form for a given number in a language by parsing cldr plural form rules. =santhosh.thottingal","author":"=santhosh.thottingal","date":"2014-05-22 "},{"name":"cldrpluralruleparser","description":"Node module to find out the plural form for a given number in a language by parsing CLDR plural form rules.","url":null,"keywords":"","version":"1.1.3","words":"cldrpluralruleparser node module to find out the plural form for a given number in a language by parsing cldr plural form rules. =santhosh.thottingal","author":"=santhosh.thottingal","date":"2014-05-22 "},{"name":"clean","description":"clean parses and sanitize argv for node, supporting fully extendable types, shorthands, validatiors and setters.","url":null,"keywords":"argv parser argument-vector cleaner simple","version":"4.0.1","words":"clean clean parses and sanitize argv for node, supporting fully extendable types, shorthands, validatiors and setters. =kael argv parser argument-vector cleaner simple","author":"=kael","date":"2014-08-29 "},{"name":"clean-console","description":"Quickly loads remote url in phantomjs to check of JavaScript console errors","url":null,"keywords":"javascript phantomjs console test","version":"0.2.2","words":"clean-console quickly loads remote url in phantomjs to check of javascript console errors =bahmutov javascript phantomjs console test","author":"=bahmutov","date":"2014-02-04 "},{"name":"clean-css","description":"A well-tested CSS minifier","url":null,"keywords":"css minifier","version":"2.2.16","words":"clean-css a well-tested css minifier =goalsmashers css minifier","author":"=goalsmashers","date":"2014-09-16 "},{"name":"clean-css-brunch","description":"Adds CleanCSS support to brunch.","url":null,"keywords":"","version":"1.7.1","words":"clean-css-brunch adds cleancss support to brunch. =paulmillr =es128","author":"=paulmillr =es128","date":"2013-09-30 "},{"name":"clean-css-pre-2.1.0","description":"A well-tested CSS minifier","url":null,"keywords":"css minifier","version":"2.0.9","words":"clean-css-pre-2.1.0 a well-tested css minifier =lu4 css minifier","author":"=lu4","date":"2014-02-11 "},{"name":"clean-css-uncss-brunch","description":"Adds clean-css and UnCSS support to brunch.","url":null,"keywords":"","version":"1.0.1","words":"clean-css-uncss-brunch adds clean-css and uncss support to brunch. =jakubburkiewicz","author":"=jakubburkiewicz","date":"2014-03-18 "},{"name":"clean-dropbox-conflicted","description":"Clean dropbox conflicted files","url":null,"keywords":"dropbox","version":"0.0.7","words":"clean-dropbox-conflicted clean dropbox conflicted files =miguelmota dropbox","author":"=miguelmota","date":"2014-06-21 "},{"name":"clean-dust","description":"Factory for dustjs-linkedin with dustjs-helpers","url":null,"keywords":"","version":"1.0.1","words":"clean-dust factory for dustjs-linkedin with dustjs-helpers =marekhrabe","author":"=marekhrabe","date":"2014-08-04 "},{"name":"clean-exit","description":"Fix for Windows' drain error on process.exit (Issue 3584)","url":null,"keywords":"","version":"0.0.3","words":"clean-exit fix for windows' drain error on process.exit (issue 3584) =tomas","author":"=tomas","date":"2014-08-06 "},{"name":"clean-obj","description":"Clean objects in javascript,deleting undefined and null properties of objects","url":null,"keywords":"obj object clean sanitize null undefined safe","version":"0.1.1","words":"clean-obj clean objects in javascript,deleting undefined and null properties of objects =ricardofbarros obj object clean sanitize null undefined safe","author":"=ricardofbarros","date":"2014-05-14 "},{"name":"clean-pattern","description":"A task to remove files which name matches a given pattern.","url":null,"keywords":"gruntplugin","version":"0.1.2","words":"clean-pattern a task to remove files which name matches a given pattern. =stephribo gruntplugin","author":"=stephribo","date":"2013-05-25 "},{"name":"clean-recipes","description":"Attempts ot parse recipes into Nimble Chef Recipe Format.","url":null,"keywords":"gruntplugin","version":"0.1.0","words":"clean-recipes attempts ot parse recipes into nimble chef recipe format. =chetharrison gruntplugin","author":"=chetharrison","date":"2014-02-05 "},{"name":"clean-sketch","description":"Cleanup Sketch SVG files","url":null,"keywords":"svg sketch","version":"1.0.1","words":"clean-sketch cleanup sketch svg files =ooflorent svg sketch","author":"=ooflorent","date":"2014-09-12 "},{"name":"clean-urls","description":"Express/Connect middleware to serve static files from cleaner, extensionless urls","url":null,"keywords":"divshot superstatic extension clean urls","version":"1.0.2","words":"clean-urls express/connect middleware to serve static files from cleaner, extensionless urls =scottcorgan divshot superstatic extension clean urls","author":"=scottcorgan","date":"2014-09-18 "},{"name":"clean-whitespace","description":"normalize whitepsace characters to \t \n and space","url":null,"keywords":"whitespace unicode","version":"0.1.2","words":"clean-whitespace normalize whitepsace characters to \t \n and space =jden =agilemd whitespace unicode","author":"=jden =agilemd","date":"2014-01-22 "},{"name":"clean-whitespace-cmd","description":"Normalizes whitespace characters via the command line","url":null,"keywords":"whitespace unicode","version":"0.1.0","words":"clean-whitespace-cmd normalizes whitespace characters via the command line =forivall whitespace unicode","author":"=forivall","date":"2014-05-28 "},{"name":"clean.js","description":"누구나 참여하고 누구나 읽기 쉬운 소스코드를 작성한다! 오픈소스 JavaScript 라이브러리, clean.js!","url":null,"keywords":"javascript lib","version":"0.0.2","words":"clean.js 누구나 참여하고 누구나 읽기 쉬운 소스코드를 작성한다! 오픈소스 javascript 라이브러리, clean.js! =hanul javascript lib","author":"=hanul","date":"2014-03-02 "},{"name":"cleandir","description":"Cleaning a directory: erasing files and folders (do not use it, it is just for test)","url":null,"keywords":"","version":"0.1.10","words":"cleandir cleaning a directory: erasing files and folders (do not use it, it is just for test) =trombitas","author":"=trombitas","date":"2014-05-13 "},{"name":"cleandocs","description":"Merge code and markdown files to create project documentation","url":null,"keywords":"","version":"0.0.4","words":"cleandocs merge code and markdown files to create project documentation =niels4","author":"=niels4","date":"2014-02-19 "},{"name":"cleaner","keywords":"","version":[],"words":"cleaner","author":"","date":"2013-10-09 "},{"name":"cleanify","description":"strip single/multiline comments","url":null,"keywords":"strip comment json","version":"0.0.4","words":"cleanify strip single/multiline comments =sipware strip comment json","author":"=sipware","date":"2013-06-05 "},{"name":"cleanit","description":"Auto remove files on process exit","url":null,"keywords":"clean tmp temporary unix socket onexit","version":"0.0.1","words":"cleanit auto remove files on process exit =shinohane clean tmp temporary unix socket onexit","author":"=shinohane","date":"2013-12-09 "},{"name":"cleanjson","description":"format JSON document from stdin as 'comma-first' JSON","url":null,"keywords":"json command shell","version":"0.1.0","words":"cleanjson format json document from stdin as 'comma-first' json =irakli json command shell","author":"=irakli","date":"2013-05-31 "},{"name":"cleanse","description":"Remove reserved keys like hasOwnProperty, toString, etc. on objects recursively","url":null,"keywords":"cleanse hasOwnProperty reserved toString prototype","version":"0.0.3","words":"cleanse remove reserved keys like hasownproperty, tostring, etc. on objects recursively =bahamas10 cleanse hasownproperty reserved tostring prototype","author":"=bahamas10","date":"2013-12-26 "},{"name":"cleansocket","description":"Cleans up old sockets before listening","url":null,"keywords":"http net socket EADDRINUSE","version":"0.1.1","words":"cleansocket cleans up old sockets before listening =brianloveswords http net socket eaddrinuse","author":"=brianloveswords","date":"2013-11-26 "},{"name":"cleanspeak","description":"Wrapper for CleanSpeak's API","url":null,"keywords":"","version":"0.2.3","words":"cleanspeak wrapper for cleanspeak's api =threehams","author":"=threehams","date":"2014-09-16 "},{"name":"cleansv","description":"Cleans CSV","url":null,"keywords":"csv parser cleaner","version":"0.2.1","words":"cleansv cleans csv =mrdnk csv parser cleaner","author":"=mrdnk","date":"2013-08-16 "},{"name":"cleanup","description":"Cleanup handling for domains.","url":null,"keywords":"domains tests testing cleanup","version":"0.3.0","words":"cleanup cleanup handling for domains. =mikeal domains tests testing cleanup","author":"=mikeal","date":"2013-06-15 "},{"name":"cleanupdir","description":"clean up directory.","url":null,"keywords":"","version":"0.1.0","words":"cleanupdir clean up directory. =kumatch","author":"=kumatch","date":"2014-07-30 "},{"name":"cleanyourstyles","description":"Checker for unused styles","url":null,"keywords":"phantomjs css","version":"0.2.0","words":"cleanyourstyles checker for unused styles =dmytroyarmak phantomjs css","author":"=dmytroyarmak","date":"2013-10-24 "},{"name":"clear","description":"Clear the terminal screen if possible","url":null,"keywords":"ansi clear terminal","version":"0.0.1","words":"clear clear the terminal screen if possible =bahamas10 ansi clear terminal","author":"=bahamas10","date":"2013-12-27 "},{"name":"clear-cut","description":"Calculate specificity of CSS selectors","url":null,"keywords":"specificity CSS selector","version":"0.3.0","words":"clear-cut calculate specificity of css selectors =kevinsawicki =probablycorey =nathansobo =benogle specificity css selector","author":"=kevinsawicki =probablycorey =nathansobo =benogle","date":"2014-08-27 "},{"name":"clear-dir","description":"For quickly emptying a directory","url":null,"keywords":"","version":"0.0.2","words":"clear-dir for quickly emptying a directory =callumlocke","author":"=callumlocke","date":"2014-07-29 "},{"name":"clear-require","description":"Clear a module from the require cache","url":null,"keywords":"clear require cache uncache uncached module unrequire derequire delete del remove rm","version":"1.0.1","words":"clear-require clear a module from the require cache =sindresorhus clear require cache uncache uncached module unrequire derequire delete del remove rm","author":"=sindresorhus","date":"2014-07-20 "},{"name":"clearance","description":"Agnostic, asynchronous, and extensible JavaScript object validation.","url":null,"keywords":"validate validation form object client server","version":"0.3.0","words":"clearance agnostic, asynchronous, and extensible javascript object validation. =jasonbellamy validate validation form object client server","author":"=jasonbellamy","date":"2014-06-20 "},{"name":"clearblade","description":"ClearBlade SDK for Node.js.","url":null,"keywords":"","version":"1.9.0","words":"clearblade clearblade sdk for node.js. =seubert","author":"=seubert","date":"2014-08-25 "},{"name":"clearblade-node","keywords":"","version":[],"words":"clearblade-node","author":"","date":"2014-05-27 "},{"name":"clearInterval","description":"returns `clearInterval` if present","url":null,"keywords":"ender clearInterval","version":"0.4.9","words":"clearinterval returns `clearinterval` if present =coolaj86 ender clearinterval","author":"=coolaj86","date":"2011-07-14 "},{"name":"clearkeys","description":"clear keys for object and its child nodes","url":null,"keywords":"clearkeys","version":"0.1.0","words":"clearkeys clear keys for object and its child nodes =spud clearkeys","author":"=spud","date":"2014-07-12 "},{"name":"clearlog","description":"convenience logger for node, written to help produce human-readable logs","url":null,"keywords":"logging logger log logs append","version":"0.1.0","words":"clearlog convenience logger for node, written to help produce human-readable logs =kandersonus logging logger log logs append","author":"=kandersonus","date":"2014-09-06 "},{"name":"clearpipe","description":"clearpipe\r =========","url":null,"keywords":"","version":"0.0.0","words":"clearpipe clearpipe\r ========= =kybernetikos","author":"=kybernetikos","date":"2014-02-18 "},{"name":"ClearSilver","description":"ClearSilver template engine bindings for node.js","url":null,"keywords":"template engine ClearSilver","version":"0.5.0","words":"clearsilver clearsilver template engine bindings for node.js =mah0x211 template engine clearsilver","author":"=mah0x211","date":"2011-03-23 "},{"name":"clearTimeout","description":"returns `clearTimeout` if present","url":null,"keywords":"ender clearTimeout","version":"0.4.9","words":"cleartimeout returns `cleartimeout` if present =coolaj86 ender cleartimeout","author":"=coolaj86","date":"2011-07-14 "},{"name":"clearwing","description":"Node- and browser-side IRC client library","url":null,"keywords":"irc client clearwing","version":"0.0.4","words":"clearwing node- and browser-side irc client library =rummik irc client clearwing","author":"=rummik","date":"2013-10-15 "},{"name":"clearwing-autoident","description":"Autoident plugin for Clearwing","url":null,"keywords":"irc client clearwing autoident clearwing-plugin","version":"0.0.1","words":"clearwing-autoident autoident plugin for clearwing =rummik irc client clearwing autoident clearwing-plugin","author":"=rummik","date":"2013-09-23 "},{"name":"cleaver","description":"30-second slideshows for hackers","url":null,"keywords":"markdown static slideshow presentation","version":"0.7.2","words":"cleaver 30-second slideshows for hackers =prezjordan markdown static slideshow presentation","author":"=prezjordan","date":"2014-09-06 "},{"name":"clef","url":null,"keywords":"","version":"0.0.0","words":"clef =talyssonoc","author":"=talyssonoc","date":"2014-08-17 "},{"name":"clementine","description":"A lightweight javascript framework for rapidly building web applications","url":null,"keywords":"","version":"0.5.0","words":"clementine a lightweight javascript framework for rapidly building web applications =brew20k","author":"=brew20k","date":"2013-01-07 "},{"name":"clerk","description":"CouchDB library for Node and the browser","url":null,"keywords":"","version":"0.5.3","words":"clerk couchdb library for node and the browser =mikepb","author":"=mikepb","date":"2014-01-04 "},{"name":"clerobee","description":"A featureful dependency-free UID generator","url":null,"keywords":"uid generator oid uid uuid uniqueid unique id primary key license key distributed environment security","version":"0.1.0","words":"clerobee a featureful dependency-free uid generator =imre.fazekas uid generator oid uid uuid uniqueid unique id primary key license key distributed environment security","author":"=imre.fazekas","date":"2014-04-18 "},{"name":"clever","description":"Node.js library for interacting with the Clever API","url":null,"keywords":"clever api javascript coffeescript library","version":"0.5.7","words":"clever node.js library for interacting with the clever api =rgarcia =azylman =m0hit =jonahkagan =nathanleiby =templaedhel clever api javascript coffeescript library","author":"=rgarcia =azylman =m0hit =jonahkagan =nathanleiby =templaedhel","date":"2014-08-26 "},{"name":"clever-auth","description":"CleverStack Authentication Module","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend passport authentication google google authentication local authentication","version":"1.0.6","words":"clever-auth cleverstack authentication module =durango =pilsy cleverstack cleverstack-module cleverstack-backend passport authentication google google authentication local authentication","author":"=durango =pilsy","date":"2014-08-12 "},{"name":"clever-auth-google","description":"CleverStack authentication with Google services","url":null,"keywords":"cleverstack clevertech cleverstack-module cleverstack-backend backend","version":"0.0.4","words":"clever-auth-google cleverstack authentication with google services =durango =pilsy cleverstack clevertech cleverstack-module cleverstack-backend backend","author":"=durango =pilsy","date":"2014-02-27 "},{"name":"clever-background-tasks","description":"Background processing for the CleverStack Framework","url":null,"keywords":"cleverstack-module cleverstack cleverstack backend backend framework background tasks child process cluster background processing","version":"1.0.1","words":"clever-background-tasks background processing for the cleverstack framework =durango =pilsy cleverstack-module cleverstack cleverstack backend backend framework background tasks child process cluster background processing","author":"=durango =pilsy","date":"2014-06-27 "},{"name":"clever-buffer","description":"Buffer utilities","url":null,"keywords":"","version":"1.0.2","words":"clever-buffer buffer utilities =tabdigital","author":"=tabdigital","date":"2014-07-18 "},{"name":"clever-client","description":"Javascript models for Clever-Cloud API","url":null,"keywords":"clever-cloud api client","version":"0.1.20","words":"clever-client javascript models for clever-cloud api =rbelouin clever-cloud api client","author":"=rbelouin","date":"2014-08-08 "},{"name":"clever-controller","description":"Lightning-fast flexible controller prototype","url":null,"keywords":"controller cleverstack express restify routing api actions resource","version":"1.1.6","words":"clever-controller lightning-fast flexible controller prototype =pilsy controller cleverstack express restify routing api actions resource","author":"=pilsy","date":"2014-08-12 "},{"name":"clever-countries","description":"A list of countries for SQL and MongoDB within the CleverStack ecosystem.","url":null,"keywords":"cleverstack cleverstack-module cleverstack-modules cleverstack-backend","version":"0.0.1","words":"clever-countries a list of countries for sql and mongodb within the cleverstack ecosystem. =durango =pilsy cleverstack cleverstack-module cleverstack-modules cleverstack-backend","author":"=durango =pilsy","date":"2014-01-28 "},{"name":"clever-csv","description":"CleverStack CSV processing","url":null,"keywords":"cleverstack clevertech cleverstack-module cleverstack-backend backend","version":"0.0.3","words":"clever-csv cleverstack csv processing =durango =pilsy cleverstack clevertech cleverstack-module cleverstack-backend backend","author":"=durango =pilsy","date":"2014-02-27 "},{"name":"clever-currency-backend","description":"The backend currency module for CleverStack. Provides seed data and routes for you to pull down a list of currencies.","url":null,"keywords":"cleverstack clevertech cleverstack-module cleverstack-backend","version":"0.0.1","words":"clever-currency-backend the backend currency module for cleverstack. provides seed data and routes for you to pull down a list of currencies. =durango =pilsy cleverstack clevertech cleverstack-module cleverstack-backend","author":"=durango =pilsy","date":"2014-01-21 "},{"name":"clever-db","keywords":"","version":[],"words":"clever-db","author":"","date":"2014-06-25 "},{"name":"clever-docular-docs","description":"Docular documentation for CleverStack","url":null,"keywords":"cleverstack cleverstack-module cleverstack-modules cleverstack-backend","version":"0.0.2","words":"clever-docular-docs docular documentation for cleverstack =durango =pilsy cleverstack cleverstack-module cleverstack-modules cleverstack-backend","author":"=durango =pilsy","date":"2014-01-28 "},{"name":"clever-email","description":"E-mail system for CleverStack","url":null,"keywords":"cleverstack cleverstack-module cleverstack-modules cleverstack-backend","version":"0.0.5","words":"clever-email e-mail system for cleverstack =durango =pilsy cleverstack cleverstack-module cleverstack-modules cleverstack-backend","author":"=durango =pilsy","date":"2014-02-27 "},{"name":"clever-injector","description":"Lightning-fast flexible non-blocking Dependency Injection.","url":null,"keywords":"di dependency injection injector inject","version":"1.0.1","words":"clever-injector lightning-fast flexible non-blocking dependency injection. =pilsy di dependency injection injector inject","author":"=pilsy","date":"2014-06-15 "},{"name":"clever-odm","description":"CleverStack ODM (NoSQL) Module","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend odm object document mapper dao mongoose mongoosejs mongo mongodb","version":"1.0.4","words":"clever-odm cleverstack odm (nosql) module =durango =pilsy cleverstack cleverstack-module cleverstack-backend odm object document mapper dao mongoose mongoosejs mongo mongodb","author":"=durango =pilsy","date":"2014-06-27 "},{"name":"clever-orm","description":"CleverStack ORM (SQL) Module","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend orm sequelize backend mysql postgre sqlite dao","version":"1.0.12","words":"clever-orm cleverstack orm (sql) module =durango =pilsy =danielyoung cleverstack cleverstack-module cleverstack-backend orm sequelize backend mysql postgre sqlite dao","author":"=durango =pilsy =danielyoung","date":"2014-08-29 "},{"name":"clever-roles","description":"Adds permissions and roles to users with CleverStack","url":null,"keywords":"cleverstack cleverstack-module cleverstack-modules cleverstack-backend roles role based authentication role based access control rbac authentication","version":"1.0.2","words":"clever-roles adds permissions and roles to users with cleverstack =durango =pilsy cleverstack cleverstack-module cleverstack-modules cleverstack-backend roles role based authentication role based access control rbac authentication","author":"=durango =pilsy","date":"2014-08-29 "},{"name":"clever-subscription","description":"CleverStack Subscription Module","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend orm backend subscription account","version":"1.0.0","words":"clever-subscription cleverstack subscription module =pilsy cleverstack cleverstack-module cleverstack-backend orm backend subscription account","author":"=pilsy","date":"2014-07-24 "},{"name":"clever-survey","description":"[![Build Status](http://img.shields.io/travis/CleverStack/clever-survey-backend.svg)](https://travis-ci.org/CleverStack/clever-survey-backend) [![Dependency Status](https://david-dm.org/CleverStack/clever-survey-backend.svg?theme=shields.io)](https://david-dm.org/CleverStack/clever-survey-backend) [![devDependency Status](https://david-dm.org/CleverStack/clever-survey-backend/dev-status.svg?theme=shields.io)](https://david-dm.org/CleverStack/clever-survey-backend#info=devDependencies) [![CleverTech](http://img.shields.io/badge/clever-tech-ff9933.svg)](http://www.clevertech.biz/)","url":null,"keywords":"cleverstack cleverstack-module cleverstack-backend clevertech","version":"0.0.3","words":"clever-survey [![build status](http://img.shields.io/travis/cleverstack/clever-survey-backend.svg)](https://travis-ci.org/cleverstack/clever-survey-backend) [![dependency status](https://david-dm.org/cleverstack/clever-survey-backend.svg?theme=shields.io)](https://david-dm.org/cleverstack/clever-survey-backend) [![devdependency status](https://david-dm.org/cleverstack/clever-survey-backend/dev-status.svg?theme=shields.io)](https://david-dm.org/cleverstack/clever-survey-backend#info=devdependencies) [![clevertech](http://img.shields.io/badge/clever-tech-ff9933.svg)](http://www.clevertech.biz/) =durango cleverstack cleverstack-module cleverstack-backend clevertech","author":"=durango","date":"2014-02-27 "},{"name":"clever-timezone-backend","description":"Timezones for CleverStack","url":null,"keywords":"cleverstack clevertech cleverstack-module cleverstack-backend","version":"0.0.3","words":"clever-timezone-backend timezones for cleverstack =durango =pilsy cleverstack clevertech cleverstack-module cleverstack-backend","author":"=durango =pilsy","date":"2014-01-21 "},{"name":"clever-upload-backend","description":"CleverStack file uploading and management","url":null,"keywords":"cleverstack clevertech cleverstack-module cleverstack-backend backend","version":"0.0.3","words":"clever-upload-backend cleverstack file uploading and management =durango =pilsy cleverstack clevertech cleverstack-module cleverstack-backend backend","author":"=durango =pilsy","date":"2014-02-27 "},{"name":"clever-workflow","description":"Amazon's Simple Workflow for CleverStack","url":null,"keywords":"cleverstack cleverstack-module cleverstack-modules cleverstack-backend","version":"0.0.1","words":"clever-workflow amazon's simple workflow for cleverstack =durango =pilsy cleverstack cleverstack-module cleverstack-modules cleverstack-backend","author":"=durango =pilsy","date":"2014-01-28 "},{"name":"clever_algorithms_js","description":"Clever Algorithmes in JS.","url":null,"keywords":"","version":"0.1.2","words":"clever_algorithms_js clever algorithmes in js. =yuan","author":"=yuan","date":"2014-07-05 "},{"name":"clever_db","keywords":"","version":[],"words":"clever_db","author":"","date":"2014-06-26 "},{"name":"cleverbot-irc","description":"IRC bot that defers to Cleverbot","url":null,"keywords":"","version":"0.3.1","words":"cleverbot-irc irc bot that defers to cleverbot =clux","author":"=clux","date":"2014-05-13 "},{"name":"cleverbot-node","description":"Cleverbot client","url":null,"keywords":"cleverbot","version":"0.1.8","words":"cleverbot-node cleverbot client =fojas cleverbot","author":"=fojas","date":"2014-05-07 "},{"name":"cleverelements-soap","description":"Use CleverElements SOAP API","url":null,"keywords":"newsletter api soap subscriber","version":"0.1.0","words":"cleverelements-soap use cleverelements soap api =nd newsletter api soap subscriber","author":"=nd","date":"2013-04-22 "},{"name":"cleverrulio","description":"A Rulio module that makes him...Clever-ish","url":null,"keywords":"rulio irc module cleverbot","version":"0.1.1","words":"cleverrulio a rulio module that makes him...clever-ish =foliveira rulio irc module cleverbot","author":"=foliveira","date":"2012-10-08 "},{"name":"cleverstack-cli","description":"Command line interface for CleverStack","url":null,"keywords":"framework cli command line interface angular full stack full stack js full stack javascript full stack framework generator seed","version":"1.0.7","words":"cleverstack-cli command line interface for cleverstack =durango =pilsy =danielyoung framework cli command line interface angular full stack full stack js full stack javascript full stack framework generator seed","author":"=durango =pilsy =danielyoung","date":"2014-07-08 "},{"name":"clf","description":"A little console app to query commandlinefu.com. With use of aspects.","url":null,"keywords":"","version":"0.1.0","words":"clf a little console app to query commandlinefu.com. with use of aspects. =100hz","author":"=100hz","date":"2013-06-11 "},{"name":"clf-parser","description":"A basic parser for the common log format seen in apache and nginx logs","url":null,"keywords":"clf common log format parser","version":"0.0.2","words":"clf-parser a basic parser for the common log format seen in apache and nginx logs =jesusabdullah clf common log format parser","author":"=jesusabdullah","date":"2013-10-20 "},{"name":"cli","description":"A tool for rapidly building command line apps","url":null,"keywords":"cli command line opts parseopt opt args console argsparse optparse daemon autocomplete command autocompletion","version":"0.6.4","words":"cli a tool for rapidly building command line apps =cohara87 cli command line opts parseopt opt args console argsparse optparse daemon autocomplete command autocompletion","author":"=cohara87","date":"2014-08-27 "},{"name":"cli-app","description":"Simple command line application helper","url":null,"keywords":"","version":"0.1.0","words":"cli-app simple command line application helper =rumpl","author":"=rumpl","date":"2013-03-18 "},{"name":"cli-argparse","description":"Lightweight argument parser","url":null,"keywords":"cli optparse argparse arguments options","version":"0.4.1","words":"cli-argparse lightweight argument parser =muji cli optparse argparse arguments options","author":"=muji","date":"2014-09-17 "},{"name":"cli-args","description":"small command line parser","url":null,"keywords":"cli args argument options command parser","version":"1.1.1","words":"cli-args small command line parser =quim cli args argument options command parser","author":"=quim","date":"2014-08-30 "},{"name":"cli-boilerplate","description":"add html boilerplate to you clipboard for pasting wins","url":null,"keywords":"HTML5 boilerplate cli command line","version":"1.0.1","words":"cli-boilerplate add html boilerplate to you clipboard for pasting wins =jlord html5 boilerplate cli command line","author":"=jlord","date":"2014-09-06 "},{"name":"cli-box","description":"A library to generate ASCII boxes via NodeJS","url":null,"keywords":"cli box ascii node","version":"1.1.0","words":"cli-box a library to generate ascii boxes via nodejs =ionicabizau cli box ascii node","author":"=ionicabizau","date":"2014-09-04 "},{"name":"cli-calendar","description":"check your google calendar for the day from your command line","url":null,"keywords":"gcal ics google calendar","version":"0.1.0","words":"cli-calendar check your google calendar for the day from your command line =jden gcal ics google calendar","author":"=jden","date":"2014-06-06 "},{"name":"cli-chart","description":"Ansi color Bar Charts in your terminal with node.js!","url":null,"keywords":"terminal ansi chart bar console graph","version":"0.3.0","words":"cli-chart ansi color bar charts in your terminal with node.js! =andrewjstone terminal ansi chart bar console graph","author":"=andrewjstone","date":"2013-06-18 "},{"name":"cli-clear","description":"Cross-platform terminal screen clear.","url":null,"keywords":"clear cli cls","version":"1.0.2","words":"cli-clear cross-platform terminal screen clear. =stevenvachon clear cli cls","author":"=stevenvachon","date":"2014-08-12 "},{"name":"cli-color","description":"Colors, formatting and other tools for the console","url":null,"keywords":"ansi color console terminal cli shell log logging xterm","version":"0.3.2","words":"cli-color colors, formatting and other tools for the console =medikoo ansi color console terminal cli shell log logging xterm","author":"=medikoo","date":"2014-04-27 "},{"name":"cli-command","description":"Command execution for cli programs","url":null,"keywords":"cli parse option argument command","version":"0.8.213","words":"cli-command command execution for cli programs =muji cli parse option argument command","author":"=muji","date":"2014-09-20 "},{"name":"cli-config","description":"A 'one call' API maps lib to a command line interface. Merges settings from package, home, project, project group, command options, env. var, overrides and package.json into one object. Checks settings schema changes. Optionally runs a lib command. BYO Y","url":null,"keywords":"config configuration settings options cli yaml coffee coffeescript command-line default defaults json minimist","version":"0.4.2","words":"cli-config a 'one call' api maps lib to a command line interface. merges settings from package, home, project, project group, command options, env. var, overrides and package.json into one object. checks settings schema changes. optionally runs a lib command. byo y =tohagan config configuration settings options cli yaml coffee coffeescript command-line default defaults json minimist","author":"=tohagan","date":"2014-09-01 "},{"name":"cli-cursor","description":"Toggle the CLI cursor","url":null,"keywords":"cli cursor ansi toggle display show hide term terminal console tty shell command-line","version":"1.0.1","words":"cli-cursor toggle the cli cursor =sindresorhus cli cursor ansi toggle display show hide term terminal console tty shell command-line","author":"=sindresorhus","date":"2014-08-31 "},{"name":"cli-debug","description":"Small library built on top of console.log","url":null,"keywords":"","version":"0.0.3","words":"cli-debug small library built on top of console.log =zerox","author":"=zerox","date":"2013-06-30 "},{"name":"cli-debugger","description":"command-line debugger for node.js","url":null,"keywords":"debugger cli","version":"0.0.2","words":"cli-debugger command-line debugger for node.js =sidorares debugger cli","author":"=sidorares","date":"2013-11-14 "},{"name":"cli-define","description":"Chainable argument builder for a command line interface","url":null,"keywords":"cli argument option","version":"0.5.39","words":"cli-define chainable argument builder for a command line interface =muji cli argument option","author":"=muji","date":"2014-09-20 "},{"name":"cli-easy","description":"Fluent (i.e. chainable) syntax for generating vows tests against CLI tools.","url":null,"keywords":"tools testing cli vows","version":"0.1.0","words":"cli-easy fluent (i.e. chainable) syntax for generating vows tests against cli tools. =indexzero tools testing cli vows","author":"=indexzero","date":"2012-02-09 "},{"name":"cli-env","description":"Environment variable management","url":null,"keywords":"cli env environment","version":"1.0.9","words":"cli-env environment variable management =muji cli env environment","author":"=muji","date":"2014-09-07 "},{"name":"cli-error","description":"Unified error handling for command line interfaces","url":null,"keywords":"cli error exit","version":"0.5.7","words":"cli-error unified error handling for command line interfaces =muji cli error exit","author":"=muji","date":"2014-09-18 "},{"name":"cli-fs","description":"Utility functions for working with the filesystem","url":null,"keywords":"cli fs filesystem util","version":"1.0.3","words":"cli-fs utility functions for working with the filesystem =muji cli fs filesystem util","author":"=muji","date":"2014-02-19 "},{"name":"cli-gitlab","description":"GitLab CLI library.","url":null,"keywords":"gitlab cli git api request","version":"1.0.1","words":"cli-gitlab gitlab cli library. =mdsb100 gitlab cli git api request","author":"=mdsb100","date":"2014-09-03 "},{"name":"cli-input","description":"Prompt and user input library.","url":null,"keywords":"cli user input readline prompt read interactive stdin","version":"0.0.91","words":"cli-input prompt and user input library. =muji cli user input readline prompt read interactive stdin","author":"=muji","date":"2014-09-19 "},{"name":"cli-interface","description":"Interface to decouple executables from library code","url":null,"keywords":"cli command interface test decouple","version":"1.0.8","words":"cli-interface interface to decouple executables from library code =muji cli command interface test decouple","author":"=muji","date":"2014-02-27 "},{"name":"cli-js","description":"cli-js ------","url":null,"keywords":"","version":"0.0.8","words":"cli-js cli-js ------ =jenius","author":"=jenius","date":"2013-09-26 "},{"name":"cli-juggle","description":"watch files and execute command on change","url":null,"keywords":"juggle file watch watching watcher testing less exec execute","version":"0.1.4","words":"cli-juggle watch files and execute command on change =adamclerk juggle file watch watching watcher testing less exec execute","author":"=adamclerk","date":"2013-07-06 "},{"name":"cli-learn","description":"It's a cli learning project. with nodejs","url":null,"keywords":"","version":"0.0.0","words":"cli-learn it's a cli learning project. with nodejs =zhuyaqiu001","author":"=zhuyaqiu001","date":"2014-07-21 "},{"name":"cli-less","description":"unix less in pure node","url":null,"keywords":"","version":"0.5.0","words":"cli-less unix less in pure node =raynos","author":"=raynos","date":"2014-06-12 "},{"name":"cli-lib","description":"A library to support creation of command line tools with Nodejs","url":null,"keywords":"","version":"0.0.1","words":"cli-lib a library to support creation of command line tools with nodejs =vzaccaria","author":"=vzaccaria","date":"2014-07-31 "},{"name":"cli-lipsum","description":"Canonical example for the command module","url":null,"keywords":"cli example program lipsum command","version":"0.0.5","words":"cli-lipsum canonical example for the command module =muji cli example program lipsum command","author":"=muji","date":"2014-02-26 "},{"name":"cli-listener","description":"Gives your nodejs app a real CLI prompt to play in.","url":null,"keywords":"","version":"0.0.4","words":"cli-listener gives your nodejs app a real cli prompt to play in. =qrpike","author":"=qrpike","date":"2013-04-21 "},{"name":"cli-locale","description":"Utilities for working with LC environment variables","url":null,"keywords":"cli environment lc locale","version":"0.2.0","words":"cli-locale utilities for working with lc environment variables =muji cli environment lc locale","author":"=muji","date":"2014-02-19 "},{"name":"cli-log","description":"This project provides common log methods for command line.","url":null,"keywords":"git cli log cli-log external commands helpers","version":"0.0.8","words":"cli-log this project provides common log methods for command line. =eduardolundgren git cli log cli-log external commands helpers","author":"=eduardolundgren","date":"2013-09-11 "},{"name":"cli-logger","description":"Logger implementation for command line interfaces","url":null,"keywords":"cli log logger","version":"0.5.23","words":"cli-logger logger implementation for command line interfaces =muji cli log logger","author":"=muji","date":"2014-09-15 "},{"name":"cli-mandelbrot","description":"A command line viewer of the Mandelbrot set","url":null,"keywords":"mandelbrot fractal ascii math cli","version":"0.1.5","words":"cli-mandelbrot a command line viewer of the mandelbrot set =danyshaanan mandelbrot fractal ascii math cli","author":"=danyshaanan","date":"2014-03-08 "},{"name":"cli-manpage","description":"Man page generation tool","url":null,"keywords":"cli manual help man","version":"0.0.9","words":"cli-manpage man page generation tool =muji cli manual help man","author":"=muji","date":"2014-08-23 "},{"name":"cli-md","description":"Markdown for your terminal","url":null,"keywords":"markdown terminal","version":"0.1.0","words":"cli-md markdown for your terminal =finnpauls markdown terminal","author":"=finnpauls","date":"2014-08-06 "},{"name":"cli-meter","description":"Dynamic meter in your terminal","url":null,"keywords":"cli console terminal meter progress bar percent","version":"0.0.1","words":"cli-meter dynamic meter in your terminal =tabdigital cli console terminal meter progress bar percent","author":"=tabdigital","date":"2014-07-11 "},{"name":"cli-native","description":"Native type conversion functions","url":null,"keywords":"cli string type native","version":"1.0.0","words":"cli-native native type conversion functions =muji cli string type native","author":"=muji","date":"2014-02-04 "},{"name":"cli-node","description":"Simple cli for Node.js","url":null,"keywords":"util nodejs configuration config cli","version":"0.0.2","words":"cli-node simple cli for node.js =dpweb util nodejs configuration config cli","author":"=dpweb","date":"2013-07-09 "},{"name":"cli-node-tools","description":"Gar's node tools","url":null,"keywords":"","version":"0.0.3","words":"cli-node-tools gar's node tools =gar","author":"=gar","date":"2012-12-07 "},{"name":"cli-path-resolve","description":"resolve/normalize a filepath using the cwd as the basepath if relative","url":null,"keywords":"cli path resolve normalize relative","version":"0.0.2","words":"cli-path-resolve resolve/normalize a filepath using the cwd as the basepath if relative =binocarlos cli path resolve normalize relative","author":"=binocarlos","date":"2014-06-28 "},{"name":"cli-presentation","description":"Give presentations from your terminal","url":null,"keywords":"cli presentation terminal","version":"0.3.2","words":"cli-presentation give presentations from your terminal =twolfson cli presentation terminal","author":"=twolfson","date":"2013-12-07 "},{"name":"cli-presenter","description":"A node-cli presenter based on REPL","url":null,"keywords":"repl cli presenter code-demo presentation","version":"0.0.1","words":"cli-presenter a node-cli presenter based on repl =meaku repl cli presenter code-demo presentation","author":"=meaku","date":"2012-12-09 "},{"name":"cli-prompt","description":"A tiny CLI prompter","url":null,"keywords":"prompt cli readline input terminal console wizard","version":"0.4.1","words":"cli-prompt a tiny cli prompter =carlos8f prompt cli readline input terminal console wizard","author":"=carlos8f","date":"2014-04-14 "},{"name":"cli-rc","description":"Run control for command line interfaces","url":null,"keywords":"cli rc run control runtime configuration ini json","version":"1.0.8","words":"cli-rc run control for command line interfaces =muji cli rc run control runtime configuration ini json","author":"=muji","date":"2014-09-08 "},{"name":"cli-s3-app-pusher","description":"A cli tool designed to help developers push their static apps to s3","url":null,"keywords":"s3 aws cli","version":"0.0.0","words":"cli-s3-app-pusher a cli tool designed to help developers push their static apps to s3 =srk9 s3 aws cli","author":"=srk9","date":"2013-10-29 "},{"name":"cli-scrape","description":"screen scrape from command line with xpath or css selectors","url":null,"keywords":"scrape scraper scraping jquery qwery css selector xpath","version":"0.1.8","words":"cli-scrape screen scrape from command line with xpath or css selectors =pthrasher scrape scraper scraping jquery qwery css selector xpath","author":"=pthrasher","date":"2012-11-14 "},{"name":"cli-soap-call","description":"nodejs commandline tool to make call soap and got result","url":null,"keywords":"cli soap json","version":"0.0.4","words":"cli-soap-call nodejs commandline tool to make call soap and got result =tornad cli soap json","author":"=tornad","date":"2014-09-03 "},{"name":"cli-spinner","description":"A simple spinner","url":null,"keywords":"cli","version":"0.1.5","words":"cli-spinner a simple spinner =helloiampau cli","author":"=helloiampau","date":"2013-12-15 "},{"name":"cli-spy","description":"Helper utility for testing isolated cli modules.","url":null,"keywords":"test cli spy","version":"0.2.2","words":"cli-spy helper utility for testing isolated cli modules. =unkillbob test cli spy","author":"=unkillbob","date":"2014-03-16 "},{"name":"cli-status","description":"Highly configurable status indicators for your node.js cli.","url":null,"keywords":"cli status progress indicator","version":"0.1.1","words":"cli-status highly configurable status indicators for your node.js cli. =fishrock123 cli status progress indicator","author":"=fishrock123","date":"2013-05-22 "},{"name":"cli-streams","description":"A duplex stream of process.stdin/stdout or filestreams depending on cli options","url":null,"keywords":"cli streams input output duplex","version":"0.0.2","words":"cli-streams a duplex stream of process.stdin/stdout or filestreams depending on cli options =binocarlos cli streams input output duplex","author":"=binocarlos","date":"2014-06-29 "},{"name":"cli-sudoku","description":"cli sudoku","url":null,"keywords":"sudoku cli game","version":"0.0.1","words":"cli-sudoku cli sudoku =shaunxcode sudoku cli game","author":"=shaunxcode","date":"2013-03-08 "},{"name":"cli-table","description":"Pretty unicode tables for the CLI","url":null,"keywords":"cli colors table","version":"0.3.0","words":"cli-table pretty unicode tables for the cli =rauchg cli colors table","author":"=rauchg","date":"2014-02-02 "},{"name":"cli-toolkit","description":"Modular command line interface toolkit","url":null,"keywords":"cli modular toolkit framework","version":"0.0.2","words":"cli-toolkit modular command line interface toolkit =muji cli modular toolkit framework","author":"=muji","date":"2014-01-30 "},{"name":"cli-trader","description":"A simple commandline trading tool for BTCe","url":null,"keywords":"trade cli commandline bitcoin ltc btc btce","version":"0.0.2","words":"cli-trader a simple commandline trading tool for btce =benjamind trade cli commandline bitcoin ltc btc btce","author":"=benjamind","date":"2013-12-10 "},{"name":"cli-tree","description":"Object tree viewer for the CLI","url":null,"keywords":"cli tree","version":"0.0.1","words":"cli-tree object tree viewer for the cli =morishitter cli tree","author":"=morishitter","date":"2014-05-29 "},{"name":"CLI-UI","description":"A command-line based user interface library for node.js","url":null,"keywords":"","version":"0.2.0","words":"cli-ui a command-line based user interface library for node.js =11rcombs","author":"=11rcombs","date":"2011-06-01 "},{"name":"cli-update","description":"A library to update stdout output.","url":null,"keywords":"stdout nodejs cli","version":"0.0.1","words":"cli-update a library to update stdout output. =ionicabizau stdout nodejs cli","author":"=ionicabizau","date":"2014-08-13 "},{"name":"cli-updater","description":"Dead-simple updater for node.js cli applications","url":null,"keywords":"cli update updater","version":"0.0.1","words":"cli-updater dead-simple updater for node.js cli applications =thilterbrand cli update updater","author":"=thilterbrand","date":"2012-12-06 "},{"name":"cli-usage","description":"Easily show CLI usage from a markdown source file","url":null,"keywords":"CLI-Usage Markdown Usage CLI Print-Usage","version":"0.1.1","words":"cli-usage easily show cli usage from a markdown source file =mikaelb cli-usage markdown usage cli print-usage","author":"=mikaelb","date":"2014-07-28 "},{"name":"cli-util","description":"Utility functions for the cli toolkit","url":null,"keywords":"cli string util","version":"1.1.19","words":"cli-util utility functions for the cli toolkit =muji cli string util","author":"=muji","date":"2014-09-15 "},{"name":"cli-wizard","description":"Command line wizard library for node.js","url":null,"keywords":"cli wizard menu","version":"0.1.2","words":"cli-wizard command line wizard library for node.js =gewfy cli wizard menu","author":"=gewfy","date":"2013-11-29 "},{"name":"cli.args","description":"Easy command line arguments handling library for node.js","url":null,"keywords":"cli-args cli args argc argv arguments command parser getopt","version":"0.0.7","words":"cli.args easy command line arguments handling library for node.js =meyn cli-args cli args argc argv arguments command parser getopt","author":"=meyn","date":"2014-09-01 "},{"name":"cli_debug","description":"allows interactive coding in the console","url":null,"keywords":"cli interactive node jsconsole devtools","version":"0.5.2","words":"cli_debug allows interactive coding in the console =jtbrinkmann cli interactive node jsconsole devtools","author":"=jtbrinkmann","date":"2014-05-23 "},{"name":"cli_mirror","description":"A tool and library for using then Google Glass Mirror API from node.js","url":null,"keywords":"Google Glass Mirror oauth node.js","version":"0.0.15","words":"cli_mirror a tool and library for using then google glass mirror api from node.js =prinz08 google glass mirror oauth node.js","author":"=prinz08","date":"2014-03-27 "},{"name":"cli_router","description":"A router for parsing command line arguments.","url":null,"keywords":"","version":"0.3.0","words":"cli_router a router for parsing command line arguments. =jackfranklin","author":"=jackfranklin","date":"2013-04-01 "},{"name":"cli_temcafe","description":"Show message from http request in the terminal","url":null,"keywords":"cli terminal m2m","version":"0.1.8","words":"cli_temcafe show message from http request in the terminal =desisant cli terminal m2m","author":"=desisant","date":"2014-08-19 "},{"name":"cliak","description":"Node CLI for CRUD operations on a Riak distributed database instance","url":null,"keywords":"CLI riak node","version":"0.0.3","words":"cliak node cli for crud operations on a riak distributed database instance =csolar cli riak node","author":"=csolar","date":"2013-04-07 "},{"name":"cliargs","description":"command line argument parser","url":null,"keywords":"","version":"0.1.1","words":"cliargs command line argument parser =cioddi","author":"=cioddi","date":"2013-09-18 "},{"name":"clib","description":"C package manager","url":null,"keywords":"c clib package manager","version":"0.2.0","words":"clib c package manager =tjholowaychuk c clib package manager","author":"=tjholowaychuk","date":"2013-12-19 "},{"name":"clib-create","description":"Create a `clib` skeleton","url":null,"keywords":"c clib skeleton","version":"0.0.2","words":"clib-create create a `clib` skeleton =stephenmathieson c clib skeleton","author":"=stephenmathieson","date":"2013-10-12 "},{"name":"click","description":"Simulate mouse events","url":null,"keywords":"browser mouse event simulate click","version":"0.1.0","words":"click simulate mouse events =uggedal browser mouse event simulate click","author":"=uggedal","date":"2013-10-14 "},{"name":"click-boards","description":"A node.js module to interface with various click boards from MikroElectronica","url":null,"keywords":"mikroBUS cape click board MikroElectronica BeagleBone Black ADXL345 L3GD20","version":"1.0.0","words":"click-boards a node.js module to interface with various click boards from mikroelectronica =mrose17 mikrobus cape click board mikroelectronica beaglebone black adxl345 l3gd20","author":"=mrose17","date":"2014-03-01 "},{"name":"click-outside","description":"The inverse of the DOM \"click\" event","url":null,"keywords":"click dom outside document browser callback","version":"0.1.0","words":"click-outside the inverse of the dom \"click\" event =tootallnate click dom outside document browser callback","author":"=tootallnate","date":"2014-05-28 "},{"name":"clickable","description":"Check if element is clickable","url":null,"keywords":"","version":"1.0.0","words":"clickable check if element is clickable =nzykr","author":"=nzykr","date":"2014-09-18 "},{"name":"clickatell","description":"Client for the Clickatell SMS gateway.","url":null,"keywords":"","version":"0.0.1","words":"clickatell client for the clickatell sms gateway. =pingles","author":"=pingles","date":"2011-09-07 "},{"name":"clickatell-api","description":"Wrapper for Clickatell SMS gateway","url":null,"keywords":"clickatell api sms-gateway sms","version":"0.0.2","words":"clickatell-api wrapper for clickatell sms gateway =ifraixedes clickatell api sms-gateway sms","author":"=ifraixedes","date":"2013-10-27 "},{"name":"clickbait","description":"Classify a string as click bait or not","url":null,"keywords":"click bait spam clickbait","version":"1.1.0","words":"clickbait classify a string as click bait or not =tjkrusinski click bait spam clickbait","author":"=tjkrusinski","date":"2014-08-31 "},{"name":"clickbutton","description":"A simple click button UI component","url":null,"keywords":"","version":"0.0.2","words":"clickbutton a simple click button ui component =gre","author":"=gre","date":"2013-12-09 "},{"name":"clickdrag","description":"generic low-level click and drag utility for DOM events","url":null,"keywords":"click drag and drop dnd dom events event mouse mouseclick mousedown mousemove dragstart dragend","version":"1.0.0","words":"clickdrag generic low-level click and drag utility for dom events =mattdesl click drag and drop dnd dom events event mouse mouseclick mousedown mousemove dragstart dragend","author":"=mattdesl","date":"2014-09-11 "},{"name":"clickhole-headlines","description":"get the latest 200 headlines from clickhole.com","url":null,"keywords":"clickhole scraper","version":"1.0.1","words":"clickhole-headlines get the latest 200 headlines from clickhole.com =tjkrusinski clickhole scraper","author":"=tjkrusinski","date":"2014-08-30 "},{"name":"clickquery","description":"jQuery.click() in 342 characters","url":null,"keywords":"","version":"1.0.0","words":"clickquery jquery.click() in 342 characters =ajkochanowicz","author":"=ajkochanowicz","date":"2014-08-12 "},{"name":"clicks","description":"Browser click streams","url":null,"keywords":"click steam clickstream s2js spring springsource","version":"0.1.1","words":"clicks browser click streams =s2js click steam clickstream s2js spring springsource","author":"=s2js","date":"2012-12-14 "},{"name":"clickthatisnotatextselection","description":"Listen to click events that does not come from text selection.","url":null,"keywords":"","version":"0.1.1","words":"clickthatisnotatextselection listen to click events that does not come from text selection. =fgribreau","author":"=fgribreau","date":"2013-01-22 "},{"name":"clicktime","description":"A wrapper for the ClickTime SOAP API","url":null,"keywords":"","version":"0.0.2","words":"clicktime a wrapper for the clicktime soap api =caseyohara","author":"=caseyohara","date":"2011-09-22 "},{"name":"clicli","description":"makes literally any node module into a CLI tool","url":null,"keywords":"cli tool meta post-structuralism","version":"0.1.0","words":"clicli makes literally any node module into a cli tool =btford cli tool meta post-structuralism","author":"=btford","date":"2014-06-27 "},{"name":"clide","keywords":"","version":[],"words":"clide","author":"","date":"2013-10-05 "},{"name":"clie","description":"Command line with evented composition","url":null,"keywords":"cli evented command-line","version":"0.1.5","words":"clie command line with evented composition =tristanls cli evented command-line","author":"=tristanls","date":"2014-07-08 "},{"name":"clie-lines","description":"Emit lines","url":null,"keywords":"clie command lines","version":"0.0.1","words":"clie-lines emit lines =tristanls clie command lines","author":"=tristanls","date":"2013-12-22 "},{"name":"client","description":"Continuum Bridge Raspberry Pi development package","url":null,"keywords":"","version":"0.0.1","words":"client continuum bridge raspberry pi development package =continuumbridge","author":"=continuumbridge","date":"2014-08-22 "},{"name":"client-backfire","keywords":"","version":[],"words":"client-backfire","author":"","date":"2013-09-24 "},{"name":"client-certificate-auth","description":"middleware for Node.js implementing client SSL certificate authentication/authorization","url":null,"keywords":"authentication ssl express connect middleware","version":"0.3.0","words":"client-certificate-auth middleware for node.js implementing client ssl certificate authentication/authorization =tgies authentication ssl express connect middleware","author":"=tgies","date":"2014-03-17 "},{"name":"client-compiler","description":"Client-side code compiler","url":null,"keywords":"","version":"0.1.9","words":"client-compiler client-side code compiler =rubenv","author":"=rubenv","date":"2013-04-05 "},{"name":"client-error","description":"Error class for Node servers","url":null,"keywords":"node error client","version":"0.1.0","words":"client-error error class for node servers =guillaumervls node error client","author":"=guillaumervls","date":"2014-02-27 "},{"name":"client-firebase","description":"Npm package to use firebase thanks to browserify","url":null,"keywords":"","version":"1.0.1","words":"client-firebase npm package to use firebase thanks to browserify =cl0udw4lk3r","author":"=cl0udw4lk3r","date":"2014-06-25 "},{"name":"client-http","description":"Node client HTTP/HTTPS request wrapper for easy to make client HTTP/HTTPS request","url":null,"keywords":"http https proxy cookie","version":"0.0.7","words":"client-http node client http/https request wrapper for easy to make client http/https request =hkbarton http https proxy cookie","author":"=hkbarton","date":"2014-05-30 "},{"name":"client-ip","description":"Get the client IP address of the current request","url":null,"keywords":"client ip request remote address x-forward-for","version":"0.1.0","words":"client-ip get the client ip address of the current request =scottcorgan client ip request remote address x-forward-for","author":"=scottcorgan","date":"2014-07-29 "},{"name":"client-lib","description":"Client side shared library","url":null,"keywords":"Banno client-side library","version":"0.0.12","words":"client-lib client side shared library =jack.viers banno client-side library","author":"=jack.viers","date":"2013-09-17 "},{"name":"client-manager","description":"A really simple script to manage clients","url":null,"keywords":"clients socket manager","version":"0.0.2-3","words":"client-manager a really simple script to manage clients =folklore =dmongeau =francoiscote clients socket manager","author":"=folklore =dmongeau =francoiscote","date":"2012-12-10 "},{"name":"client-oauth","description":"OAuth client library","url":null,"keywords":"","version":"0.1.2","words":"client-oauth oauth client library =jhermsmeier","author":"=jhermsmeier","date":"2012-09-27 "},{"name":"client-reloader","description":"Reload client sessions, when they connect with an old client js. recommended use with [reconnect](https://npm.im/reconnect) and [shoe](https://npm.im/shoe) or other client-side stream api.","url":null,"keywords":"","version":"1.2.2","words":"client-reloader reload client sessions, when they connect with an old client js. recommended use with [reconnect](https://npm.im/reconnect) and [shoe](https://npm.im/shoe) or other client-side stream api. =dominictarr","author":"=dominictarr","date":"2013-02-04 "},{"name":"client-router","description":"Single page app router.","url":null,"keywords":"single page app routing push state","version":"0.0.0","words":"client-router single page app router. =juliangruber single page app routing push state","author":"=juliangruber","date":"2013-08-08 "},{"name":"client-server-auth","description":"This is an implementation of the passport auth with the server-client link","url":null,"keywords":"passport","version":"0.0.4","words":"client-server-auth this is an implementation of the passport auth with the server-client link =borrey passport","author":"=borrey","date":"2013-03-22 "},{"name":"client-server-link","description":"Basic interupt for http server so that modules can contain both server and client aspects","url":null,"keywords":"nodejs http https","version":"0.1.0","words":"client-server-link basic interupt for http server so that modules can contain both server and client aspects =borrey nodejs http https","author":"=borrey","date":"2013-04-04 "},{"name":"client-session","description":"cookie session for nodejs, store session in client browers's cookie, support Cross Process session without database store","url":null,"keywords":"cookie session cookie session client session cookie process Cross Process","version":"0.1.7","words":"client-session cookie session for nodejs, store session in client browers's cookie, support cross process session without database store =doublespout cookie session cookie session client session cookie process cross process","author":"=doublespout","date":"2014-07-22 "},{"name":"client-session-id","description":"A small session library that tracks the id of a client using signed cookies","url":null,"keywords":"session client id","version":"0.0.6","words":"client-session-id a small session library that tracks the id of a client using signed cookies =download session client id","author":"=download","date":"2014-04-10 "},{"name":"client-sessions","description":"secure sessions stored in cookies","url":null,"keywords":"","version":"0.7.0","words":"client-sessions secure sessions stored in cookies =benadida =lloyd =seanmonstar","author":"=benadida =lloyd =seanmonstar","date":"2014-09-15 "},{"name":"client-templates","description":"roots extension that precompiles templates for use on the client side","url":null,"keywords":"roots-extension precompile client-side templates","version":"0.0.7","words":"client-templates roots extension that precompiles templates for use on the client side =jenius roots-extension precompile client-side templates","author":"=jenius","date":"2014-05-27 "},{"name":"client-transac-redline","description":"Node.js client for transac-redline","url":null,"keywords":"transac log production","version":"0.0.5","words":"client-transac-redline node.js client for transac-redline =ebasley transac log production","author":"=ebasley","date":"2014-03-19 "},{"name":"client_require","description":"NPM modules packaged with a CommonJS module interface and served synchronously to the client.","url":null,"keywords":"","version":"0.4.0","words":"client_require npm modules packaged with a commonjs module interface and served synchronously to the client. =yuffster","author":"=yuffster","date":"2014-01-12 "},{"name":"clientconfig","description":"Simple way to pass config items from server to client","url":null,"keywords":"","version":"1.0.0","words":"clientconfig simple way to pass config items from server to client =henrikjoreteg","author":"=henrikjoreteg","date":"2014-07-16 "},{"name":"clientexpress","description":"An implementation of the Express API for use in the browser to progressively enhance the user experience using JavaScript","url":null,"keywords":"","version":"0.7.7","words":"clientexpress an implementation of the express api for use in the browser to progressively enhance the user experience using javascript =marknijhof","author":"=marknijhof","date":"2011-10-03 "},{"name":"clientify","url":null,"keywords":"","version":"0.0.3","words":"clientify =pkozlowski_os","author":"=pkozlowski_os","date":"2014-03-08 "},{"name":"clientjade","description":"a command line utility to generate compiled jade templates for the browser","url":null,"keywords":"jade template browser compile","version":"0.1.1","words":"clientjade a command line utility to generate compiled jade templates for the browser =jga jade template browser compile","author":"=jga","date":"2012-10-05 "},{"name":"clientjade-dev","keywords":"","version":[],"words":"clientjade-dev","author":"","date":"2012-12-04 "},{"name":"clientmodules","description":"A small util for using npm to install clientside packages.","url":null,"keywords":"cli browser commonjs","version":"0.0.6","words":"clientmodules a small util for using npm to install clientside packages. =henrikjoreteg cli browser commonjs","author":"=henrikjoreteg","date":"2013-06-04 "},{"name":"clientmongo","description":"MongoDB proxy for clientside","url":null,"keywords":"","version":"0.3.7","words":"clientmongo mongodb proxy for clientside =raynos","author":"=raynos","date":"2012-04-21 "},{"name":"clients-node","description":"Show recently connected clients in nodejs/express","url":null,"keywords":"util nodejs","version":"0.0.1","words":"clients-node show recently connected clients in nodejs/express =dpweb util nodejs","author":"=dpweb","date":"2012-12-10 "},{"name":"clientside","description":"a tool for converting CommonJS style code into code for the browser","url":null,"keywords":"build browser AMD compile require","version":"0.5.1","words":"clientside a tool for converting commonjs style code into code for the browser =jga build browser amd compile require","author":"=jga","date":"2012-11-14 "},{"name":"cliff","description":"Your CLI formatting friend.","url":null,"keywords":"cli logging tools winston","version":"0.1.9","words":"cliff your cli formatting friend. =indexzero =jcrugzz cli logging tools winston","author":"=indexzero =jcrugzz","date":"2014-09-15 "},{"name":"cliffold","description":"Scaffolding for Node CLIs. Uses posix-argv-parser for kick-ass Posix compliant argv parsing, and adds convenience utilities for logging, pid files, overriding command line arguments from environment variables and more.","url":null,"keywords":"cli","version":"0.3.0","words":"cliffold scaffolding for node clis. uses posix-argv-parser for kick-ass posix compliant argv parsing, and adds convenience utilities for logging, pid files, overriding command line arguments from environment variables and more. =cjohansen cli","author":"=cjohansen","date":"2013-06-20 "},{"name":"clifier","description":"Create cli utility easily","url":null,"keywords":"cli command command line console terminal","version":"0.0.6","words":"clifier create cli utility easily =capitainemousse cli command command line console terminal","author":"=capitainemousse","date":"2013-07-25 "},{"name":"clify","description":"Tiny CLI-wrapper for your functions","url":null,"keywords":"","version":"0.2.0","words":"clify tiny cli-wrapper for your functions =alexeyraspopov","author":"=alexeyraspopov","date":"2014-04-25 "},{"name":"clijs","description":"Tower cli provides a standard interface for creating cli utilities.","url":null,"keywords":"","version":"0.1.2","words":"clijs tower cli provides a standard interface for creating cli utilities. =thehydroimpulse","author":"=thehydroimpulse","date":"2014-06-11 "},{"name":"clilog","description":"NodeJs command-line log tool","url":null,"keywords":"command-line log","version":"1.0.0","words":"clilog nodejs command-line log tool =viwayne command-line log","author":"=viwayne","date":"2014-09-18 "},{"name":"clim","description":"Console.Log IMproved","url":null,"keywords":"","version":"1.0.0","words":"clim console.log improved =epeli","author":"=epeli","date":"2012-09-30 "},{"name":"clima-tempo","description":"Communication with Clima Tempo accessing information about the weather of Brazil.","url":null,"keywords":"climatempo clima-tempo weather clima tempo","version":"0.0.9","words":"clima-tempo communication with clima tempo accessing information about the weather of brazil. =ptarcode climatempo clima-tempo weather clima tempo","author":"=ptarcode","date":"2013-09-07 "},{"name":"climagic","description":"Get todays command from climagic.org","url":null,"keywords":"","version":"0.0.0","words":"climagic get todays command from climagic.org =hemanth","author":"=hemanth","date":"2012-05-23 "},{"name":"climap","description":"Super simple source map generation for CLI tools.","url":null,"keywords":"cli source map","version":"0.1.2","words":"climap super simple source map generation for cli tools. =lydell cli source map","author":"=lydell","date":"2014-03-03 "},{"name":"climate","description":"Eve magic for console / prompt interaction","url":null,"keywords":"console prompt cli events eve","version":"0.2.2","words":"climate eve magic for console / prompt interaction =damonoehlman console prompt cli events eve","author":"=damonoehlman","date":"2014-05-12 "},{"name":"climate-s17005","keywords":"","version":[],"words":"climate-s17005","author":"","date":"2014-04-22 "},{"name":"climate-si7005","description":"The library for using the Climate si7005 module for Tessel. Get temperature and humidity.","url":null,"keywords":"","version":"0.1.3","words":"climate-si7005 the library for using the climate si7005 module for tessel. get temperature and humidity. =tcr =technicalmachine","author":"=tcr =technicalmachine","date":"2014-06-04 "},{"name":"climate-si7020","description":"The library for using the Climate si7020 module for Tessel. Get temperature and humidity.","url":null,"keywords":"","version":"0.1.0","words":"climate-si7020 the library for using the climate si7020 module for tessel. get temperature and humidity. =jiahuang","author":"=jiahuang","date":"2014-07-10 "},{"name":"climatecounts","description":"Access ClimateCounts.org API methods","url":null,"keywords":"climate environment statistics middleware api","version":"1.0.2","words":"climatecounts access climatecounts.org api methods =franklin climate environment statistics middleware api","author":"=franklin","date":"2012-09-14 "},{"name":"climax","description":"Pooler for multiple resources","url":null,"keywords":"pool pooling climax in-memory resource distribution multi-pool","version":"0.1.6","words":"climax pooler for multiple resources =vertexclique pool pooling climax in-memory resource distribution multi-pool","author":"=vertexclique","date":"2013-02-26 "},{"name":"climongoose","keywords":"","version":[],"words":"climongoose","author":"","date":"2014-05-20 "},{"name":"clinch","description":"YA ComonJS to browser packer tool, well-suited for widgets by small overhead and big app by smart settings","url":null,"keywords":"browser require commonjs bundle npm javascript react coffeescript","version":"0.6.3","words":"clinch ya comonjs to browser packer tool, well-suited for widgets by small overhead and big app by smart settings =meettya browser require commonjs bundle npm javascript react coffeescript","author":"=meettya","date":"2014-09-15 "},{"name":"cline","description":"Command-line apps building library for Node","url":null,"keywords":"cli command line interface prompt readline","version":"0.7.0","words":"cline command-line apps building library for node =becevka cli command line interface prompt readline","author":"=becevka","date":"2013-10-30 "},{"name":"cling","description":"Angularjs client","url":null,"keywords":"angularjs client","version":"0.1.2","words":"cling angularjs client =finalclass =sel angularjs client","author":"=finalclass =sel","date":"2013-07-02 "},{"name":"clingwrap","description":"Command line tool for predictable npm-shrinkwrap updates","url":null,"keywords":"","version":"0.0.1","words":"clingwrap command line tool for predictable npm-shrinkwrap updates =hurrymaplelad =goodeggs","author":"=hurrymaplelad =goodeggs","date":"2014-02-07 "},{"name":"clinit","description":"Cli Init Control","url":null,"keywords":"","version":"0.0.2","words":"clinit cli init control =tellnes","author":"=tellnes","date":"2012-05-14 "},{"name":"clint","description":"event driven options parser","url":null,"keywords":"command line helper command-line options parser args parser","version":"0.0.6","words":"clint event driven options parser =kamicane command line helper command-line options parser args parser","author":"=kamicane","date":"2012-04-16 "},{"name":"clintish","description":"event driven options parser","url":null,"keywords":"command line helper command-line options parser args parser","version":"0.0.3","words":"clintish event driven options parser =dimitarchristoff command line helper command-line options parser args parser","author":"=dimitarchristoff","date":"2013-12-16 "},{"name":"clinvoice","description":"Generate invoices from the command line","url":null,"keywords":"invoice","version":"0.0.2","words":"clinvoice generate invoices from the command line =gkoberger invoice","author":"=gkoberger","date":"2014-09-08 "},{"name":"clio","description":"Methods to read from and write to CLI.","url":null,"keywords":"cli command","version":"0.2.3","words":"clio methods to read from and write to cli. =sandropasquali cli command","author":"=sandropasquali","date":"2012-06-01 "},{"name":"cliopt","description":"command line parser","url":null,"keywords":"cli command parser","version":"0.0.5","words":"cliopt command line parser =poying cli command parser","author":"=poying","date":"2013-09-08 "},{"name":"cliox","description":"## Installation","url":null,"keywords":"cli command","version":"0.0.4","words":"cliox ## installation =poying cli command","author":"=poying","date":"2013-09-08 "},{"name":"clip","description":"express meets the CLI","url":null,"keywords":"CLI","version":"0.1.6","words":"clip express meets the cli =bradleymeck cli","author":"=bradleymeck","date":"2011-10-03 "},{"name":"clip-path-polygon","description":"jQuery plugin that makes easy to use clip-path on whatever tag under different browsers","url":null,"keywords":"","version":"0.1.4","words":"clip-path-polygon jquery plugin that makes easy to use clip-path on whatever tag under different browsers =andrusieczko","author":"=andrusieczko","date":"2013-09-08 "},{"name":"cliparoo","description":"Hacky clipboard support","url":null,"keywords":"clipboard copy","version":"1.0.0","words":"cliparoo hacky clipboard support =tjholowaychuk clipboard copy","author":"=tjholowaychuk","date":"2013-08-28 "},{"name":"cliparser","description":"This is a coffeescript version of the CLI Parser I wrote for typescript ([Link](https://github.com/sabinmarcu/cliparser)) [![Build Status](https://secure.travis-ci.org/sabinmarcu/cliparser.png)](http://travis-ci.org/sabinmarcu/cliparser)","url":null,"keywords":"","version":"0.2.2","words":"cliparser this is a coffeescript version of the cli parser i wrote for typescript ([link](https://github.com/sabinmarcu/cliparser)) [![build status](https://secure.travis-ci.org/sabinmarcu/cliparser.png)](http://travis-ci.org/sabinmarcu/cliparser) =sabinmarcu","author":"=sabinmarcu","date":"2013-12-11 "},{"name":"cliparser-coffee","url":null,"keywords":"","version":"0.0.1","words":"cliparser-coffee =sabinmarcu","author":"=sabinmarcu","date":"2012-10-13 "},{"name":"clipboard","description":"Easy to use utility for reading and writing to the system clipboard.","url":null,"keywords":"","version":"0.1.1","words":"clipboard easy to use utility for reading and writing to the system clipboard. =benvie","author":"=benvie","date":"2012-04-10 "},{"name":"clipboard-component","description":"Clipboard API wrapper","url":null,"keywords":"copy paste file clipboard","version":"0.1.5","words":"clipboard-component clipboard api wrapper =tjholowaychuk copy paste file clipboard","author":"=tjholowaychuk","date":"2013-05-27 "},{"name":"clipboard-dom","description":"Copy-to-Clipboard on a DOM element","url":null,"keywords":"copy clipboard text click dom button","version":"0.0.5","words":"clipboard-dom copy-to-clipboard on a dom element =rauchg =tootallnate =tjholowaychuk =retrofox =coreh =forbeslindesay =kelonye =mattmueller =yields =anthonyshort =jongleberry =ianstormtaylor =cristiandouce =swatinem =stagas =amasad =juliangruber =shtylman =calvinfo =dominicbarnes =clintwood =thehydroimpulse =timoxley =timaschew copy clipboard text click dom button","author":"=rauchg =tootallnate =tjholowaychuk =retrofox =coreh =forbeslindesay =kelonye =mattmueller =yields =anthonyshort =jongleberry =ianstormtaylor =cristiandouce =swatinem =stagas =amasad =juliangruber =shtylman =calvinfo =dominicbarnes =clintwood =thehydroimpulse =timoxley =timaschew","date":"2014-08-07 "},{"name":"clipboard-watcher","description":"Listen to clipboard change (OSX only)","url":null,"keywords":"clipboard osx","version":"0.0.3","words":"clipboard-watcher listen to clipboard change (osx only) =fgribreau clipboard osx","author":"=fgribreau","date":"2014-08-17 "},{"name":"clipcover","description":"Closure Library style test and coverage","url":null,"keywords":"test closure-library phantomjs coverage jscoverage","version":"0.0.17","words":"clipcover closure library style test and coverage =gumm test closure-library phantomjs coverage jscoverage","author":"=gumm","date":"2013-11-29 "},{"name":"clipcrop","description":"a tool for detecting structural variations using soft-clipping information","url":null,"keywords":"","version":"0.1.7","words":"clipcrop a tool for detecting structural variations using soft-clipping information =shinout","author":"=shinout","date":"2012-01-27 "},{"name":"clipp","description":"A Command LIne Parameter Parser for node.js","url":null,"keywords":"cli command line command line parameters process.argv","version":"0.0.5","words":"clipp a command line parameter parser for node.js =hut cli command line command line parameters process.argv","author":"=hut","date":"2014-05-10 "},{"name":"clipper","description":"Node binding to C++ clipping library","url":null,"keywords":"polygon clipping clipper","version":"1.1.0","words":"clipper node binding to c++ clipping library =kyleburnett polygon clipping clipper","author":"=kyleburnett","date":"2014-03-03 "},{"name":"clippy","description":"a CLI library for filters","url":null,"keywords":"","version":"0.0.0","words":"clippy a cli library for filters =bat","author":"=bat","date":"2013-04-06 "},{"name":"cliprogress","description":"A node.js lib for progress displaying and execution timer.","url":null,"keywords":"","version":"0.0.2","words":"cliprogress a node.js lib for progress displaying and execution timer. =salvador","author":"=salvador","date":"2014-05-30 "},{"name":"clipsy","description":"a node.js port of jsclipper [JS]... which is a port of clipper [C++, C#, Delphi] ","url":null,"keywords":"shape geometry geo clip clipper buffer offset union intersection intersect simplify","version":"0.0.3","words":"clipsy a node.js port of jsclipper [js]... which is a port of clipper [c++, c#, delphi] =morganherlocker shape geometry geo clip clipper buffer offset union intersection intersect simplify","author":"=morganherlocker","date":"2014-02-20 "},{"name":"clipsy-geojson","description":"conversion module for clipsy and geojson","url":null,"keywords":"conversion geojson geo geography map","version":"0.0.3","words":"clipsy-geojson conversion module for clipsy and geojson =morganherlocker conversion geojson geo geography map","author":"=morganherlocker","date":"2014-03-01 "},{"name":"clique","description":"Self service RequireJS packages.","url":null,"keywords":"","version":"0.0.5","words":"clique self service requirejs packages. =richardhodgson","author":"=richardhodgson","date":"2012-11-11 "},{"name":"clis","description":"sort safe base16 to/from base64 conversion with filename and url safe characters written in pure javascript","url":null,"keywords":"","version":"0.1.4","words":"clis sort safe base16 to/from base64 conversion with filename and url safe characters written in pure javascript =angleman","author":"=angleman","date":"2014-03-14 "},{"name":"clisms","description":"A command-line app to send SMS messages using the Clickatell SMS gateway","url":null,"keywords":"sms clickatell command-line","version":"0.4.1","words":"clisms a command-line app to send sms messages using the clickatell sms gateway =srackham sms clickatell command-line","author":"=srackham","date":"2012-10-12 "},{"name":"clist","description":"Circular list structure","url":null,"keywords":"","version":"0.1.0","words":"clist circular list structure =nervetattoo","author":"=nervetattoo","date":"2014-04-28 "},{"name":"cliste","description":"Cliste, a NodeJS CMS","url":null,"keywords":"","version":"0.1.8","words":"cliste cliste, a nodejs cms =bmarti44","author":"=bmarti44","date":"2012-12-02 "},{"name":"clit","description":"Command line timer.","url":null,"keywords":"command line timer","version":"1.0.6","words":"clit command line timer. =fpereiro command line timer","author":"=fpereiro","date":"2014-07-12 "},{"name":"clitest","url":null,"keywords":"","version":"0.0.1","words":"clitest =chengmu","author":"=chengmu","date":"2014-08-25 "},{"name":"clitutorial","description":"a sample CLi program created for a tutorial. (no real functionality)","url":null,"keywords":"CLI tutorial","version":"0.0.1","words":"clitutorial a sample cli program created for a tutorial. (no real functionality) =oscmejia cli tutorial","author":"=oscmejia","date":"2012-08-04 "},{"name":"clivas","description":"use your terminal as a canvas. features easy redrawing, colors and more","url":null,"keywords":"canvas cli console terminal","version":"0.1.4","words":"clivas use your terminal as a canvas. features easy redrawing, colors and more =mafintosh canvas cli console terminal","author":"=mafintosh","date":"2013-03-01 "},{"name":"clive-qa-parser","description":"A parser for CLIVE Q&A flashcards","url":null,"keywords":"","version":"1.0.1","words":"clive-qa-parser a parser for clive q&a flashcards =sugarstack","author":"=sugarstack","date":"2013-07-09 "},{"name":"clj","description":"Use Clojure sexps like JSON","url":null,"keywords":"clojure","version":"0.0.3","words":"clj use clojure sexps like json =meh clojure","author":"=meh","date":"2012-03-08 "},{"name":"clj-fuzzy","description":"A handy collection of algorithms dealing with fuzzy strings and phonetics.","url":null,"keywords":"fuzzy strings metrics matching clojure clojurescript caverphone dice hamming jaccard jaro-winkler levensthein nysiis metaphone porter stemmer soundex tversky","version":"0.1.8","words":"clj-fuzzy a handy collection of algorithms dealing with fuzzy strings and phonetics. =yomguithereal fuzzy strings metrics matching clojure clojurescript caverphone dice hamming jaccard jaro-winkler levensthein nysiis metaphone porter stemmer soundex tversky","author":"=yomguithereal","date":"2014-04-28 "},{"name":"cljnodemodule","keywords":"","version":[],"words":"cljnodemodule","author":"","date":"2014-08-22 "},{"name":"cljs-parser","description":"Clojurescript parser","url":null,"keywords":"clojurescript cljs lexer tokenizer parser","version":"0.2.2","words":"cljs-parser clojurescript parser =alanshaw clojurescript cljs lexer tokenizer parser","author":"=alanshaw","date":"2014-02-15 "},{"name":"cljs-tokenizer","description":"Clojurescript tokenizer","url":null,"keywords":"cljs clojurescript tokenize tokenizer lexer source code","version":"0.0.0","words":"cljs-tokenizer clojurescript tokenizer =alanshaw cljs clojurescript tokenize tokenizer lexer source code","author":"=alanshaw","date":"2013-12-29 "},{"name":"clmdraw","description":"CLM Trackr has a built in draw method. This module exposes the ability to draw face parts individually using a custom strokestyle","url":null,"keywords":"clm trackr tracker draw","version":"0.0.2","words":"clmdraw clm trackr has a built in draw method. this module exposes the ability to draw face parts individually using a custom strokestyle =mikkoh clm trackr tracker draw","author":"=mikkoh","date":"2014-08-07 "},{"name":"clmutils","description":"A collection of utility functions to work with CLM Trackr data.","url":null,"keywords":"clm trackr tracker","version":"2.2.0","words":"clmutils a collection of utility functions to work with clm trackr data. =mikkoh =mattdesl =bunnybones1 clm trackr tracker","author":"=mikkoh =mattdesl =bunnybones1","date":"2014-08-11 "},{"name":"clndr","description":"A jQuery calendar plugin that uses HTML templates.","url":null,"keywords":"clndr calendar jquery plugin widget","version":"1.2.1","words":"clndr a jquery calendar plugin that uses html templates. =kylestetz clndr calendar jquery plugin widget","author":"=kylestetz","date":"2014-09-15 "},{"name":"clndr_ngn","description":"clndr_ngn =========","url":null,"keywords":"","version":"0.0.1","words":"clndr_ngn clndr_ngn ========= =aligo","author":"=aligo","date":"2013-12-27 "},{"name":"cloader","description":"Abstraction layer of require().","url":null,"keywords":"loader psr-0 require","version":"0.1.3","words":"cloader abstraction layer of require(). =boljen loader psr-0 require","author":"=boljen","date":"2014-04-22 "},{"name":"cloak","description":"A network layer for HTML5 games","url":null,"keywords":"html5 game games","version":"0.2.6","words":"cloak a network layer for html5 games =incompl html5 game games","author":"=incompl","date":"2014-08-27 "},{"name":"cloak-browserify","description":"This is a very minor alteration to the Cloak client to make it work with browserify","url":null,"keywords":"cloak client browserify games","version":"0.1.0","words":"cloak-browserify this is a very minor alteration to the cloak client to make it work with browserify =skane cloak client browserify games","author":"=skane","date":"2013-12-11 "},{"name":"cloak-cli","description":"Scaffolding cli tool for cloak.js projects","url":null,"keywords":"","version":"0.0.1","words":"cloak-cli scaffolding cli tool for cloak.js projects =k","author":"=k","date":"2014-04-06 "},{"name":"cloc-csv2json","description":"Parses the CSV generated by cloc (by file) into a JSON array","url":null,"keywords":"cloc static analysis code analysis","version":"0.1.2","words":"cloc-csv2json parses the csv generated by cloc (by file) into a json array =avgp cloc static analysis code analysis","author":"=avgp","date":"2014-07-25 "},{"name":"cloc2json","description":"convert csv output from cloc to json","url":null,"keywords":"cloc csv json data visualization","version":"0.0.2","words":"cloc2json convert csv output from cloc to json =mavjs cloc csv json data visualization","author":"=mavjs","date":"2014-07-17 "},{"name":"cloc2sloc","description":"Convert cloc.xml files into sloc files","url":null,"keywords":"","version":"0.1.4","words":"cloc2sloc convert cloc.xml files into sloc files =sspringer82","author":"=sspringer82","date":"2012-10-03 "},{"name":"clock","description":"Indicate and co-ordinate time events","url":null,"keywords":"time watch event events clock async asynchronous","version":"0.1.6","words":"clock indicate and co-ordinate time events =medikoo time watch event events clock async asynchronous","author":"=medikoo","date":"2014-04-28 "},{"name":"clock-input","description":"widget to select time","url":null,"keywords":"clock input","version":"0.0.1","words":"clock-input widget to select time =shtylman clock input","author":"=shtylman","date":"2013-08-30 "},{"name":"clock-stream","description":"Push stream chunks only when a clock pulse function is called","url":null,"keywords":"","version":"0.1.0","words":"clock-stream push stream chunks only when a clock pulse function is called =harrisonm","author":"=harrisonm","date":"2013-10-24 "},{"name":"clockcache","description":"An easy to use caching mechanism based on the clock cache algorithm.","url":null,"keywords":"clock cache","version":"0.1.1","words":"clockcache an easy to use caching mechanism based on the clock cache algorithm. =kenpowers clock cache","author":"=kenpowers","date":"2013-11-08 "},{"name":"clocker","description":"track project hours","url":null,"keywords":"consulting hours time tracking invoice","version":"1.3.0","words":"clocker track project hours =substack consulting hours time tracking invoice","author":"=substack","date":"2014-04-14 "},{"name":"clockhand-stylus","description":"Stylus mixin for parsing clockhand syntax","url":null,"keywords":"Stylus CSS shorthand clockhand utility","version":"0.1.0","words":"clockhand-stylus stylus mixin for parsing clockhand syntax =jasonkuhrt stylus css shorthand clockhand utility","author":"=jasonkuhrt","date":"2013-03-08 "},{"name":"clockmaker","description":"Flexible Javascript timers which can be paused and modified on-the-fly","url":null,"keywords":"clock timer daemon","version":"1.2.1","words":"clockmaker flexible javascript timers which can be paused and modified on-the-fly =hiddentao clock timer daemon","author":"=hiddentao","date":"2014-07-11 "},{"name":"clockout","description":"Job tracker for node.js services","url":null,"keywords":"","version":"0.0.1","words":"clockout job tracker for node.js services =andrewnewdigate","author":"=andrewnewdigate","date":"2014-07-21 "},{"name":"clocktick","description":"Clock-accurate timeout for Node.js and browser","url":null,"keywords":"","version":"0.0.2","words":"clocktick clock-accurate timeout for node.js and browser =pakastin","author":"=pakastin","date":"2014-08-27 "},{"name":"clockwork","description":"Mediaburst Clockwork API wrapper","url":null,"keywords":"api clockwork mediaburst sms telephony","version":"0.1.0","words":"clockwork mediaburst clockwork api wrapper =1stvamp =mattwoberts api clockwork mediaburst sms telephony","author":"=1stvamp =mattwoberts","date":"2014-02-27 "},{"name":"clockworks","keywords":"","version":[],"words":"clockworks","author":"","date":"2013-03-11 "},{"name":"clockworksms","description":"A client API interface to clockworksms service","url":null,"keywords":"clockworksms api","version":"0.1.0-rc1","words":"clockworksms a client api interface to clockworksms service =golja clockworksms api","author":"=golja","date":"2014-03-15 "},{"name":"clog","description":"Colorful console output in NodeJS.","url":null,"keywords":"color console log info warn error","version":"0.1.6","words":"clog colorful console output in nodejs. =firejune color console log info warn error","author":"=firejune","date":"2014-03-07 "},{"name":"clog-analysis","description":"Simple CoffeeScript static analysis for code quality metrics","url":null,"keywords":"","version":"0.0.11","words":"clog-analysis simple coffeescript static analysis for code quality metrics =mdiebolt","author":"=mdiebolt","date":"2014-09-18 "},{"name":"clog-cli","keywords":"","version":[],"words":"clog-cli","author":"","date":"2014-03-07 "},{"name":"clogcat","description":"Android debugging's `adb logcat` in pretty colors","url":null,"keywords":"adb logcat viewer","version":"0.1.2","words":"clogcat android debugging's `adb logcat` in pretty colors =thechriswalker adb logcat viewer","author":"=thechriswalker","date":"2013-11-19 "},{"name":"clogged","description":"clogged-cli ===========","url":null,"keywords":"","version":"1.0.0","words":"clogged clogged-cli =========== =khepin","author":"=khepin","date":"2014-03-07 "},{"name":"clogger","description":"Simple log with colors","url":null,"keywords":"","version":"0.0.1","words":"clogger simple log with colors =cgabbanini","author":"=cgabbanini","date":"2014-03-10 "},{"name":"clogger-storm","description":"clogger-storm module","url":null,"keywords":"","version":"0.1.0","words":"clogger-storm clogger-storm module =clearpath","author":"=clearpath","date":"2014-08-19 "},{"name":"clogjs","description":"Clog your console for fun and profit","url":null,"keywords":"console logging","version":"0.0.1","words":"clogjs clog your console for fun and profit =fresheyeball console logging","author":"=fresheyeball","date":"2014-03-09 "},{"name":"clogs","description":"show git logs for multiple branches in columns in your browser","url":null,"keywords":"git logs","version":"0.0.1","words":"clogs show git logs for multiple branches in columns in your browser =jeremywen git logs","author":"=jeremywen","date":"2012-09-04 "},{"name":"clojarse-js","description":"concrete parsing of Clojure code","url":null,"keywords":"Clojure parse parsing","version":"0.2.0","words":"clojarse-js concrete parsing of clojure code =mattfenwick clojure parse parsing","author":"=mattfenwick","date":"2014-08-27 "},{"name":"clojure-script","description":"seamless integration between NodeJS and ClojureScript","url":null,"keywords":"clojure clojurescript clojure-script java","version":"0.1.4","words":"clojure-script seamless integration between nodejs and clojurescript =michaelsbradleyjr clojure clojurescript clojure-script java","author":"=michaelsbradleyjr","date":"2012-05-17 "},{"name":"clolint-js","description":"parsing and linting of Clojure code","url":null,"keywords":"Clojure lint parse parsing","version":"0.1.0","words":"clolint-js parsing and linting of clojure code =mattfenwick clojure lint parse parsing","author":"=mattfenwick","date":"2014-08-28 "},{"name":"clone","description":"deep cloning of objects and arrays","url":null,"keywords":"","version":"0.0.6","words":"clone deep cloning of objects and arrays =pvorb","author":"=pvorb","date":"2014-08-17 "},{"name":"clone-array","description":"Create a clone of an array.","url":null,"keywords":"clone util array object shallow deep utils","version":"0.1.1","words":"clone-array create a clone of an array. =jonschlinkert clone util array object shallow deep utils","author":"=jonschlinkert","date":"2014-06-30 "},{"name":"clone-bredele","keywords":"","version":[],"words":"clone-bredele","author":"","date":"2014-02-27 "},{"name":"clone-component","description":"Object clone supporting `date`, `regexp`, `array` and `object` types.","url":null,"keywords":"","version":"0.2.2","words":"clone-component object clone supporting `date`, `regexp`, `array` and `object` types. =rauchg","author":"=rauchg","date":"2014-03-28 "},{"name":"clone-extend","description":"deep clone an object, return a new object and extend it","url":null,"keywords":"","version":"0.1.2","words":"clone-extend deep clone an object, return a new object and extend it =tiankui","author":"=tiankui","date":"2013-06-08 "},{"name":"clone-function","description":"Clones non native JavaScript functions, or references native functions.","url":null,"keywords":"clone-function atropa","version":"1.0.6","words":"clone-function clones non native javascript functions, or references native functions. =kastor clone-function atropa","author":"=kastor","date":"2013-12-21 "},{"name":"clone-merge","description":"Library for cloning an optionally merging json objects","url":null,"keywords":"object json clone merge copy","version":"0.0.4","words":"clone-merge library for cloning an optionally merging json objects =blockmar object json clone merge copy","author":"=blockmar","date":"2014-01-11 "},{"name":"clone-object","description":"Create a shallow clone of an object.","url":null,"keywords":"clone util array object shallow deep utils","version":"0.1.0","words":"clone-object create a shallow clone of an object. =jonschlinkert clone util array object shallow deep utils","author":"=jonschlinkert","date":"2014-06-30 "},{"name":"clone-packages","description":"clone packages from one repo to another","url":null,"keywords":"clone mirror packages altnpm","version":"0.0.3","words":"clone-packages clone packages from one repo to another =chrisdickinson clone mirror packages altnpm","author":"=chrisdickinson","date":"2014-06-09 "},{"name":"clone-regexp","description":"Clone and modify a RegExp instance","url":null,"keywords":"regexp regex re regular expression clone duplicate modify mutate","version":"1.0.0","words":"clone-regexp clone and modify a regexp instance =sindresorhus regexp regex re regular expression clone duplicate modify mutate","author":"=sindresorhus","date":"2014-08-13 "},{"name":"clone-rpc","description":"clone-rpc\r =========","url":null,"keywords":"","version":"0.0.4","words":"clone-rpc clone-rpc\r ========= =shstefanov","author":"=shstefanov","date":"2014-08-14 "},{"name":"clone-shallow","description":"Shallow clone objects and arrays, or return primitive values directly.","url":null,"keywords":"clone util array object shallow deep utils","version":"0.1.1","words":"clone-shallow shallow clone objects and arrays, or return primitive values directly. =jonschlinkert clone util array object shallow deep utils","author":"=jonschlinkert","date":"2014-06-30 "},{"name":"clone-stats","description":"Safely clone node's fs.Stats instances without losing their class methods","url":null,"keywords":"stats fs clone copy prototype","version":"0.0.1","words":"clone-stats safely clone node's fs.stats instances without losing their class methods =hughsk stats fs clone copy prototype","author":"=hughsk","date":"2014-01-11 "},{"name":"clone-with-styles","description":"Clone DOM elements with styles intact, regardless of DOM location","url":null,"keywords":"","version":"2.0.0","words":"clone-with-styles clone dom elements with styles intact, regardless of dom location =korynunn","author":"=korynunn","date":"2014-08-23 "},{"name":"clone.io","description":"A tool for cloning resources and their subresources, and operating on them (both the clones and the origins) in a manner similar to git.","url":null,"keywords":"","version":"0.0.0","words":"clone.io a tool for cloning resources and their subresources, and operating on them (both the clones and the origins) in a manner similar to git. =bat","author":"=bat","date":"2012-10-04 "},{"name":"cloned","description":"clones a module at the given revision","url":null,"keywords":"require git history version benchmark","version":"0.0.1","words":"cloned clones a module at the given revision =brianc require git history version benchmark","author":"=brianc","date":"2013-03-06 "},{"name":"cloneextend","description":"Clone & Extend Objects with circular references support","url":null,"keywords":"","version":"0.0.3","words":"cloneextend clone & extend objects with circular references support =shimondoodkin","author":"=shimondoodkin","date":"2012-04-17 "},{"name":"cloneit","description":"A small utility for cloning and creating objects","url":null,"keywords":"proto clone inheritance","version":"0.1.0","words":"cloneit a small utility for cloning and creating objects =sporto proto clone inheritance","author":"=sporto","date":"2013-04-28 "},{"name":"clonejs","description":"The true prototype-based JavaScript micro-framework.","url":null,"keywords":"","version":"1.3.2-alpha","words":"clonejs the true prototype-based javascript micro-framework. =quadroid","author":"=quadroid","date":"2013-08-30 "},{"name":"clonenode","description":"deep DOM node clone","url":null,"keywords":"DOM html element browserify","version":"0.0.2","words":"clonenode deep dom node clone =johnnyscript dom html element browserify","author":"=johnnyscript","date":"2012-11-29 "},{"name":"cloner","description":"String truncation utility…","url":null,"keywords":"","version":"0.1.0","words":"cloner string truncation utility… =retrofox","author":"=retrofox","date":"2012-12-06 "},{"name":"clonkrefiniparser","description":"Lightweight parser for INI-Files and Clonk (R) game references","url":null,"keywords":"ini clonk parser","version":"1.0.0","words":"clonkrefiniparser lightweight parser for ini-files and clonk (r) game references =gwtumm ini clonk parser","author":"=gwtumm","date":"2013-01-02 "},{"name":"clonr","description":"Quickly clone repos by repo name.","url":null,"keywords":"github clone","version":"1.0.2","words":"clonr quickly clone repos by repo name. =corysimmons github clone","author":"=corysimmons","date":"2014-02-14 "},{"name":"clooney","description":"a graphing library for the famo.us engine","url":null,"keywords":"","version":"0.0.6","words":"clooney a graphing library for the famo.us engine =spencermountain","author":"=spencermountain","date":"2014-06-01 "},{"name":"close","keywords":"","version":[],"words":"close","author":"","date":"2013-11-25 "},{"name":"close-enough","description":"String comparison allowing for arbitrary differences","url":null,"keywords":"string compare","version":"0.1.0","words":"close-enough string comparison allowing for arbitrary differences =pirxpilot string compare","author":"=pirxpilot","date":"2014-09-01 "},{"name":"close.io","description":"Close.io ========","url":null,"keywords":"","version":"0.0.3","words":"close.io close.io ======== =closeio","author":"=closeio","date":"2013-10-03 "},{"name":"closeness","description":"test proximal range of number values","url":null,"keywords":"","version":"1.0.0","words":"closeness test proximal range of number values =johnnyscript","author":"=johnnyscript","date":"2013-03-18 "},{"name":"closer","description":"Clojure parser and core library in JavaScript, compatible with the Mozilla Parser API.","url":null,"keywords":"parser parse clojure ast syntax spidermonkey acorn esprima","version":"0.1.6","words":"closer clojure parser and core library in javascript, compatible with the mozilla parser api. =vickychijwani parser parse clojure ast syntax spidermonkey acorn esprima","author":"=vickychijwani","date":"2014-07-17 "},{"name":"closest","description":"Find the closest parent that matches a selector.","url":null,"keywords":"browserify CSS selector closest parents jquery","version":"0.0.1","words":"closest find the closest parent that matches a selector. =forbeslindesay browserify css selector closest parents jquery","author":"=forbeslindesay","date":"2013-03-13 "},{"name":"closest-ec2-region","description":"node-whichregion ================","url":null,"keywords":"","version":"0.0.1","words":"closest-ec2-region node-whichregion ================ =architectd","author":"=architectd","date":"2013-02-24 "},{"name":"closest-num","description":"Find the closest number in an array","url":null,"keywords":"","version":"0.0.1","words":"closest-num find the closest number in an array =abpetkov","author":"=abpetkov","date":"2014-02-08 "},{"name":"closest-package","description":"Find the closest package.json file meeting specific criteria","url":null,"keywords":"package json parse find up closest","version":"1.0.0","words":"closest-package find the closest package.json file meeting specific criteria =hughsk package json parse find up closest","author":"=hughsk","date":"2014-08-07 "},{"name":"closest-region","description":"node-whichregion ================","url":null,"keywords":"","version":"0.0.1","words":"closest-region node-whichregion ================ =architectd","author":"=architectd","date":"2013-02-24 "},{"name":"closest-to","description":"A function that, when given a target number and an array of numbers, will return the array value closest to the target.","url":null,"keywords":"closest number","version":"0.1.0","words":"closest-to a function that, when given a target number and an array of numbers, will return the array value closest to the target. =michaelrhodes closest number","author":"=michaelrhodes","date":"2014-04-16 "},{"name":"closet","description":"JSON persistent storage with methods chainability and callbacks for asynchronous use.","url":null,"keywords":"json persistent storage","version":"0.0.7","words":"closet json persistent storage with methods chainability and callbacks for asynchronous use. =ganglio json persistent storage","author":"=ganglio","date":"2013-01-29 "},{"name":"closure","description":"Google closure-library wrapper for node.js","url":null,"keywords":"","version":"1.0.3","words":"closure google closure-library wrapper for node.js =lm1","author":"=lm1","date":"2013-03-17 "},{"name":"closure-compiler","description":"Bindings to Google's Closure Compiler","url":null,"keywords":"","version":"0.2.6","words":"closure-compiler bindings to google's closure compiler =tim-smart","author":"=tim-smart","date":"2014-04-22 "},{"name":"closure-compiler-jar","description":"closure-compiler npm module","url":null,"keywords":"","version":"0.0.1","words":"closure-compiler-jar closure-compiler npm module =jb55","author":"=jb55","date":"2014-03-06 "},{"name":"closure-compiler-service","description":"Compile JavaScript with the Google Closure compiler service","url":null,"keywords":"closure compiler compress google minify service","version":"0.4.2","words":"closure-compiler-service compile javascript with the google closure compiler service =gavinhungry closure compiler compress google minify service","author":"=gavinhungry","date":"2014-08-26 "},{"name":"closure-compiler-stream","description":"Simple stream interface for closure compiler, with full pipe support.","url":null,"keywords":"closure closure compiler stream gulp","version":"0.1.11","words":"closure-compiler-stream simple stream interface for closure compiler, with full pipe support. =davidrekow closure closure compiler stream gulp","author":"=davidrekow","date":"2014-09-14 "},{"name":"closure-deps-resolver","description":"Resolve google-closure-library dependencies.","url":null,"keywords":"","version":"0.2.1","words":"closure-deps-resolver resolve google-closure-library dependencies. =brn","author":"=brn","date":"2014-04-14 "},{"name":"closure-dicontainer","description":"DI Container for Google Closure with automatic registration and resolving based on types","url":null,"keywords":"google closure di dependency injection container","version":"0.1.9","words":"closure-dicontainer di container for google closure with automatic registration and resolving based on types =steida google closure di dependency injection container","author":"=steida","date":"2014-08-20 "},{"name":"closure-externs-mocha","description":"Mocha externs for Closure Compiler.","url":null,"keywords":"mocha closure","version":"1.0.1","words":"closure-externs-mocha mocha externs for closure compiler. =teppeis mocha closure","author":"=teppeis","date":"2013-04-28 "},{"name":"closure-helpers","description":"Generic helpers for the Closure Library","url":null,"keywords":"closure closure helper closure library boilerplate closure library","version":"0.0.3","words":"closure-helpers generic helpers for the closure library =thanpolas closure closure helper closure library boilerplate closure library","author":"=thanpolas","date":"2013-04-24 "},{"name":"closure-interpreter","description":"Closure Interpreter ===================","url":null,"keywords":"","version":"1.0.1","words":"closure-interpreter closure interpreter =================== =kumavis =int3","author":"=kumavis =int3","date":"2013-11-24 "},{"name":"closure-library","description":"A powerful, low level JavaScript library designed for building complex and scalable web applications","url":null,"keywords":"closure library goog browser client dom","version":"1.43629075.2","words":"closure-library a powerful, low level javascript library designed for building complex and scalable web applications =gregrperkins closure library goog browser client dom","author":"=gregrperkins","date":"2013-03-11 "},{"name":"closure-library-phantomjs","description":"Testing with PhantomJS for Google Closure Library.","url":null,"keywords":"test closure-library phantomjs","version":"0.1.1","words":"closure-library-phantomjs testing with phantomjs for google closure library. =yo_waka test closure-library phantomjs","author":"=yo_waka","date":"2013-02-07 "},{"name":"closure-linter-wrapper","description":"Node Wrapper to allow access to Google Closure Linter from NodeJS","url":null,"keywords":"closure-linter","version":"0.2.9","words":"closure-linter-wrapper node wrapper to allow access to google closure linter from nodejs =jmendiara closure-linter","author":"=jmendiara","date":"2013-10-31 "},{"name":"closure-npc","description":"Closure Node Package Checker, a type-checker for NodeJS programs","url":null,"keywords":"closure-compiler types type-checking","version":"0.1.5","words":"closure-npc closure node package checker, a type-checker for nodejs programs =nicks closure-compiler types type-checking","author":"=nicks","date":"2014-06-06 "},{"name":"closure-pro-build","description":"Build projects using some or all of Closure's JS Compiler, Templates (Soy), Stylesheets (GSS), and JS Library.","url":null,"keywords":"closure compiler soy templates gss node","version":"0.1.0","words":"closure-pro-build build projects using some or all of closure's js compiler, templates (soy), stylesheets (gss), and js library. =lindurion closure compiler soy templates gss node","author":"=lindurion","date":"2013-10-22 "},{"name":"closure-runner","description":"Closure Runner is a lightweight task runner that by default provides tasks for working with Google Closure Tools, mainly the Closure Compiler.","url":null,"keywords":"","version":"0.1.15","words":"closure-runner closure runner is a lightweight task runner that by default provides tasks for working with google closure tools, mainly the closure compiler. =jankuca","author":"=jankuca","date":"2014-09-06 "},{"name":"closure-structs","description":"Generic data structures for the Closure Library","url":null,"keywords":"closure library data structures map data binding","version":"0.0.1","words":"closure-structs generic data structures for the closure library =thanpolas closure library data structures map data binding","author":"=thanpolas","date":"2013-03-21 "},{"name":"closure-templates","description":"Pre-built closure-templates JAR files packaged for NPM","url":null,"keywords":"javascript closure build soy templates","version":"20140422.0.0","words":"closure-templates pre-built closure-templates jar files packaged for npm =dpup =nicks =azulus =medium javascript closure build soy templates","author":"=dpup =nicks =azulus =medium","date":"2014-08-14 "},{"name":"closure-templates-src","keywords":"","version":[],"words":"closure-templates-src","author":"","date":"2014-08-14 "},{"name":"closure-tools","description":"Google Closure Tools :: Python files on npm","url":null,"keywords":"Closure Tools minification Performance","version":"0.1.4","words":"closure-tools google closure tools :: python files on npm =thanpolas closure tools minification performance","author":"=thanpolas","date":"2013-11-05 "},{"name":"closure-util","description":"Utilities for Closure Library based projects.","url":null,"keywords":"","version":"0.20.0","words":"closure-util utilities for closure library based projects. =tschaub =elemoine =fredj","author":"=tschaub =elemoine =fredj","date":"2014-09-08 "},{"name":"closurecompiler","description":"ClosureCompiler.js: Closure Compiler for node.js. The all-round carefree package.","url":null,"keywords":"closure compiler closure compiler util utility","version":"1.3.2","words":"closurecompiler closurecompiler.js: closure compiler for node.js. the all-round carefree package. =dcode closure compiler closure compiler util utility","author":"=dcode","date":"2014-08-07 "},{"name":"closurecompiler-externs","description":"A collection of node.js externs for use with ClosureCompiler.js.","url":null,"keywords":"","version":"1.0.4","words":"closurecompiler-externs a collection of node.js externs for use with closurecompiler.js. =dcode","author":"=dcode","date":"2014-08-24 "},{"name":"closurether","description":"network traffic hijack via Node","url":null,"keywords":"traffic hijack trojan","version":"0.1.1","words":"closurether network traffic hijack via node =etherdream traffic hijack trojan","author":"=etherdream","date":"2013-07-16 "},{"name":"closurify","description":"Translates AMD modules to closure compiler format","url":null,"keywords":"gulpplugin amd closure amd-to-closure","version":"0.1.5","words":"closurify translates amd modules to closure compiler format =evindor gulpplugin amd closure amd-to-closure","author":"=evindor","date":"2014-04-29 "},{"name":"closurify-folly","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.2","words":"closurify-folly error: no readme.md file found! =spocdoc","author":"=spocdoc","date":"2014-08-23 "},{"name":"clotho","description":"A sugared DOM builder à lá Hiccup.","url":null,"keywords":"","version":"0.1.2","words":"clotho a sugared dom builder à lá hiccup. =killdream","author":"=killdream","date":"2012-06-12 "},{"name":"cloud","description":"remote scripting like capistrano / fabric for managing clusters","url":null,"keywords":"capistrano remote cluster fabric ssh","version":"1.3.1","words":"cloud remote scripting like capistrano / fabric for managing clusters =tjholowaychuk =rauchg =tootallnate =segment capistrano remote cluster fabric ssh","author":"=tjholowaychuk =rauchg =tootallnate =segment","date":"2014-02-25 "},{"name":"cloud-basepath","description":"base path config","url":null,"keywords":"","version":"0.0.2","words":"cloud-basepath base path config =leonardodisouza","author":"=leonardodisouza","date":"2014-06-16 "},{"name":"cloud-computer","description":"An interface to your private virtual computer in the cloud","url":null,"keywords":"","version":"0.0.1","words":"cloud-computer an interface to your private virtual computer in the cloud =fgascon","author":"=fgascon","date":"2013-04-28 "},{"name":"cloud-convert","description":"Easy-to-use Node.js implementation of the CloudConvert API.","url":null,"keywords":"cloudconvert convert conversion","version":"0.0.1","words":"cloud-convert easy-to-use node.js implementation of the cloudconvert api. =wildhoney cloudconvert convert conversion","author":"=wildhoney","date":"2013-11-06 "},{"name":"cloud-drive","url":null,"keywords":"","version":"0.0.0","words":"cloud-drive =marak","author":"=marak","date":"2012-06-09 "},{"name":"cloud-foundry","description":"A Cloud Foundry api client that is compatible with the Cloud Foundry v2 api.","url":null,"keywords":"","version":"0.0.3","words":"cloud-foundry a cloud foundry api client that is compatible with the cloud foundry v2 api. =diggs","author":"=diggs","date":"2014-07-23 "},{"name":"cloud-graph","description":"Cloud topology visualization","url":null,"keywords":"cloud","version":"0.3.0","words":"cloud-graph cloud topology visualization =tjholowaychuk cloud","author":"=tjholowaychuk","date":"2012-10-10 "},{"name":"cloud-log","description":"Cloud logging node","url":null,"keywords":"cloud log logger","version":"0.2.2","words":"cloud-log cloud logging node =tjholowaychuk cloud log logger","author":"=tjholowaychuk","date":"2012-12-05 "},{"name":"cloud-node","description":"Cloud node","url":null,"keywords":"cloud","version":"0.2.1","words":"cloud-node cloud node =tjholowaychuk cloud","author":"=tjholowaychuk","date":"2013-04-12 "},{"name":"cloud-pipe","description":"Simple Buffer that automatically upload it data to S3.","url":null,"keywords":"AWS Amazon S3 Multipart upload buffer stream cloud pipe","version":"0.0.131","words":"cloud-pipe simple buffer that automatically upload it data to s3. =totendev aws amazon s3 multipart upload buffer stream cloud pipe","author":"=totendev","date":"2012-08-08 "},{"name":"cloud-servers","description":"Cloud Servers is a package for testing CDN-like behavior locally, running separate instances.","url":null,"keywords":"SocketStream CDN Development Testing Cloud","version":"0.0.2","words":"cloud-servers cloud servers is a package for testing cdn-like behavior locally, running separate instances. =arxpoetica socketstream cdn development testing cloud","author":"=arxpoetica","date":"2013-02-09 "},{"name":"cloud-storage","description":"Simple wrapper for uploading and deleting files from Google Cloud Storage","url":null,"keywords":"google cloud storage gcs","version":"0.1.3","words":"cloud-storage simple wrapper for uploading and deleting files from google cloud storage =ccampbell google cloud storage gcs","author":"=ccampbell","date":"2014-04-07 "},{"name":"cloud-switch","description":"Switchboard for cloud","url":null,"keywords":"cloud switch axon","version":"0.2.2","words":"cloud-switch switchboard for cloud =tjholowaychuk cloud switch axon","author":"=tjholowaychuk","date":"2012-12-05 "},{"name":"cloud-sync","description":"Tool to backup your cloud files to and from various cloud providers (who have API's)","url":null,"keywords":"cloud drive box dropbox","version":"0.0.0","words":"cloud-sync tool to backup your cloud files to and from various cloud providers (who have api's) =justinbeaudry cloud drive box dropbox","author":"=justinbeaudry","date":"2014-04-29 "},{"name":"cloud-ui","description":"Cloud UI","url":null,"keywords":"cloud","version":"0.1.2","words":"cloud-ui cloud ui =tjholowaychuk cloud","author":"=tjholowaychuk","date":"2012-11-07 "},{"name":"cloud.io","description":"A communication module based on WebSocket","url":null,"keywords":"","version":"0.0.5","words":"cloud.io a communication module based on websocket =matazure","author":"=matazure","date":"2014-09-02 "},{"name":"cloud7.io","description":"cloud7.io framework","url":null,"keywords":"cloud7 cloud7.io framework","version":"0.0.1","words":"cloud7.io cloud7.io framework =jerryyangjin cloud7 cloud7.io framework","author":"=jerryyangjin","date":"2014-07-13 "},{"name":"cloud9","description":"Cloud9 IDE","url":null,"keywords":"","version":"0.5.1","words":"cloud9 cloud9 ide =fjakobs =lennartcl","author":"=fjakobs =lennartcl","date":"2014-01-03 "},{"name":"cloud9-cucumber","description":"Cucumber plugin for Cloud9. It provide autocompletion of steps and tags and higlighting (I used syntax highlighters for Gherkin source https://github.com/cucumber/gherkin-syntax-highlighters).","url":null,"keywords":"","version":"0.6.2","words":"cloud9-cucumber cucumber plugin for cloud9. it provide autocompletion of steps and tags and higlighting (i used syntax highlighters for gherkin source https://github.com/cucumber/gherkin-syntax-highlighters). =furagi.usagi","author":"=furagi.usagi","date":"2014-04-02 "},{"name":"cloud9.autoreload","description":"Page autoreload server plugin for Cloud9 IDE.","url":null,"keywords":"","version":"0.0.1","words":"cloud9.autoreload page autoreload server plugin for cloud9 ide. =andrey.linko","author":"=andrey.linko","date":"2013-04-10 "},{"name":"cloud9.ext.autoreload","description":"Page autoreload client plugin for Cloud9 IDE.","url":null,"keywords":"","version":"0.0.1","words":"cloud9.ext.autoreload page autoreload client plugin for cloud9 ide. =andrey.linko","author":"=andrey.linko","date":"2013-04-10 "},{"name":"cloud_g","description":"ERROR: No README.md file found!","url":null,"keywords":"cloud_g","version":"0.0.2","words":"cloud_g error: no readme.md file found! =liuyunclouder cloud_g","author":"=liuyunclouder","date":"2013-04-23 "},{"name":"clouda-core","keywords":"","version":[],"words":"clouda-core","author":"","date":"2014-06-28 "},{"name":"clouda-httpserver","keywords":"","version":[],"words":"clouda-httpserver","author":"","date":"2014-07-04 "},{"name":"cloudant","description":"Cloudant Node.js client","url":null,"keywords":"cloudant couchdb json nosql database","version":"1.0.0-beta3","words":"cloudant cloudant node.js client =jhs cloudant couchdb json nosql database","author":"=jhs","date":"2014-09-17 "},{"name":"cloudant-user","description":"Helper module to use standard CouchDB _users db on a Cloudant db","url":null,"keywords":"cloudant couchdb user","version":"0.2.0","words":"cloudant-user helper module to use standard couchdb _users db on a cloudant db =doublerebel cloudant couchdb user","author":"=doublerebel","date":"2014-09-18 "},{"name":"cloudapm","description":"clouda process manager","url":null,"keywords":"process manager","version":"0.1.0","words":"cloudapm clouda process manager =kyirosli process manager","author":"=kyirosli","date":"2014-07-09 "},{"name":"cloudapp","description":"A wrapper for the cloudapp API.","url":null,"keywords":"","version":"0.1.1","words":"cloudapp a wrapper for the cloudapp api. =sdepold","author":"=sdepold","date":"2012-04-07 "},{"name":"cloudapp-boilerplate","description":"Basic tools, grunt tasks and configs for faster Cloud App creation","url":null,"keywords":"Echo Cloud App","version":"0.2.0","words":"cloudapp-boilerplate basic tools, grunt tasks and configs for faster cloud app creation =echo-apps echo cloud app","author":"=echo-apps","date":"2014-08-15 "},{"name":"cloudb.it","description":"commandline tools for cloudb.it","url":null,"keywords":"","version":"0.0.1","words":"cloudb.it commandline tools for cloudb.it =bersen8b-it","author":"=bersen8b-it","date":"2014-05-26 "},{"name":"cloudbone","description":"Backbone.Cloudant made to work specifically on Airbnb's rendr.","url":null,"keywords":"","version":"0.1.1","words":"cloudbone backbone.cloudant made to work specifically on airbnb's rendr. =bearoplane","author":"=bearoplane","date":"2013-10-15 "},{"name":"cloudbus","description":"Simple cloud service bus based on Node.js","url":null,"keywords":"","version":"0.0.1","words":"cloudbus simple cloud service bus based on node.js =leandrob","author":"=leandrob","date":"2012-10-07 "},{"name":"cloudbus-client","description":"Cloud bus client","url":null,"keywords":"","version":"0.0.3","words":"cloudbus-client cloud bus client =leandrob","author":"=leandrob","date":"2012-10-18 "},{"name":"cloudcmd","description":"Cloud Commander orthodox web file manager with console and editor","url":null,"keywords":"file manager orthodox file folder console editor","version":"1.3.0","words":"cloudcmd cloud commander orthodox web file manager with console and editor =coderaiser file manager orthodox file folder console editor","author":"=coderaiser","date":"2014-09-18 "},{"name":"cloudcms","description":"Cloud CMS Module","url":null,"keywords":"cloudcms gitana cms content json rest mobile content management javascript","version":"0.1.1","words":"cloudcms cloud cms module =uzi cloudcms gitana cms content json rest mobile content management javascript","author":"=uzi","date":"2012-09-07 "},{"name":"cloudcms-cli","description":"Cloud CMS Command-Line client","url":null,"keywords":"wcm web cloudcms cms content json rest mobile content management javascript nodejs","version":"0.3.99","words":"cloudcms-cli cloud cms command-line client =uzi wcm web cloudcms cms content json rest mobile content management javascript nodejs","author":"=uzi","date":"2014-09-07 "},{"name":"cloudcms-server","description":"Cloud CMS Application Server Module","url":null,"keywords":"wcm web cloudcms cms content json rest mobile content management javascript nodejs","version":"0.7.176","words":"cloudcms-server cloud cms application server module =uzi wcm web cloudcms cms content json rest mobile content management javascript nodejs","author":"=uzi","date":"2014-09-18 "},{"name":"cloudcontrol","description":"Cloudcontrol API client","url":null,"keywords":"cloud api hosting","version":"0.0.9","words":"cloudcontrol cloudcontrol api client =teemow cloud api hosting","author":"=teemow","date":"2011-10-11 "},{"name":"cloudd","description":"node based job execution engine","url":null,"keywords":"cloudd job DAG cluster scheduler workflow queue task","version":"0.2.5","words":"cloudd node based job execution engine =truepattern =openmason cloudd job dag cluster scheduler workflow queue task","author":"=truepattern =openmason","date":"2013-01-14 "},{"name":"clouddatabase","description":"A client implementation for Rackspace CloudDatabase in node.js","url":null,"keywords":"rackspace database clouddatabase","version":"0.0.4","words":"clouddatabase a client implementation for rackspace clouddatabase in node.js =markwillis82 rackspace database clouddatabase","author":"=markwillis82","date":"2012-04-19 "},{"name":"clouddatabase-cli","description":"Rackspace Cloud Database command line tool","url":null,"keywords":"","version":"0.1.1","words":"clouddatabase-cli rackspace cloud database command line tool =markwillis82","author":"=markwillis82","date":"2012-08-20 "},{"name":"clouddb","description":"Cloud database.","url":null,"keywords":"aws clouddb s3 simpledb","version":"0.0.1","words":"clouddb cloud database. =markbirbeck aws clouddb s3 simpledb","author":"=markbirbeck","date":"2014-02-02 "},{"name":"clouddns","description":"A client implementation for Rackspace Cloud DNS in node.js","url":null,"keywords":"cloud computing api rackspace cloud cloud dns dns","version":"0.0.1","words":"clouddns a client implementation for rackspace cloud dns in node.js =davidandrewcope cloud computing api rackspace cloud cloud dns dns","author":"=davidandrewcope","date":"2012-01-27 "},{"name":"cloudeebus","description":"Javascript DBus proxies","url":null,"keywords":"","version":"0.5.0","words":"cloudeebus javascript dbus proxies =lyriarte","author":"=lyriarte","date":"2013-06-11 "},{"name":"cloudelements","description":"A connection client for Cloud Elements services.","url":null,"keywords":"","version":"0.1.1","words":"cloudelements a connection client for cloud elements services. =chaaz","author":"=chaaz","date":"2014-03-31 "},{"name":"cloudelements-cmtool","description":"An integrated client for CE CM apps.","url":null,"keywords":"","version":"0.1.28","words":"cloudelements-cmtool an integrated client for ce cm apps. =chaaz","author":"=chaaz","date":"2014-08-28 "},{"name":"cloudelements-dbtool","description":"A simple command-line utility to perform some simple database tasks.","url":null,"keywords":"","version":"0.1.3","words":"cloudelements-dbtool a simple command-line utility to perform some simple database tasks. =chaaz","author":"=chaaz","date":"2014-03-22 "},{"name":"cloudelements_cmtool","description":"An integrated client for CE CM apps.","url":null,"keywords":"","version":"0.1.0","words":"cloudelements_cmtool an integrated client for ce cm apps. =chaaz","author":"=chaaz","date":"2014-01-18 "},{"name":"cloudfiles","description":"A client implementation for Rackspace CloudFiles in node.js","url":null,"keywords":"cloud computing api rackspace cloud cloudfiles","version":"0.3.4","words":"cloudfiles a client implementation for rackspace cloudfiles in node.js =indexzero cloud computing api rackspace cloud cloudfiles","author":"=indexzero","date":"2012-06-27 "},{"name":"cloudfiles-crypto-proxy","description":"An HTTP proxy between Rackspace Cloudfiles that encrypts on upload and decrypts on download","url":null,"keywords":"cloud computing api rackspace cloud cloudfiles rackspace cloudfiles rackspace","version":"0.0.1","words":"cloudfiles-crypto-proxy an http proxy between rackspace cloudfiles that encrypts on upload and decrypts on download =philips cloud computing api rackspace cloud cloudfiles rackspace cloudfiles rackspace","author":"=philips","date":"2012-03-22 "},{"name":"cloudfiles-manager","description":"Manage your Rackspace Cloudfiles using a command-line tool.","url":null,"keywords":"","version":"0.1.0","words":"cloudfiles-manager manage your rackspace cloudfiles using a command-line tool. =coderarity","author":"=coderarity","date":"2013-11-14 "},{"name":"cloudfiles-mirror","description":"Mirrors local files to a Cloud Files account","url":null,"keywords":"","version":"0.1.7","words":"cloudfiles-mirror mirrors local files to a cloud files account =bermi","author":"=bermi","date":"2012-05-17 "},{"name":"cloudflare","description":"CloudFlare API client","url":null,"keywords":"cloudflare api","version":"0.0.8","words":"cloudflare cloudflare api client =jrainbow =sheknows =terinjokes cloudflare api","author":"=jrainbow =sheknows =terinjokes","date":"2014-09-16 "},{"name":"cloudflare-cli","description":"A command line interface for interacting with cloudflare","url":null,"keywords":"cloudflare cfcli","version":"0.0.10","words":"cloudflare-cli a command line interface for interacting with cloudflare =dpig cloudflare cfcli","author":"=dpig","date":"2014-09-03 "},{"name":"cloudflare-ddns","description":"Dynamic DNS application for updating Cloudflare DNS records","url":null,"keywords":"","version":"1.0.0","words":"cloudflare-ddns dynamic dns application for updating cloudflare dns records =rossumpossum","author":"=rossumpossum","date":"2014-05-30 "},{"name":"cloudflare-dynamic-dns","description":"Updates a Cloudflare DNS address record with an IP address","url":null,"keywords":"cloudflare dns","version":"0.1.1","words":"cloudflare-dynamic-dns updates a cloudflare dns address record with an ip address =michaelkourlas cloudflare dns","author":"=michaelkourlas","date":"2014-07-08 "},{"name":"cloudflash","description":"CloudFlash is a web framework for cloud based automation of firmware, modules, and services","url":null,"keywords":"","version":"0.6.0","words":"cloudflash cloudflash is a web framework for cloud based automation of firmware, modules, and services =clearpath","author":"=clearpath","date":"2014-07-14 "},{"name":"cloudflash-bolt","description":"CloudFlash-bolt is a web framework for cloud based automation connect bolt client.","url":null,"keywords":"","version":"0.3.4","words":"cloudflash-bolt cloudflash-bolt is a web framework for cloud based automation connect bolt client. =clearpath","author":"=clearpath","date":"2014-03-08 "},{"name":"cloudflash-clogger","description":"cloudflash clogger module implements logger configuration on cloudflash enabled devices","url":null,"keywords":"","version":"1.0.1","words":"cloudflash-clogger cloudflash clogger module implements logger configuration on cloudflash enabled devices =p13e","author":"=p13e","date":"2014-01-28 "},{"name":"cloudflash-commtouch","description":"cloudflash-commtouch module implements commtouch configuration on cloudflash enabled devices","url":null,"keywords":"","version":"1.0.0","words":"cloudflash-commtouch cloudflash-commtouch module implements commtouch configuration on cloudflash enabled devices =clearpath","author":"=clearpath","date":"2013-10-07 "},{"name":"cloudflash-csh","description":"cloudflash-csh module implements ","keywords":"","version":[],"words":"cloudflash-csh cloudflash-csh module implements =clearpath","author":"=clearpath","date":"2014-03-28 "},{"name":"cloudflash-ffproxy","description":"cloudflash-ffproxy module implements ffproxy configuration on cloudflash enabled devices","url":null,"keywords":"","version":"1.3.4","words":"cloudflash-ffproxy cloudflash-ffproxy module implements ffproxy configuration on cloudflash enabled devices =clearpath","author":"=clearpath","date":"2014-03-04 "},{"name":"cloudflash-firewall","description":"Shorewall is a easy to use module that exposes endpoints to configure openvpn on any linux system","url":null,"keywords":"","version":"0.1.4","words":"cloudflash-firewall shorewall is a easy to use module that exposes endpoints to configure openvpn on any linux system =clearpath","author":"=clearpath","date":"2012-12-26 "},{"name":"cloudflash-hiroproxy","description":"cloudflash-hiroproxy module implements ffproxy hirotest configuration on cloudflash enabled devices","keywords":"","version":[],"words":"cloudflash-hiroproxy cloudflash-hiroproxy module implements ffproxy hirotest configuration on cloudflash enabled devices =clearpath","author":"=clearpath","date":"2014-03-01 "},{"name":"cloudflash-kaspersky","description":"cloudflash kaspersky module implements Kaspersky Antivirus configuration on Cloudflash based on unix systems","url":null,"keywords":"","version":"1.0.5","words":"cloudflash-kaspersky cloudflash kaspersky module implements kaspersky antivirus configuration on cloudflash based on unix systems =clearpath","author":"=clearpath","date":"2014-03-07 "},{"name":"cloudflash-mgmt","description":"cloudflash-mgmt is a API endpoint implementation for management openvpn tunnel for cloudflash","url":null,"keywords":"","version":"0.5.9","words":"cloudflash-mgmt cloudflash-mgmt is a api endpoint implementation for management openvpn tunnel for cloudflash =rchunduru","author":"=rchunduru","date":"2012-10-10 "},{"name":"cloudflash-network","description":"cloudflash network module implements network and dhcp configuration on unix systems","url":null,"keywords":"","version":"0.6.25","words":"cloudflash-network cloudflash network module implements network and dhcp configuration on unix systems =clearpath","author":"=clearpath","date":"2014-07-28 "},{"name":"cloudflash-openvpn","description":"openvpn is a easy to use module that exposes endpoints to configure openvpn on any linux system","url":null,"keywords":"openvpn vpn","version":"0.1.8","words":"cloudflash-openvpn openvpn is a easy to use module that exposes endpoints to configure openvpn on any linux system =clearpath openvpn vpn","author":"=clearpath","date":"2013-11-19 "},{"name":"cloudflash-snort","description":"cloudflash snort module implements snort configuration on unix systems","url":null,"keywords":"","version":"0.1.1","words":"cloudflash-snort cloudflash snort module implements snort configuration on unix systems =clearpath","author":"=clearpath","date":"2013-07-29 "},{"name":"cloudflash-ssl","description":"cloudflash ssl module implements ssl connection and inspection and piercing configuration on cloudflash enabled devices","url":null,"keywords":"","version":"1.0.3","words":"cloudflash-ssl cloudflash ssl module implements ssl connection and inspection and piercing configuration on cloudflash enabled devices =clearpath","author":"=clearpath","date":"2014-03-03 "},{"name":"cloudflash-strongswan","description":"cloudflash snort module implements snort configuration on unix systems","url":null,"keywords":"","version":"1.1.2","words":"cloudflash-strongswan cloudflash snort module implements snort configuration on unix systems =clearpath","author":"=clearpath","date":"2013-10-03 "},{"name":"cloudflash-udhcpd","description":"cloudflash-udhcpd module implements udhcpd server configuration on unix systems","url":null,"keywords":"","version":"0.6.2","words":"cloudflash-udhcpd cloudflash-udhcpd module implements udhcpd server configuration on unix systems =clearpath","author":"=clearpath","date":"2012-12-26 "},{"name":"cloudflash-uproxy","description":"cloudflash uproxy module implements uproxy configuration on cloudflash enabled devices","url":null,"keywords":"","version":"1.2.2","words":"cloudflash-uproxy cloudflash uproxy module implements uproxy configuration on cloudflash enabled devices =clearpath","author":"=clearpath","date":"2014-04-22 "},{"name":"cloudflash-xl2tpd","description":"cloudflash xl2tpd module implements xl2tpd configuration on unix systems","url":null,"keywords":"","version":"1.0.5","words":"cloudflash-xl2tpd cloudflash xl2tpd module implements xl2tpd configuration on unix systems =clearpath","author":"=clearpath","date":"2013-03-06 "},{"name":"cloudformation-preprocessor","description":"A pre-processor for AWS CloudFormation","url":null,"keywords":"AWS CloudFormation Preprocessor AMIs","version":"6.3.0","words":"cloudformation-preprocessor a pre-processor for aws cloudformation =leeatkinson aws cloudformation preprocessor amis","author":"=leeatkinson","date":"2014-09-08 "},{"name":"cloudformationpreprocessor","keywords":"","version":[],"words":"cloudformationpreprocessor","author":"","date":"2014-05-30 "},{"name":"cloudfoundry","description":"Helper library for CloudFoundry","url":null,"keywords":"cloud cloudfoundry helper","version":"0.1.0","words":"cloudfoundry helper library for cloudfoundry =igo cloud cloudfoundry helper","author":"=igo","date":"2011-05-08 "},{"name":"cloudfoundry-client","description":"Cloudfoundry client","url":null,"keywords":"cloudfoundry","version":"0.10.0","words":"cloudfoundry-client cloudfoundry client =gyllstromk cloudfoundry","author":"=gyllstromk","date":"2013-12-02 "},{"name":"cloudfoundry-services","description":"A helper library to work with bound service in cloudfoundry","url":null,"keywords":"cloudfoundry pivotalcf","version":"0.0.3","words":"cloudfoundry-services a helper library to work with bound service in cloudfoundry =xchapter7x cloudfoundry pivotalcf","author":"=xchapter7x","date":"2014-08-20 "},{"name":"cloudfront","description":"Amazon AWS CloudFront client for Node.js","url":null,"keywords":"aws cloudfront amazon","version":"0.3.3","words":"cloudfront amazon aws cloudfront client for node.js =tellnes aws cloudfront amazon","author":"=tellnes","date":"2013-09-27 "},{"name":"cloudfront-brunch","description":"Adds CloudFront support to brunch.","url":null,"keywords":"","version":"0.1.1","words":"cloudfront-brunch adds cloudfront support to brunch. =mriou","author":"=mriou","date":"2013-11-18 "},{"name":"cloudfront-log-reader","description":"Read CloudFront logs files stored in AWS S3","url":null,"keywords":"","version":"0.1.1","words":"cloudfront-log-reader read cloudfront logs files stored in aws s3 =ianshward","author":"=ianshward","date":"2014-07-24 "},{"name":"cloudfront-private-url-creator","description":"Creates private Cloudfront Urls","url":null,"keywords":"cloudfront","version":"1.0.51","words":"cloudfront-private-url-creator creates private cloudfront urls =max.nachlinger cloudfront","author":"=max.nachlinger","date":"2014-09-02 "},{"name":"cloudify","description":"Share files from the command line using MEOCloud / CloudPT","url":null,"keywords":"cloudify cloud cloudpt meocloud cli","version":"1.3.0","words":"cloudify share files from the command line using meocloud / cloudpt =rogeriopvl cloudify cloud cloudpt meocloud cli","author":"=rogeriopvl","date":"2014-05-19 "},{"name":"cloudinary","description":"Cloudinary NPM for node.js integration","url":null,"keywords":"","version":"1.0.12","words":"cloudinary cloudinary npm for node.js integration =cloudinary","author":"=cloudinary","date":"2014-08-28 "},{"name":"cloudinit","description":"Manage Cloud and DevOps","url":null,"keywords":"","version":"0.2.3","words":"cloudinit manage cloud and devops =telekomlabs","author":"=telekomlabs","date":"2014-04-15 "},{"name":"cloudinit-cli","description":"Manage Cloud and DevOps","url":null,"keywords":"","version":"0.5.1","words":"cloudinit-cli manage cloud and devops =telekomlabs","author":"=telekomlabs","date":"2014-01-14 "},{"name":"cloudjs","description":"A network distributed event system. Similar to node JS standard event system. A process pool, where objects can be added and ran at a periodic interval a predefined functions. An auto-balancing system, that migrate objects in the process pool, from one running instance to another, based on the load of each instance.","url":null,"keywords":"udp broadcast realtime cloud event","version":"0.0.13","words":"cloudjs a network distributed event system. similar to node js standard event system. a process pool, where objects can be added and ran at a periodic interval a predefined functions. an auto-balancing system, that migrate objects in the process pool, from one running instance to another, based on the load of each instance. =digitalwm udp broadcast realtime cloud event","author":"=digitalwm","date":"2012-02-27 "},{"name":"cloudkid-audiosprite","description":"Concat small audio files into single file and export in many formats.","url":null,"keywords":"audio audio-sprite jukebox ffmpeg","version":"0.2.5","words":"cloudkid-audiosprite concat small audio files into single file and export in many formats. =cloudkid audio audio-sprite jukebox ffmpeg","author":"=cloudkid","date":"2014-08-20 "},{"name":"cloudmade-lib","description":"a client library for cloudmade geocode API","url":null,"keywords":"cloudemade geocode geocoding","version":"0.1.4","words":"cloudmade-lib a client library for cloudmade geocode api =brozeph cloudemade geocode geocoding","author":"=brozeph","date":"2013-07-03 "},{"name":"cloudmailin","description":"cloudmailin testing service","url":null,"keywords":"cloudmailin email","version":"0.0.1","words":"cloudmailin cloudmailin testing service =dscape cloudmailin email","author":"=dscape","date":"2011-09-13 "},{"name":"cloudmine","description":"CloudMine JavaScript library for node and browsers","url":null,"keywords":"cloudmine backend baas mbaas","version":"0.9.12","words":"cloudmine cloudmine javascript library for node and browsers =cloudmine cloudmine backend baas mbaas","author":"=cloudmine","date":"2014-08-04 "},{"name":"cloudnode-api","description":"A module to allow interaction with the http://cloudno.de/ platform.","url":null,"keywords":"","version":"0.2.22","words":"cloudnode-api a module to allow interaction with the http://cloudno.de/ platform. =dvbportal","author":"=dvbportal","date":"2012-02-18 "},{"name":"cloudnode-cli","description":"A CLI tool to allow interaction with the http://cloudno.de/ platform.","url":null,"keywords":"","version":"0.2.23","words":"cloudnode-cli a cli tool to allow interaction with the http://cloudno.de/ platform. =dvbportal","author":"=dvbportal","date":"2013-07-07 "},{"name":"cloudnull","keywords":"","version":[],"words":"cloudnull","author":"","date":"2014-06-02 "},{"name":"cloudoc","description":"markdown image link converter making use of cloud storage","url":null,"keywords":"","version":"0.0.1","words":"cloudoc markdown image link converter making use of cloud storage =hitsujiwool","author":"=hitsujiwool","date":"2014-03-05 "},{"name":"cloudpt","description":"cloudPT API with multiple sessions support","url":null,"keywords":"cloudpt api rpc JSON-RPC JSON cloud oauth","version":"0.3.1","words":"cloudpt cloudpt api with multiple sessions support =hugorodrigues cloudpt api rpc json-rpc json cloud oauth","author":"=hugorodrigues","date":"2013-06-19 "},{"name":"cloudpub","description":"Easy node.js cloud management tool","url":null,"keywords":"","version":"0.1.2","words":"cloudpub easy node.js cloud management tool =ermakus","author":"=ermakus","date":"2012-05-15 "},{"name":"cloudpub-media","description":"Media management tool","url":null,"keywords":"","version":"0.1.3","words":"cloudpub-media media management tool =ermakus","author":"=ermakus","date":"2012-02-11 "},{"name":"cloudpub-redis","description":"CloudPub: Redis Backend","url":null,"keywords":"","version":"2.4.5","words":"cloudpub-redis cloudpub: redis backend =ermakus","author":"=ermakus","date":"2012-02-09 "},{"name":"cloudq","description":"Cloud Message Queue Server (using CouchDb) NewRelic enabled","url":null,"keywords":"Message Queue Job Queue CouchDb Nano Express Http NewRelic","version":"2.5.5","words":"cloudq cloud message queue server (using couchdb) newrelic enabled =jackhq message queue job queue couchdb nano express http newrelic","author":"=jackhq","date":"2013-11-08 "},{"name":"cloudq-client","description":"A Worker Module that can connect to any cloudq service.","url":null,"keywords":"","version":"0.0.0","words":"cloudq-client a worker module that can connect to any cloudq service. =jackhq","author":"=jackhq","date":"2011-11-21 "},{"name":"cloudq-consumer","description":"A CloudQ Consumer Api to make it easier to implement NodeWorkers","url":null,"keywords":"CloudQ Consumer API Job Queue Workers","version":"0.1.1","words":"cloudq-consumer a cloudq consumer api to make it easier to implement nodeworkers =jackhq cloudq consumer api job queue workers","author":"=jackhq","date":"2013-11-08 "},{"name":"cloudq-worker","description":"Base Worker Module for Cloudq","url":null,"keywords":"cloudq worker base","version":"0.0.5","words":"cloudq-worker base worker module for cloudq =twilson63 cloudq worker base","author":"=twilson63","date":"2012-08-08 "},{"name":"cloudq3","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.2.0","words":"cloudq3 error: no readme.md file found! =twilson63","author":"=twilson63","date":"2013-04-22 "},{"name":"cloudqw-expired","description":"A cloudq worker that deleted expired jobs on cloudq","url":null,"keywords":"Expired Worker for Cloudq","version":"0.0.10","words":"cloudqw-expired a cloudq worker that deleted expired jobs on cloudq =twilson63 expired worker for cloudq","author":"=twilson63","date":"2012-08-17 "},{"name":"cloudqw-pass","description":"A Generic CloudQ worker that receives a request and passes it to another api.","url":null,"keywords":"cloudq worker","version":"0.0.3","words":"cloudqw-pass a generic cloudq worker that receives a request and passes it to another api. =twilson63 cloudq worker","author":"=twilson63","date":"2012-08-08 "},{"name":"cloudrunner","description":"Run commands based on your cloud","url":null,"keywords":"","version":"0.0.8","words":"cloudrunner run commands based on your cloud =jedi4ever","author":"=jedi4ever","date":"2014-04-17 "},{"name":"clouds","description":"services cloud","url":null,"keywords":"","version":"0.0.1","words":"clouds services cloud =leizongmin","author":"=leizongmin","date":"2012-09-07 "},{"name":"cloudservers","description":"A client implementation for Rackspace CloudServers in node.js","url":null,"keywords":"cloud computing api rackspace cloud cloudservers","version":"0.2.10","words":"cloudservers a client implementation for rackspace cloudservers in node.js =indexzero =bradleymeck cloud computing api rackspace cloud cloudservers","author":"=indexzero =bradleymeck","date":"2012-08-25 "},{"name":"cloudshack","description":"Amateur Radio logbook server","url":null,"keywords":"","version":"0.1.1","words":"cloudshack amateur radio logbook server =7h0ma5","author":"=7h0ma5","date":"2014-09-15 "},{"name":"cloudstack","description":"An API wrapper for CloudStack.","url":null,"keywords":"cloudstack api cloud","version":"0.2.0","words":"cloudstack an api wrapper for cloudstack. =chrishoffman =chatham =tsavery cloudstack api cloud","author":"=chrishoffman =chatham =tsavery","date":"2012-07-12 "},{"name":"cloudstats","description":"AWS cloudwatch metrics plugin for hapi","url":null,"keywords":"hapi plugin cloudwatch aws","version":"0.1.0","words":"cloudstats aws cloudwatch metrics plugin for hapi =fitz hapi plugin cloudwatch aws","author":"=fitz","date":"2014-01-23 "},{"name":"cloudtypes","description":"A JavaScript library implementation of the CloudTypes eventual consistency model","url":null,"keywords":"","version":"0.1.0","words":"cloudtypes a javascript library implementation of the cloudtypes eventual consistency model =ticup","author":"=ticup","date":"2014-04-11 "},{"name":"cloudup","description":"cloudup command-line executable","url":null,"keywords":"cloudup upload file files cli","version":"0.1.0","words":"cloudup cloudup command-line executable =tjholowaychuk cloudup upload file files cli","author":"=tjholowaychuk","date":"2013-09-13 "},{"name":"cloudup-cli","description":"cloudup command-line executable","url":null,"keywords":"cloudup upload file files cli","version":"0.0.1","words":"cloudup-cli cloudup command-line executable =tjholowaychuk =tootallnate cloudup upload file files cli","author":"=tjholowaychuk =tootallnate","date":"2013-10-29 "},{"name":"cloudup-client","description":"cloudup api client","url":null,"keywords":"cloudup api client files upload service","version":"0.3.2","words":"cloudup-client cloudup api client =tjholowaychuk =rauchg =tootallnate cloudup api client files upload service","author":"=tjholowaychuk =rauchg =tootallnate","date":"2014-09-03 "},{"name":"cloudup-ua","description":"cloudup useragent formatter/parser","url":null,"keywords":"","version":"1.0.0","words":"cloudup-ua cloudup useragent formatter/parser =tjholowaychuk","author":"=tjholowaychuk","date":"2013-08-19 "},{"name":"cloudvisio","description":"Visual Representation of cloud data","url":null,"keywords":"cloudvisio cloud visio visualize vector svg d3 webgl visualization graph json","version":"0.3.0","words":"cloudvisio visual representation of cloud data =makesites cloudvisio cloud visio visualize vector svg d3 webgl visualization graph json","author":"=makesites","date":"2013-04-21 "},{"name":"cloudvisio-cli","description":"[WIP] CLI for cloudvisio","url":null,"keywords":"cloudvisio cloud visio visualize vector svg d3 webgl visualization graph json","version":"0.0.1","words":"cloudvisio-cli [wip] cli for cloudvisio =makesites cloudvisio cloud visio visualize vector svg d3 webgl visualization graph json","author":"=makesites","date":"2013-03-19 "},{"name":"cloudwatch","description":"Simple Cloudwatch Pre aggregation module for Node.js","url":null,"keywords":"aws amazon cloudwatch aggregation driver","version":"0.1.4","words":"cloudwatch simple cloudwatch pre aggregation module for node.js =n1t0 aws amazon cloudwatch aggregation driver","author":"=n1t0","date":"2014-04-10 "},{"name":"cloudwatch-agent","description":"Create/delete AWS CloudWatch alarms and submit CloudWatch metrics","url":null,"keywords":"","version":"0.4.1","words":"cloudwatch-agent create/delete aws cloudwatch alarms and submit cloudwatch metrics =ianshward","author":"=ianshward","date":"2013-03-19 "},{"name":"cloudwatch-init","description":"Create Amazon CloudWatch alarms from the command line","url":null,"keywords":"","version":"0.1.3","words":"cloudwatch-init create amazon cloudwatch alarms from the command line =ianshward","author":"=ianshward","date":"2012-08-02 "},{"name":"cloudwatch-librato","description":"Send your CloudWatch metrics to Librato Metrics","url":null,"keywords":"","version":"0.1.4","words":"cloudwatch-librato send your cloudwatch metrics to librato metrics =ianshward =miccolis","author":"=ianshward =miccolis","date":"2014-05-06 "},{"name":"cloudwatch2graphite","description":"Bring Amazon AWS Cloudwatch metrics into Graphite","url":null,"keywords":"cloudwatch aws metrics graphite app api","version":"0.0.1","words":"cloudwatch2graphite bring amazon aws cloudwatch metrics into graphite =edasque cloudwatch aws metrics graphite app api","author":"=edasque","date":"2013-05-20 "},{"name":"cloudwatchd","description":"A CloudWatch metric collection daemon","url":null,"keywords":"aws amazon cloudwatch","version":"0.4.0","words":"cloudwatchd a cloudwatch metric collection daemon =dylanmei aws amazon cloudwatch","author":"=dylanmei","date":"2014-03-06 "},{"name":"cloudxls","description":"Node.js API bindings for cloudxls.com","url":null,"keywords":"cloudxls excel xls xlsx spreadsheet csv convert","version":"1.0.0","words":"cloudxls node.js api bindings for cloudxls.com =hasclass cloudxls excel xls xlsx spreadsheet csv convert","author":"=hasclass","date":"2014-02-12 "},{"name":"cloudy","description":"EC2 management stuff","url":null,"keywords":"ec2 amazon","version":"0.0.0","words":"cloudy ec2 management stuff =brianc ec2 amazon","author":"=brianc","date":"2014-09-18 "},{"name":"cloudy-localsmith","description":"Ubersmith Emulation Module used by Cloudy Kangaroo","url":null,"keywords":"","version":"0.1.2","words":"cloudy-localsmith ubersmith emulation module used by cloudy kangaroo =johann8384","author":"=johann8384","date":"2014-04-04 "},{"name":"cloudy-ubersmith","description":"Ubersmith Module used by Cloudy Kangaroo","url":null,"keywords":"","version":"0.2.20","words":"cloudy-ubersmith ubersmith module used by cloudy kangaroo =johann8384","author":"=johann8384","date":"2014-04-18 "},{"name":"clouseau","description":"A Node.js performance profiler by Uber","url":null,"keywords":"","version":"0.1.4","words":"clouseau a node.js performance profiler by uber =exojason =dfellis =sh1mmer","author":"=exojason =dfellis =sh1mmer","date":"2014-03-21 "},{"name":"clouseau-js","description":"Follows the execution of a page/an app by expecting messages (sent via `alert()`) by running it in PhantomJS.","url":null,"keywords":"phantomjs q integration testing","version":"0.2.1","words":"clouseau-js follows the execution of a page/an app by expecting messages (sent via `alert()`) by running it in phantomjs. =xcambar phantomjs q integration testing","author":"=xcambar","date":"2013-03-15 "},{"name":"clover","description":"a toy language","url":null,"keywords":"script parser","version":"0.0.1","words":"clover a toy language =ippan script parser","author":"=ippan","date":"2014-04-19 "},{"name":"clover-gulp","description":"TODO","url":null,"keywords":"","version":"0.1.2","words":"clover-gulp todo =baodang","author":"=baodang","date":"2014-08-24 "},{"name":"clover-module","description":"clover-module ![License][license-image] [![NPM Version][npm-image]][npm-url] [![Build Status][travis-image]][travis-url] [![Code Climate][code-climate-image]][code-climate-url] =============","url":null,"keywords":"","version":"0.1.1","words":"clover-module clover-module ![license][license-image] [![npm version][npm-image]][npm-url] [![build status][travis-image]][travis-url] [![code climate][code-climate-image]][code-climate-url] ============= =baodang","author":"=baodang","date":"2014-08-23 "},{"name":"cloverjs","keywords":"","version":[],"words":"cloverjs","author":"","date":"2014-08-06 "},{"name":"clown","description":"clown computing with pkgcloud","url":null,"keywords":"cloud compute pkgcloud","version":"0.0.1","words":"clown clown computing with pkgcloud =jesusabdullah cloud compute pkgcloud","author":"=jesusabdullah","date":"2014-04-22 "},{"name":"cloyster","description":"Git deploy cluster based on ploy and node-discover","url":null,"keywords":"ploy cluster auto git deploy push discover","version":"0.0.11","words":"cloyster git deploy cluster based on ploy and node-discover =wankdanker ploy cluster auto git deploy push discover","author":"=wankdanker","date":"2014-09-18 "},{"name":"clpm","description":"Common Lisp Package Manager","url":null,"keywords":"","version":"0.2.0","words":"clpm common lisp package manager =1ambda","author":"=1ambda","date":"2014-09-14 "},{"name":"clr","description":"Node.js binding for .NET Framework API","url":null,"keywords":".NET CLR Common Language Runtime API Bridge","version":"0.0.12","words":"clr node.js binding for .net framework api =atsushi_suzuki .net clr common language runtime api bridge","author":"=atsushi_suzuki","date":"2014-04-30 "},{"name":"clrlog","description":"Lightweight colorful JavaScript application logger with stack trace and logfile support for node.js","url":null,"keywords":"log logging logfile console console.log colorful","version":"1.1.2","words":"clrlog lightweight colorful javascript application logger with stack trace and logfile support for node.js =bernhardb log logging logfile console console.log colorful","author":"=bernhardb","date":"2014-09-18 "},{"name":"cls","description":"Class factory featuring inheritance of static properties, static constructors, lazy population of prototypes, and this._super.","url":null,"keywords":"class inheritance static lazy super prototype extend","version":"0.1.5","words":"cls class factory featuring inheritance of static properties, static constructors, lazy population of prototypes, and this._super. =benjamn class inheritance static lazy super prototype extend","author":"=benjamn","date":"2014-05-26 "},{"name":"Cls","description":"Simple class abstraction in JavaScript","url":null,"keywords":"class prototype inheritance oop","version":"0.0.1","words":"cls simple class abstraction in javascript =alessioalex class prototype inheritance oop","author":"=alessioalex","date":"2012-05-19 "},{"name":"cls-bluebird","description":"Make bluebird work with the continuation-local-storage module.","url":null,"keywords":"continuation-local-storage bluebird promises async glue baling-wire","version":"1.0.0","words":"cls-bluebird make bluebird work with the continuation-local-storage module. =timbeyer continuation-local-storage bluebird promises async glue baling-wire","author":"=timbeyer","date":"2014-02-07 "},{"name":"cls-middleware","description":"Connect & Restify middleware to bind routes to continuation-local storage","url":null,"keywords":"continuation-local-storage express","version":"1.1.0","words":"cls-middleware connect & restify middleware to bind routes to continuation-local storage =othiym23 continuation-local-storage express","author":"=othiym23","date":"2014-01-14 "},{"name":"cls-q","description":"Make your promises play nice with the continuation-local-storage module.","url":null,"keywords":"continuation-local-storage q promises async glue baling-wire","version":"1.1.0","words":"cls-q make your promises play nice with the continuation-local-storage module. =othiym23 continuation-local-storage q promises async glue baling-wire","author":"=othiym23","date":"2014-01-09 "},{"name":"cls-redis","description":"Make continuation-local storage play nice with node-redis.","url":null,"keywords":"continuation-local-storage node-redis redis shim glue baling-wire wow","version":"1.0.2","words":"cls-redis make continuation-local storage play nice with node-redis. =othiym23 continuation-local-storage node-redis redis shim glue baling-wire wow","author":"=othiym23","date":"2013-12-30 "},{"name":"cls2","description":"userland implementation of CLS via AsyncListener (^0.11.12)","url":null,"keywords":"threading shared context domains tracing logging","version":"1.0.4","words":"cls2 userland implementation of cls via asynclistener (^0.11.12) =refack threading shared context domains tracing logging","author":"=refack","date":"2014-07-31 "},{"name":"clss","description":"Copyright (C) Infinity","url":null,"keywords":"","version":"0.0.1","words":"clss copyright (c) infinity =rolandpoulter","author":"=rolandpoulter","date":"2012-11-01 "},{"name":"clst","description":"Multi-core CPU support with nodejs","url":null,"keywords":"nodejs cpu cpus cluster","version":"0.0.1","words":"clst multi-core cpu support with nodejs =zhuwenlong nodejs cpu cpus cluster","author":"=zhuwenlong","date":"2014-03-06 "},{"name":"clst.js","keywords":"","version":[],"words":"clst.js","author":"","date":"2014-03-06 "},{"name":"clt","description":"node.js comand line tools","url":null,"keywords":"cli arguments parser color 命令行工具","version":"0.0.0","words":"clt node.js comand line tools =justan cli arguments parser color 命令行工具","author":"=justan","date":"2012-09-20 "},{"name":"clt-api","description":"A nodejs wrapper for President Collect Service API","url":null,"keywords":"api clt","version":"1.2.2","words":"clt-api a nodejs wrapper for president collect service api =calvert api clt","author":"=calvert","date":"2014-03-28 "},{"name":"cltags","description":"Lightweight library for parsing process.argv","url":null,"keywords":"cli argv","version":"0.0.2","words":"cltags lightweight library for parsing process.argv =gmanricks cli argv","author":"=gmanricks","date":"2013-09-25 "},{"name":"clti","description":"(c)ommand(l)ine(t)itanium(i)nterface","url":null,"keywords":"appcelerator titanium mobile ios iphone android","version":"0.5.6","words":"clti (c)ommand(l)ine(t)itanium(i)nterface =iamyellow appcelerator titanium mobile ios iphone android","author":"=iamyellow","date":"2012-11-17 "},{"name":"clu","description":"Manage your node cluster. With zero downtime","url":null,"keywords":"cluster forever zero downtime restart reload","version":"0.3.8","words":"clu manage your node cluster. with zero downtime =fiws cluster forever zero downtime restart reload","author":"=fiws","date":"2014-04-12 "},{"name":"clu-dnode","description":"Dnode server for clu","url":null,"keywords":"clu cluster dnode","version":"0.1.0","words":"clu-dnode dnode server for clu =fiws clu cluster dnode","author":"=fiws","date":"2013-10-06 "},{"name":"club","description":"A module for learning perfose","url":null,"keywords":"","version":"0.0.2","words":"club a module for learning perfose =xq","author":"=xq","date":"2013-08-07 "},{"name":"clucene","description":"A CLucene native library for Node.js, for advanced information retrieval.","url":null,"keywords":"","version":"0.2.3","words":"clucene a clucene native library for node.js, for advanced information retrieval. =erictj","author":"=erictj","date":"2011-10-25 "},{"name":"clues","description":"Lightweight logic tree solver using promises.","url":null,"keywords":"asynchronous async promises","version":"2.0.1-beta1","words":"clues lightweight logic tree solver using promises. =zjonsson asynchronous async promises","author":"=zjonsson","date":"2014-09-05 "},{"name":"cluestr-file-hydrater","keywords":"","version":[],"words":"cluestr-file-hydrater","author":"","date":"2013-12-24 "},{"name":"clui","description":"A Node.js toolkit for drawing nice command line tables, gauges, spinners, and sparklines.","url":null,"keywords":"command line interface CLI sparkline progress bar spinner gauge line console buffer","version":"0.2.1","words":"clui a node.js toolkit for drawing nice command line tables, gauges, spinners, and sparklines. =nathanpeck command line interface cli sparkline progress bar spinner gauge line console buffer","author":"=nathanpeck","date":"2014-06-02 "},{"name":"clumber","description":"A port of lumber in coffeescript","url":null,"keywords":"log logging logger tools cli","version":"0.3.3","words":"clumber a port of lumber in coffeescript =mcculloughsean log logging logger tools cli","author":"=mcculloughsean","date":"2014-01-16 "},{"name":"clump","description":"clump multiple files into one","url":null,"keywords":"","version":"0.0.0","words":"clump clump multiple files into one =architectd","author":"=architectd","date":"2012-08-23 "},{"name":"clumper","description":"Runtime module bundling, request batching, anticipated dependency loading, and localStorage caching to eliminate extraneous HTTP requests for javascript assets.","url":null,"keywords":"clumper amd modules browser browserify bundling performance caching","version":"0.0.6","words":"clumper runtime module bundling, request batching, anticipated dependency loading, and localstorage caching to eliminate extraneous http requests for javascript assets. =brianshaler clumper amd modules browser browserify bundling performance caching","author":"=brianshaler","date":"2014-07-26 "},{"name":"clumpy","description":"transform stream that clumps items from the read stream into arrays","url":null,"keywords":"stream clump batch","version":"0.2.1","words":"clumpy transform stream that clumps items from the read stream into arrays =brianc stream clump batch","author":"=brianc","date":"2014-05-23 "},{"name":"clust","description":"bla","keywords":"","version":[],"words":"clust bla =cihan","author":"=cihan","date":"2014-04-05 "},{"name":"cluster","description":"extensible multi-core server manager","url":null,"keywords":"server spark fugue tcp workers","version":"0.7.7","words":"cluster extensible multi-core server manager =tjholowaychuk =segment server spark fugue tcp workers","author":"=tjholowaychuk =segment","date":"2014-02-25 "},{"name":"cluster-advisor","description":"Aggregate multiple cadvisor endpoints","url":null,"keywords":"cadvisor cluster metrics","version":"0.1.1","words":"cluster-advisor aggregate multiple cadvisor endpoints =binocarlos cadvisor cluster metrics","author":"=binocarlos","date":"2014-08-27 "},{"name":"cluster-airbrake","description":"Airbrake exception notification for cluster.js","url":null,"keywords":"cluster airbrake exception error","version":"0.0.3","words":"cluster-airbrake airbrake exception notification for cluster.js =jcbarry cluster airbrake exception error","author":"=jcbarry","date":"2011-11-16 "},{"name":"cluster-bomb","description":"a node.js cluster management and monitoring system for explosive results","url":null,"keywords":"cluster monitor worker management bomb","version":"0.0.3","words":"cluster-bomb a node.js cluster management and monitoring system for explosive results =kevinohara80 cluster monitor worker management bomb","author":"=kevinohara80","date":"2013-07-11 "},{"name":"cluster-cache","description":"cluster-cache ===============","url":null,"keywords":"","version":"0.5.0-SNAPSHOT.1388759957720","words":"cluster-cache cluster-cache =============== =inexplicable =huzhou =dimichgh","author":"=inexplicable =huzhou =dimichgh","date":"2014-02-12 "},{"name":"cluster-callresp","description":"A call-and-response message passing system for node's cluster builtin","url":null,"keywords":"","version":"0.0.1","words":"cluster-callresp a call-and-response message passing system for node's cluster builtin =isaacs","author":"=isaacs","date":"2012-04-24 "},{"name":"cluster-deploy","description":"Deploying Cluster","url":null,"keywords":"","version":"0.0.2","words":"cluster-deploy deploying cluster =jackfranklin","author":"=jackfranklin","date":"2014-09-01 "},{"name":"cluster-emitter","description":"cluster-emitter ===============","url":null,"keywords":"","version":"0.5.0-SNAPSHOT.1388501015412","words":"cluster-emitter cluster-emitter =============== =inexplicable =huzhou =dimichgh","author":"=inexplicable =huzhou =dimichgh","date":"2014-02-12 "},{"name":"cluster-file-writer","description":"write to a single file from a cluster","url":null,"keywords":"cluster logger filesystem file","version":"0.0.10","words":"cluster-file-writer write to a single file from a cluster =yaniv cluster logger filesystem file","author":"=yaniv","date":"2013-11-20 "},{"name":"cluster-fork","description":"Easily fork your app to use mulitple cores","url":null,"keywords":"cluster fork processes multicore","version":"0.0.3","words":"cluster-fork easily fork your app to use mulitple cores =ssoper cluster fork processes multicore","author":"=ssoper","date":"2012-08-06 "},{"name":"cluster-fuck","description":"a simple, elegant cluster forker","url":null,"keywords":"","version":"1.1.4","words":"cluster-fuck a simple, elegant cluster forker =techjeffharris","author":"=techjeffharris","date":"2014-05-03 "},{"name":"cluster-hub","description":"Interaction between cluster processes (messaging, broadcasting, locks etc)","url":null,"keywords":"cluster messaging communication interaction","version":"0.0.5","words":"cluster-hub interaction between cluster processes (messaging, broadcasting, locks etc) =sirian cluster messaging communication interaction","author":"=sirian","date":"2013-11-06 "},{"name":"cluster-isolatable","description":"Allows to isolate workers so they only handle one request at a time. Useful for file uploads.","url":null,"keywords":"","version":"0.0.2","words":"cluster-isolatable allows to isolate workers so they only handle one request at a time. useful for file uploads. =felixge","author":"=felixge","date":"2011-07-19 "},{"name":"cluster-junction","description":"Start and monitor a cluster of processes","url":null,"keywords":"cluster processes forever monitor","version":"0.0.6","words":"cluster-junction start and monitor a cluster of processes =koopa cluster processes forever monitor","author":"=koopa","date":"2013-07-23 "},{"name":"cluster-live","description":"Realtime administration and statistics for cluster","url":null,"keywords":"cluster realtime stats statistics server express","version":"0.0.3","words":"cluster-live realtime administration and statistics for cluster =tjholowaychuk cluster realtime stats statistics server express","author":"=tjholowaychuk","date":"2011-04-28 "},{"name":"cluster-lock","description":"Simple cluster lock module","url":null,"keywords":"","version":"0.1.0","words":"cluster-lock simple cluster lock module =penpen","author":"=penpen","date":"2014-08-18 "},{"name":"cluster-log","description":"Cluster logging plugin","url":null,"keywords":"cluster redis log logger express","version":"0.1.1","words":"cluster-log cluster logging plugin =tjholowaychuk cluster redis log logger express","author":"=tjholowaychuk","date":"2011-04-20 "},{"name":"cluster-loggly","description":"Cluster plugin to send logs to loggly.","url":null,"keywords":"","version":"1.0.0","words":"cluster-loggly cluster plugin to send logs to loggly. =daaku","author":"=daaku","date":"2013-07-19 "},{"name":"cluster-mail","description":"Email notification plugin for Cluster","url":null,"keywords":"cluster email","version":"0.1.4","words":"cluster-mail email notification plugin for cluster =tjholowaychuk =aheckmann =aaron cluster email","author":"=tjholowaychuk =aheckmann =aaron","date":"2011-10-06 "},{"name":"cluster-manager","description":"Manage cluster applications with email alerting on crash of worker","url":null,"keywords":"stream express connect rotate file","version":"0.0.2","words":"cluster-manager manage cluster applications with email alerting on crash of worker =viktort =rogerc stream express connect rotate file","author":"=viktort =rogerc","date":"2012-11-14 "},{"name":"cluster-master","description":"A helper script for managing a cluster of node worker servers","url":null,"keywords":"","version":"0.2.0","words":"cluster-master a helper script for managing a cluster of node worker servers =isaacs","author":"=isaacs","date":"2014-02-24 "},{"name":"cluster-master-ext","description":"A module for taking advantage of the built-in `cluster` module in node v0.8+, enables rolling worker restarts, resizing, repl, events, configurable timeouts, debug method. Extended version of cluster-master","url":null,"keywords":"cluster master worker repl rolling resize","version":"0.1.1","words":"cluster-master-ext a module for taking advantage of the built-in `cluster` module in node v0.8+, enables rolling worker restarts, resizing, repl, events, configurable timeouts, debug method. extended version of cluster-master =jeffbski cluster master worker repl rolling resize","author":"=jeffbski","date":"2013-11-15 "},{"name":"cluster-metric","description":"Simple cluster metric module","url":null,"keywords":"","version":"0.1.0","words":"cluster-metric simple cluster metric module =penpen","author":"=penpen","date":"2014-08-18 "},{"name":"cluster-metrics","description":"A very simple way to centralize metrics collected in a node cluster","url":null,"keywords":"metrics","version":"0.0.2","words":"cluster-metrics a very simple way to centralize metrics collected in a node cluster =arobson metrics","author":"=arobson","date":"2014-04-17 "},{"name":"cluster-monitor","description":"cluster-monitor ===============","url":null,"keywords":"","version":"0.5.0-SNAPSHOT.1387337537246","words":"cluster-monitor cluster-monitor =============== =inexplicable =dimichgh","author":"=inexplicable =dimichgh","date":"2014-02-12 "},{"name":"cluster-node","description":"Very basic clustering simplicity for express apps","url":null,"keywords":"util nodejs configuration config database","version":"0.0.1","words":"cluster-node very basic clustering simplicity for express apps =dpweb util nodejs configuration config database","author":"=dpweb","date":"2012-10-13 "},{"name":"cluster-overseer","description":"An experimental cluster manager","url":null,"keywords":"cluster forever workers watch","version":"0.1.2","words":"cluster-overseer an experimental cluster manager =mekwall cluster forever workers watch","author":"=mekwall","date":"2013-12-11 "},{"name":"cluster-pool","description":"Cluster of pools for generic resources","url":null,"keywords":"pool pooling throttle connection connection pool cluster slaves slave multi multiple generic-pool replication","version":"1.1.2","words":"cluster-pool cluster of pools for generic resources =racbart pool pooling throttle connection connection pool cluster slaves slave multi multiple generic-pool replication","author":"=racbart","date":"2013-02-09 "},{"name":"cluster-queue","description":"Simple cluster queue module","url":null,"keywords":"","version":"0.1.0","words":"cluster-queue simple cluster queue module =penpen","author":"=penpen","date":"2014-08-18 "},{"name":"cluster-responsetimes","description":"Plugin for cluster to show response time stats","url":null,"keywords":"cluster latency stats metrics","version":"0.0.1","words":"cluster-responsetimes plugin for cluster to show response time stats =mnutt cluster latency stats metrics","author":"=mnutt","date":"2011-06-22 "},{"name":"cluster-role","description":"A wrapper around the native Node 'cluster' built-in, that provides a convenient interface to start up multiple workers of different roles by configuration","url":null,"keywords":"server workers cluster reload redundancy ha high-availability","version":"0.2.0","words":"cluster-role a wrapper around the native node 'cluster' built-in, that provides a convenient interface to start up multiple workers of different roles by configuration =leonardw server workers cluster reload redundancy ha high-availability","author":"=leonardw","date":"2014-08-31 "},{"name":"cluster-server","description":"Simple multi-CPU cluster server manager for Node 0.6+","url":null,"keywords":"Cluster Restart Zero Down Time","version":"0.0.5","words":"cluster-server simple multi-cpu cluster server manager for node 0.6+ =au cluster restart zero down time","author":"=au","date":"2013-06-21 "},{"name":"cluster-service","description":"Turns your single process code into a fault-resilient multi-process service with built-in REST & CLI support","url":null,"keywords":"cluster service ha high availability cli remote access multi process master child process monitor monitoring continous integration healthcheck heartbeat health check heart beat REST resilient","version":"1.0.5","words":"cluster-service turns your single process code into a fault-resilient multi-process service with built-in rest & cli support =asilvas cluster service ha high availability cli remote access multi process master child process monitor monitoring continous integration healthcheck heartbeat health check heart beat rest resilient","author":"=asilvas","date":"2014-07-18 "},{"name":"cluster-socket.io","description":"A learnboost/cluster plugin for managing learnboost/socket.io child processes","url":null,"keywords":"","version":"0.2.0","words":"cluster-socket.io a learnboost/cluster plugin for managing learnboost/socket.io child processes =tmpvar","author":"=tmpvar","date":"2011-03-08 "},{"name":"cluster-start","description":"cluster-start is a wrapper for the Node.js cluster module to start applications in cluster mode, utilizing recluster","url":null,"keywords":"cluster","version":"0.1.4","words":"cluster-start cluster-start is a wrapper for the node.js cluster module to start applications in cluster mode, utilizing recluster =ninecollective cluster","author":"=ninecollective","date":"2014-08-18 "},{"name":"cluster-status","description":"cluster-status ===============","url":null,"keywords":"","version":"0.5.0-SNAPSHOT.1387826685226","words":"cluster-status cluster-status =============== =inexplicable =huzhou =dimichgh","author":"=inexplicable =huzhou =dimichgh","date":"2014-02-12 "},{"name":"cluster-tools","description":"Simple cluster tools module","url":null,"keywords":"","version":"0.1.0","words":"cluster-tools simple cluster tools module =penpen","author":"=penpen","date":"2014-08-18 "},{"name":"cluster-vhost","description":"virtual host setup made easy","url":null,"keywords":"vhost virtual host domain name","version":"1.0.0","words":"cluster-vhost virtual host setup made easy =andreasmadsen vhost virtual host domain name","author":"=andreasmadsen","date":"2012-03-14 "},{"name":"cluster.exception","description":"Exception handling for cluster.js","url":null,"keywords":"cluster mail exception error","version":"0.0.3","words":"cluster.exception exception handling for cluster.js =v1 cluster mail exception error","author":"=V1","date":"2014-08-06 "},{"name":"cluster.io","description":"clustering socket.io","url":null,"keywords":"socket.io cluster","version":"0.0.0","words":"cluster.io clustering socket.io =jxck socket.io cluster","author":"=Jxck","date":"2012-08-12 "},{"name":"cluster2","description":"![Travis status](https://secure.travis-ci.org/ql-io/cluster2.png)","url":null,"keywords":"","version":"0.4.26","words":"cluster2 ![travis status](https://secure.travis-ci.org/ql-io/cluster2.png) =s3u =prabhakhar =shimonchayim =hochang =inexplicable =ebay_cubejs =psteeleidem =pnidem =dimichgh =zcx.wang =huzhou","author":"=s3u =prabhakhar =shimonchayim =hochang =inexplicable =ebay_cubejs =psteeleidem =pnidem =dimichgh =zcx.wang =huzhou","date":"2014-06-09 "},{"name":"cluster_custom","description":"using default cluster module for custom purposes with linux signal interface","url":null,"keywords":"cluster","version":"0.0.4","words":"cluster_custom using default cluster module for custom purposes with linux signal interface =ghost_cfg cluster","author":"=ghost_cfg","date":"2012-12-17 "},{"name":"cluster_master","description":"Easy cluster management + zero downtime deploys & reloads","url":null,"keywords":"deploy cluster zerodowntime reload","version":"0.1.1","words":"cluster_master easy cluster management + zero downtime deploys & reloads =printercu deploy cluster zerodowntime reload","author":"=printercu","date":"2013-09-03 "},{"name":"clusterd","description":"clusterd - node js cluster daemon","url":null,"keywords":"cluster clusterd remote parallel","version":"0.0.5","words":"clusterd clusterd - node js cluster daemon =mullvad cluster clusterd remote parallel","author":"=mullvad","date":"2014-01-22 "},{"name":"clusterdb","description":"In-memory persistence for Node.js clustering across workers.","url":null,"keywords":"cluster","version":"0.0.1","words":"clusterdb in-memory persistence for node.js clustering across workers. =franklovecchio cluster","author":"=franklovecchio","date":"2013-05-11 "},{"name":"clustered","description":"Cluster your server","url":null,"keywords":"","version":"0.2.0","words":"clustered cluster your server =serby","author":"=serby","date":"2013-08-16 "},{"name":"clusterer","description":"Clusterer - super simple way to cluster your node app.","url":null,"keywords":"cluster","version":"0.1.3","words":"clusterer clusterer - super simple way to cluster your node app. =robby cluster","author":"=robby","date":"2014-08-22 "},{"name":"clusterfck","description":"K-means and hierarchical clustering","url":null,"keywords":"","version":"0.5.2","words":"clusterfck k-means and hierarchical clustering =harth","author":"=harth","date":"2012-05-02 "},{"name":"clusterfcuk-config","description":"A ClusterFCUK module to manage configuration data.","url":null,"keywords":"clusterfcuk config","version":"0.1.0","words":"clusterfcuk-config a clusterfcuk module to manage configuration data. =theartoflogic clusterfcuk config","author":"=theartoflogic","date":"2014-09-08 "},{"name":"clusterfcuk-help","description":"A ClusterFCUK module to output help information.","url":null,"keywords":"clusterfcuk help","version":"0.1.1","words":"clusterfcuk-help a clusterfcuk module to output help information. =theartoflogic clusterfcuk help","author":"=theartoflogic","date":"2014-09-08 "},{"name":"clusterfcuk-master","description":"A ClusterFCUK module for configuring a server as a master node.","url":null,"keywords":"clusterfcuk","version":"0.1.2","words":"clusterfcuk-master a clusterfcuk module for configuring a server as a master node. =theartoflogic clusterfcuk","author":"=theartoflogic","date":"2014-09-08 "},{"name":"clusterflock","description":"a clustering http server for node","url":null,"keywords":"cluster server http","version":"0.3.2","words":"clusterflock a clustering http server for node =jclem cluster server http","author":"=jclem","date":"2014-09-12 "},{"name":"clusterhub","description":"Easily and efficiently sync data in your cluster applications.","url":null,"keywords":"cluster load balance database multi process sync","version":"0.2.5","words":"clusterhub easily and efficiently sync data in your cluster applications. =fent cluster load balance database multi process sync","author":"=fent","date":"2014-06-25 "},{"name":"clusterify","description":"A simple executable script to easily cluster an app","url":null,"keywords":"","version":"0.0.0","words":"clusterify a simple executable script to easily cluster an app =coverslide","author":"=coverslide","date":"2013-04-28 "},{"name":"clustering","description":"A small cluster module with plugin system","url":null,"keywords":"cluster plugins","version":"0.0.2","words":"clustering a small cluster module with plugin system =drewyoung1 cluster plugins","author":"=drewyoung1","date":"2014-01-27 "},{"name":"clustering-js","description":"","keywords":"clustering kmeans kmedians machine learning ml ai artificial intelligence unsupervised","version":[],"words":"clustering-js =emilbay clustering kmeans kmedians machine learning ml ai artificial intelligence unsupervised","author":"=emilbay","date":"2013-06-30 "},{"name":"clusteringjs","description":"clusteringjs\r ============","url":null,"keywords":"","version":"0.1.2","words":"clusteringjs clusteringjs\r ============ =trasantos","author":"=trasantos","date":"2014-04-07 "},{"name":"clusterize","description":"Helper for core cluster module.","url":null,"keywords":"clusterize cluster multiple cores","version":"0.1.2","words":"clusterize helper for core cluster module. =kishorenc clusterize cluster multiple cores","author":"=kishorenc","date":"2012-01-29 "},{"name":"clusterjs","description":"Clusterify your NodeJS applications and deploy without downtimes. Just like that.","url":null,"keywords":"cluster.js node zdd downtime zero downtime deployment zero downtime deployment","version":"0.7.0","words":"clusterjs clusterify your nodejs applications and deploy without downtimes. just like that. =odino =unlucio cluster.js node zdd downtime zero downtime deployment zero downtime deployment","author":"=odino =unlucio","date":"2014-07-03 "},{"name":"clusterlite","description":"Lite cluster based on 0.6.x Cluster API","url":null,"keywords":"","version":"0.1.0","words":"clusterlite lite cluster based on 0.6.x cluster api =jondot","author":"=jondot","date":"2011-12-07 "},{"name":"clusterlog","description":"clusterlog","url":null,"keywords":"","version":"0.1.0","words":"clusterlog clusterlog =backhand","author":"=backhand","date":"2013-04-04 "},{"name":"clusterman","description":"A package to provide some basic utility around cluster - notably graceful restart","url":null,"keywords":"","version":"0.0.4","words":"clusterman a package to provide some basic utility around cluster - notably graceful restart =ordr-in","author":"=ordr-in","date":"2012-03-26 "},{"name":"clustermuck","description":"Node cluster garbage collection rotation","url":null,"keywords":"","version":"0.0.4","words":"clustermuck node cluster garbage collection rotation =calebtom","author":"=calebtom","date":"2014-09-10 "},{"name":"clusterphone","description":"Easy-mode messaging between your cluster master and workers.","url":null,"keywords":"cluster messaging","version":"1.0.1","words":"clusterphone easy-mode messaging between your cluster master and workers. =samcday cluster messaging","author":"=samcday","date":"2014-07-24 "},{"name":"clusterstart","description":"Enable clusterization of an app via a launching commandline argument (--clusterize [number of cores]).","url":null,"keywords":"","version":"0.0.1","words":"clusterstart enable clusterization of an app via a launching commandline argument (--clusterize [number of cores]). =chrispaterson","author":"=chrispaterson","date":"2012-01-24 "},{"name":"clusterstream","description":"Piping streams across a cluster of Workers","url":null,"keywords":"stream cluster","version":"0.0.1","words":"clusterstream piping streams across a cluster of workers =zjonsson stream cluster","author":"=zjonsson","date":"2013-08-29 "},{"name":"clustertron","description":"Uses the cluster module to manage multiple http workers creating domains for each request","url":null,"keywords":"clustering","version":"0.4.1","words":"clustertron uses the cluster module to manage multiple http workers creating domains for each request =foo42 clustering","author":"=foo42","date":"2014-09-10 "},{"name":"clustr","description":"clustering strategies for geojson and symbolization","url":null,"keywords":"","version":"0.0.0","words":"clustr clustering strategies for geojson and symbolization =tmcw","author":"=tmcw","date":"2012-07-12 "},{"name":"clustr-node","description":"CoffeeScript cluster module to manage multi process cluster in NodeJs. Clustr is responseable for worker spawning and messaging between all processes.","url":null,"keywords":"multi process cluster coffeescript nodejs","version":"0.16.0","words":"clustr-node coffeescript cluster module to manage multi process cluster in nodejs. clustr is responseable for worker spawning and messaging between all processes. =zyndiecate multi process cluster coffeescript nodejs","author":"=zyndiecate","date":"2013-09-04 "},{"name":"clutch","description":"no-frills web request routing","url":null,"keywords":"web routing router route","version":"0.1.1","words":"clutch no-frills web request routing =clement web routing router route","author":"=clement","date":"prehistoric"},{"name":"clutteredcouch","description":"Generates CouchDB documents for load testing.","url":null,"keywords":"","version":"0.1.0","words":"clutteredcouch generates couchdb documents for load testing. =sbisbee","author":"=sbisbee","date":"2012-07-05 "},{"name":"cly","description":"silly","url":null,"keywords":"","version":"0.0.0","words":"cly silly =csbun","author":"=csbun","date":"2014-03-27 "},{"name":"cly-test","description":"test for cly","url":null,"keywords":"","version":"0.0.1","words":"cly-test test for cly =csbun","author":"=csbun","date":"2014-07-30 "},{"name":"cm","description":"common Node modules/utils that I use","url":null,"keywords":"common modules require db json node browser build coffee-script typescript javascript argv cache debug events expose jsondb fs tpl utils","version":"0.3.2","words":"cm common node modules/utils that i use =ryuu common modules require db json node browser build coffee-script typescript javascript argv cache debug events expose jsondb fs tpl utils","author":"=ryuu","date":"2014-03-03 "},{"name":"cm-engine","description":"Content management redefined.","url":null,"keywords":"","version":"0.2.2","words":"cm-engine content management redefined. =kixxauth","author":"=kixxauth","date":"2012-12-17 "},{"name":"cm-livereload","description":"## Installation, running","url":null,"keywords":"","version":"0.2.3","words":"cm-livereload ## installation, running =tomaszdurka","author":"=tomaszdurka","date":"2013-05-21 "},{"name":"cm-simpleauth","description":"a connect-mail middleware that authenticate senders using a jsonusersstorage","url":null,"keywords":"","version":"0.1.0","words":"cm-simpleauth a connect-mail middleware that authenticate senders using a jsonusersstorage =parroit","author":"=parroit","date":"2014-06-23 "},{"name":"CM1","description":"JavaScript API for Brighter Planet's CM1 carbon/impact calculation service","url":null,"keywords":"","version":"0.7.6","words":"cm1 javascript api for brighter planet's cm1 carbon/impact calculation service =dkastner","author":"=dkastner","date":"2012-05-02 "},{"name":"cmake","description":"Installs the cmake x86 linux binaries","url":null,"keywords":"","version":"0.0.4","words":"cmake installs the cmake x86 linux binaries =stanleygu","author":"=stanleygu","date":"2013-07-30 "},{"name":"cman","description":"Component framework and manager","url":null,"keywords":"component framework connect express manager","version":"0.0.0-spec-0","words":"cman component framework and manager =langpavel component framework connect express manager","author":"=langpavel","date":"2012-08-03 "},{"name":"cmanager","description":"Lightweight cluster manager.","url":null,"keywords":"cluster manager","version":"0.0.16","words":"cmanager lightweight cluster manager. =gaborsar cluster manager","author":"=gaborsar","date":"2014-08-05 "},{"name":"cmath_example","description":"An example of creating a package","url":null,"keywords":"math example addition subtraction multiplication division fibonacci","version":"1.0.0","words":"cmath_example an example of creating a package =crice math example addition subtraction multiplication division fibonacci","author":"=crice","date":"2013-08-07 "},{"name":"cmb","description":"A simple combinatorial iterator, supporting a stream of combinations.","url":null,"keywords":"combinatorics combination stream","version":"0.1.1","words":"cmb a simple combinatorial iterator, supporting a stream of combinations. =lordvlad combinatorics combination stream","author":"=lordvlad","date":"2014-09-16 "},{"name":"cmbn","description":"Generate and serve combo URLs across CDNs","url":null,"keywords":"","version":"0.0.1","words":"cmbn generate and serve combo urls across cdns =gzip","author":"=gzip","date":"2012-08-25 "},{"name":"cmbot","description":"A full featured bot for turntable.fm","url":null,"keywords":"turntable.fm turntable stickybits","version":"0.9.7","words":"cmbot a full featured bot for turntable.fm =atomjack turntable.fm turntable stickybits","author":"=atomjack","date":"2013-05-17 "},{"name":"cmbs","description":"Content Management BootStrap","url":null,"keywords":"","version":"0.0.2","words":"cmbs content management bootstrap =usishi","author":"=usishi","date":"2013-12-30 "},{"name":"cmcic","description":"Payments module for CIC bank, Credit Mutuel and OBC Bank","url":null,"keywords":"cmcic banque payement","version":"0.2.2","words":"cmcic payments module for cic bank, credit mutuel and obc bank =lemulot cmcic banque payement","author":"=lemulot","date":"2014-04-02 "},{"name":"cmd","description":"Provides support for building module command line applications with node.","url":null,"keywords":"","version":"0.0.4","words":"cmd provides support for building module command line applications with node. =jon.seymour","author":"=jon.seymour","date":"2011-04-21 "},{"name":"cmd-argv","description":"Commandline Argument Parser","url":null,"keywords":"cli argv parser","version":"0.0.1","words":"cmd-argv commandline argument parser =debbbbie cli argv parser","author":"=debbbbie","date":"2012-09-29 "},{"name":"cmd-conf","description":"A command line analyser for Node.JS","url":null,"keywords":"","version":"1.1.0","words":"cmd-conf a command line analyser for node.js =techniv","author":"=techniv","date":"2014-05-08 "},{"name":"cmd-exec","description":"A tool for executing command-line arguments in Node","url":null,"keywords":"cmd exec command line","version":"0.0.2","words":"cmd-exec a tool for executing command-line arguments in node =jpstevens cmd exec command line","author":"=jpstevens","date":"2014-06-09 "},{"name":"cmd-exists","description":"checks if commands exist","url":null,"keywords":"","version":"0.0.0","words":"cmd-exists checks if commands exist =icodeforlove","author":"=icodeforlove","date":"2013-04-12 "},{"name":"cmd-helper","description":"Utilities for common module definition modify from cmd-util","url":null,"keywords":"cmd seajs cmd-uitl commonjs common module","version":"0.2.6","words":"cmd-helper utilities for common module definition modify from cmd-util =nuintun cmd seajs cmd-uitl commonjs common module","author":"=nuintun","date":"2014-05-07 "},{"name":"cmd-interface","description":"node.js command-line-interface programs","url":null,"keywords":"cmd commander cli shell","version":"0.0.5","words":"cmd-interface node.js command-line-interface programs =wyicwx cmd commander cli shell","author":"=wyicwx","date":"2014-04-12 "},{"name":"cmd-ln","description":"Converts command-line arguments to function arguments - for simple CLI programs.","url":null,"keywords":"","version":"0.1.0","words":"cmd-ln converts command-line arguments to function arguments - for simple cli programs. =airportyh","author":"=airportyh","date":"2014-05-05 "},{"name":"cmd-object","description":"A command line generator given rules and a source object","url":null,"keywords":"","version":"0.1.0","words":"cmd-object a command line generator given rules and a source object =qixx","author":"=qixx","date":"2014-08-03 "},{"name":"cmd-shim","description":"Used in npm for command line application support","url":null,"keywords":"","version":"2.0.1","words":"cmd-shim used in npm for command line application support =forbeslindesay","author":"=forbeslindesay","date":"2014-09-05 "},{"name":"cmd-startup","description":"Make your node apps start with the computer.","url":null,"keywords":"","version":"0.1.2","words":"cmd-startup make your node apps start with the computer. =linusu","author":"=linusu","date":"2013-09-21 "},{"name":"cmd-util","description":"Utilities for common module definition.","url":null,"keywords":"cmd spm module ast","version":"0.3.13","words":"cmd-util utilities for common module definition. =lepture =popomore cmd spm module ast","author":"=lepture =popomore","date":"2014-05-13 "},{"name":"cmd.io","description":"Send commands by socks | childs","url":null,"keywords":"","version":"0.0.3","words":"cmd.io send commands by socks | childs =exos","author":"=exos","date":"2012-07-16 "},{"name":"cmdbuild","description":"seajs build tool","url":null,"keywords":"cmd seajs javascript build tools","version":"0.1.4","words":"cmdbuild seajs build tool =liuyongsheng cmd seajs javascript build tools","author":"=liuyongsheng","date":"2013-12-24 "},{"name":"cmdclean","description":"A build tool that converts CMD code to standard JavaScript.","url":null,"keywords":"","version":"0.2.3","words":"cmdclean a build tool that converts cmd code to standard javascript. =sorrycc","author":"=sorrycc","date":"2014-09-01 "},{"name":"cmdflow","description":"Convert multiple requests from different transports to single command interface","keywords":"","version":[],"words":"cmdflow convert multiple requests from different transports to single command interface =goldix","author":"=goldix","date":"2012-09-23 "},{"name":"cmdgrid","description":"Command line app for working with SendGrid's Parse API","url":null,"keywords":"cmdgrid sendgrid email parse command","version":"0.0.2","words":"cmdgrid command line app for working with sendgrid's parse api =martyndavies cmdgrid sendgrid email parse command","author":"=martyndavies","date":"2013-04-16 "},{"name":"cmdify","description":"A small utility to help make spawning cross platform.","url":null,"keywords":"","version":"0.0.4","words":"cmdify a small utility to help make spawning cross platform. =danielchatfield","author":"=danielchatfield","date":"2013-08-17 "},{"name":"cmdize","description":"Convert normal js to cmd module.","url":null,"keywords":"cmd seajs","version":"0.2.0","words":"cmdize convert normal js to cmd module. =afc163 cmd seajs","author":"=afc163","date":"2013-12-19 "},{"name":"cmdl","description":"A simple, yet powerful command-line interface builder","url":null,"keywords":"cli prompt system","version":"0.2.1","words":"cmdl a simple, yet powerful command-line interface builder =sppericat cli prompt system","author":"=sppericat","date":"2013-11-25 "},{"name":"cmdln","description":"helper lib for creating CLI tools with subcommands; think `git`, `svn`, `zfs`","url":null,"keywords":"cmdln cli tool","version":"2.1.1","words":"cmdln helper lib for creating cli tools with subcommands; think `git`, `svn`, `zfs` =trentm cmdln cli tool","author":"=trentm","date":"2014-08-14 "},{"name":"cmdopt","description":"command option parser for Node.js","url":null,"keywords":"","version":"0.2.0","words":"cmdopt command option parser for node.js =kwatch","author":"=kwatch","date":"2011-12-13 "},{"name":"cmdparser","description":"Command parser with support for completers.","url":null,"keywords":"parser command redis","version":"0.0.3","words":"cmdparser command parser with support for completers. =joeferner parser command redis","author":"=joeferner","date":"2012-08-02 "},{"name":"cmdr","description":"command line apps made easy","url":null,"keywords":"command-line cli router","version":"0.0.1","words":"cmdr command line apps made easy =jbilcke command-line cli router","author":"=jbilcke","date":"2013-09-18 "},{"name":"cmdrkeene-faye","description":"Simple pub/sub messaging for the web","url":null,"keywords":"comet websocket pubsub bayeux ajax http","version":"0.7.0","words":"cmdrkeene-faye simple pub/sub messaging for the web =cmdrkeene comet websocket pubsub bayeux ajax http","author":"=cmdrkeene","date":"2011-11-13 "},{"name":"cmds","description":"A simple command runner","url":null,"keywords":"command commandline parse run runner","version":"0.0.3","words":"cmds a simple command runner =txgruppi command commandline parse run runner","author":"=txgruppi","date":"2012-12-27 "},{"name":"cmdserver","description":"client/server command line apps made easy","url":null,"keywords":"","version":"0.0.2","words":"cmdserver client/server command line apps made easy =brianloveswords","author":"=brianloveswords","date":"2012-06-25 "},{"name":"cmdsrv","description":"simple text protocol command server","url":null,"keywords":"text protocol command server","version":"0.1.3","words":"cmdsrv simple text protocol command server =brett_langdon text protocol command server","author":"=brett_langdon","date":"2013-11-09 "},{"name":"cmdt","description":"Command-line tool for testing command-line tools","url":null,"keywords":"test cli command-line cli integration test","version":"0.1.1","words":"cmdt command-line tool for testing command-line tools =cliffano test cli command-line cli integration test","author":"=cliffano","date":"2014-03-21 "},{"name":"cmem","description":"Basic function stub maker","url":null,"keywords":"stub","version":"0.0.3","words":"cmem basic function stub maker =neytema stub","author":"=neytema","date":"2014-05-30 "},{"name":"cmis","description":"a CMIS client library written in Javascript for node and the browser","url":null,"keywords":"","version":"0.1.7","words":"cmis a cmis client library written in javascript for node and the browser =agea","author":"=agea","date":"2014-07-10 "},{"name":"cmis.js","description":"Convenience Library for CMIS Browser Binding","url":null,"keywords":"","version":"0.1.1","words":"cmis.js convenience library for cmis browser binding =stefanhuber","author":"=stefanhuber","date":"2014-01-19 "},{"name":"cmjpk","keywords":"","version":[],"words":"cmjpk","author":"","date":"2014-03-07 "},{"name":"cml","description":"Component Markup Language. It's like QML for the browser.","url":null,"keywords":"markup component templating language browser extensible","version":"0.0.0","words":"cml component markup language. it's like qml for the browser. =jaz303 markup component templating language browser extensible","author":"=jaz303","date":"2014-06-26 "},{"name":"cmnodejs","description":"测试","url":null,"keywords":"['package' 'cmnodejs']","version":"0.0.1","words":"cmnodejs 测试 =cm ['package' 'cmnodejs']","author":"=cm","date":"2012-09-18 "},{"name":"cmof-parser","description":"A parser for CMOF xml files","url":null,"keywords":"model meta-model xml xsd import export","version":"0.0.3","words":"cmof-parser a parser for cmof xml files =nikku model meta-model xml xsd import export","author":"=nikku","date":"2014-06-03 "},{"name":"cmon","description":"CommonJS and ender-inspired require/provide with events","url":null,"keywords":"require common commonjs module browser ender async","version":"0.6.0","words":"cmon commonjs and ender-inspired require/provide with events =ryanve require common commonjs module browser ender async","author":"=ryanve","date":"2013-11-09 "},{"name":"cmp","description":"A library for general comparisons","url":null,"keywords":"","version":"0.0.2","words":"cmp a library for general comparisons =mcandre","author":"=mcandre","date":"2011-09-14 "},{"name":"cmp-version","description":"tiny util to compare versions of a local package.json and its counterpart online","url":null,"keywords":"","version":"0.0.4","words":"cmp-version tiny util to compare versions of a local package.json and its counterpart online =comely-naiad","author":"=comely-naiad","date":"2014-08-04 "},{"name":"cmplx","description":"calculations with complex numbers in arithmetic or polar form","url":null,"keywords":"math complex arithmetic polar","version":"0.0.2","words":"cmplx calculations with complex numbers in arithmetic or polar form =paul.bottin math complex arithmetic polar","author":"=paul.bottin","date":"2012-10-31 "},{"name":"cmpnt","url":null,"keywords":"","version":"0.0.19","words":"cmpnt =mchadwick =vistar =narf","author":"=mchadwick =vistar =narf","date":"2014-09-18 "},{"name":"cms","description":"Lightweight content management system","url":null,"keywords":"ghm cms","version":"0.0.1-1","words":"cms lightweight content management system =thomblake ghm cms","author":"=thomblake","date":"2011-11-15 "},{"name":"cms-acceptance-test-framework","keywords":"","version":[],"words":"cms-acceptance-test-framework","author":"","date":"2014-08-12 "},{"name":"cmsdk","description":"Content Management Software Development Kit","url":null,"keywords":"content management system software development kit cms sdk","version":"0.0.0","words":"cmsdk content management software development kit =olebedev content management system software development kit cms sdk","author":"=olebedev","date":"2013-04-15 "},{"name":"cmt","description":"Get rid of all the boring git commit messages like 'small fix'. cmt is an automatic git commit generator","url":null,"keywords":"git commit messages generator random fun lol","version":"0.0.6","words":"cmt get rid of all the boring git commit messages like 'small fix'. cmt is an automatic git commit generator =gianlucaguarini git commit messages generator random fun lol","author":"=gianlucaguarini","date":"2014-09-20 "},{"name":"cmu-finger","description":"Look up people in the Carnegie Mellon University directory.","url":null,"keywords":"cmu carnegie mellon","version":"0.0.1","words":"cmu-finger look up people in the carnegie mellon university directory. =cleercode cmu carnegie mellon","author":"=cleercode","date":"2012-12-26 "},{"name":"cmu-soc","description":"Fetch and parse the Carnegie Mellon University schedule of classes.","url":null,"keywords":"cmu carnegie mellon","version":"0.0.1","words":"cmu-soc fetch and parse the carnegie mellon university schedule of classes. =cleercode cmu carnegie mellon","author":"=cleercode","date":"2012-12-26 "},{"name":"cmudict","description":"A node.js wrapper around the CMU Pronunciation Dictionary","url":null,"keywords":"cmudict nlp language linguistics english","version":"1.0.2","words":"cmudict a node.js wrapper around the cmu pronunciation dictionary =nathanielksmith cmudict nlp language linguistics english","author":"=nathanielksmith","date":"2013-05-31 "},{"name":"cmudict-to-sqlite","description":"A utility for parsing the CMU Pronouncing Dictionary into an sqlite database using Node.js. Also included is a helper class for looking up information in the database and manipulating it.","url":null,"keywords":"cmudict CMU Pronouncing Dictionary nlp language linguistics atropa","version":"0.4.1","words":"cmudict-to-sqlite a utility for parsing the cmu pronouncing dictionary into an sqlite database using node.js. also included is a helper class for looking up information in the database and manipulating it. =kastor cmudict cmu pronouncing dictionary nlp language linguistics atropa","author":"=kastor","date":"2013-05-20 "},{"name":"cn","description":"Chuck Norris jokes whenever you need one","url":null,"keywords":"chuck norris","version":"0.1.1","words":"cn chuck norris jokes whenever you need one =rumpl chuck norris","author":"=rumpl","date":"2013-06-12 "},{"name":"cn-chars","description":"一个对简体和繁体汉字相互转化的Node.js模块","url":null,"keywords":"简体 繁体 汉字 cn node javascript character","version":"0.1.1","words":"cn-chars 一个对简体和繁体汉字相互转化的node.js模块 =liushuping 简体 繁体 汉字 cn node javascript character","author":"=liushuping","date":"2014-07-23 "},{"name":"cn-node","keywords":"","version":[],"words":"cn-node","author":"","date":"2014-04-04 "},{"name":"cn-search","description":"Redis search for node.js,support chinese","url":null,"keywords":"redis search reds segmentation mmseg chinese","version":"0.2.6","words":"cn-search redis search for node.js,support chinese =sxyizhiren redis search reds segmentation mmseg chinese","author":"=sxyizhiren","date":"2014-01-16 "},{"name":"cn2uc","description":"中文转unicode","url":null,"keywords":"chinese unicode transfer","version":"1.0.3","words":"cn2uc 中文转unicode =chshouyu chinese unicode transfer","author":"=chshouyu","date":"2013-11-18 "},{"name":"cnet","description":"CNET API Connection Library for Node.js","url":null,"keywords":"cnet api tech media reviews electronic cbs","version":"0.1.0","words":"cnet cnet api connection library for node.js =jpmonette cnet api tech media reviews electronic cbs","author":"=jpmonette","date":"2013-03-28 "},{"name":"cnf","description":"config ======","url":null,"keywords":"configuration","version":"2.1.3","words":"cnf config ====== =muscula =eagleeye configuration","author":"=muscula =eagleeye","date":"2014-05-03 "},{"name":"cnfg","description":"Hierarchical environment configuration for node.js applications","url":null,"keywords":"config settings conf recursive recursively environment env hierarchy hierarchical","version":"0.1.2","words":"cnfg hierarchical environment configuration for node.js applications =boo1ean config settings conf recursive recursively environment env hierarchy hierarchical","author":"=boo1ean","date":"2014-08-04 "},{"name":"cnistat","keywords":"","version":[],"words":"cnistat","author":"","date":"2014-01-26 "},{"name":"cnlogger","description":"Logging lib that prints module name and line number","url":null,"keywords":"log logging logger custom color","version":"0.3.5","words":"cnlogger logging lib that prints module name and line number =schloerke log logging logger custom color","author":"=schloerke","date":"2011-09-26 "},{"name":"cnlyml","keywords":"","version":[],"words":"cnlyml","author":"","date":"2014-08-19 "},{"name":"cnm","description":"A module for learning perpose---This is my first time to create a website.","url":null,"keywords":"ming","version":"0.0.1","words":"cnm a module for learning perpose---this is my first time to create a website. =cnm ming","author":"=cnm","date":"2014-03-25 "},{"name":"cnn","description":"news app","url":null,"keywords":"","version":"0.0.1","words":"cnn news app =mityburner","author":"=mityburner","date":"2014-05-12 "},{"name":"cnode","description":"run coffee script in node with source map","url":null,"keywords":"coffee-script source-map","version":"0.0.1","words":"cnode run coffee script in node with source map =mhzed coffee-script source-map","author":"=mhzed","date":"2013-03-22 "},{"name":"cnpm","description":"cnpm: npm client for cnpmjs.org","url":null,"keywords":"cnpm","version":"1.0.0","words":"cnpm cnpm: npm client for cnpmjs.org =fengmk2 =dead_horse cnpm","author":"=fengmk2 =dead_horse","date":"2014-09-01 "},{"name":"cnpmjs.org","description":"Private npm registry and web for Enterprise, base on MySQL and Simple Store Service","url":null,"keywords":"cnpmjs.org npm npmjs npmjs.org registry","version":"1.5.0","words":"cnpmjs.org private npm registry and web for enterprise, base on mysql and simple store service =fengmk2 =dead_horse cnpmjs.org npm npmjs npmjs.org registry","author":"=fengmk2 =dead_horse","date":"2014-09-15 "},{"name":"cnpmtest-package","keywords":"","version":[],"words":"cnpmtest-package","author":"","date":"2014-04-09 "},{"name":"cnpmtestmodule","description":"cnpmtestmodule","url":null,"keywords":"cnpmtestmodule","version":"0.0.2","words":"cnpmtestmodule cnpmtestmodule =fengmk2 cnpmtestmodule","author":"=fengmk2","date":"2014-08-07 "},{"name":"cnpmtop","description":"silly program that ranks npm contributors by number of packages","url":null,"keywords":"npm contributors modules rednode","version":"0.1.1","words":"cnpmtop silly program that ranks npm contributors by number of packages =pana npm contributors modules rednode","author":"=pana","date":"2013-12-21 "},{"name":"cns","description":"Clone 'n' Start - A simple tool for deploying multiple servers.","url":null,"keywords":"build git clone grunt forever","version":"1.0.1","words":"cns clone 'n' start - a simple tool for deploying multiple servers. =gyulanemeth build git clone grunt forever","author":"=gyulanemeth","date":"2014-09-05 "},{"name":"cnt","description":"node-webkit APP helper","url":null,"keywords":"","version":"0.0.3","words":"cnt node-webkit app helper =demohn","author":"=demohn","date":"2014-06-05 "},{"name":"cnt_newsletters","description":"The best project ever.","url":null,"keywords":"Condé Nast condenast package frontend library","version":"0.0.1","words":"cnt_newsletters the best project ever. =toddself condé nast condenast package frontend library","author":"=toddself","date":"2013-08-21 "},{"name":"cnvrt","description":"Library for easily converting between units and currencies.","url":null,"keywords":"","version":"0.0.1","words":"cnvrt library for easily converting between units and currencies. =herber","author":"=herber","date":"2013-04-04 "},{"name":"cnx-node","description":"Db client mgmt for Node.js","url":null,"keywords":"util nodejs configuration config database","version":"2.0.6","words":"cnx-node db client mgmt for node.js =dpweb util nodejs configuration config database","author":"=dpweb","date":"2013-06-29 "},{"name":"cnzz-wap-nodejs","description":"cnzz wap by nodejs","url":null,"keywords":"cnzz wap","version":"0.0.2","words":"cnzz-wap-nodejs cnzz wap by nodejs =xiaojue cnzz wap","author":"=xiaojue","date":"2014-06-05 "},{"name":"co","description":"generator async flow control goodness","url":null,"keywords":"async flow generator coro coroutine","version":"3.1.0","words":"co generator async flow control goodness =tjholowaychuk async flow generator coro coroutine","author":"=tjholowaychuk","date":"2014-07-27 "},{"name":"co-accounts","keywords":"","version":[],"words":"co-accounts","author":"","date":"2014-05-10 "},{"name":"co-agent","keywords":"","version":[],"words":"co-agent","author":"","date":"2014-08-06 "},{"name":"co-aliyun-oss","keywords":"","version":[],"words":"co-aliyun-oss","author":"","date":"2014-01-20 "},{"name":"co-any","description":"Execute thunks in parallel and return after any of them return","url":null,"keywords":"co flow any","version":"0.0.2","words":"co-any execute thunks in parallel and return after any of them return =dead_horse co flow any","author":"=dead_horse","date":"2014-03-12 "},{"name":"co-array","description":"Asynchronous array API for co.","url":null,"keywords":"co asynchronous array generator every filter find findIndex forEach map reduce reduceRight some sort","version":"0.0.2","words":"co-array asynchronous array api for co. =yanickrochon co asynchronous array generator every filter find findindex foreach map reduce reduceright some sort","author":"=yanickrochon","date":"2014-08-20 "},{"name":"co-assert-timeout","description":"Assert a thunk or generator's timeout co-style","url":null,"keywords":"","version":"0.0.5","words":"co-assert-timeout assert a thunk or generator's timeout co-style =jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-09-15 "},{"name":"co-assets-compiler","description":"Assets compiler for CompoundJS","url":null,"keywords":"assets coffee stylus sass less compile minify compound express middleware","version":"0.0.1-3","words":"co-assets-compiler assets compiler for compoundjs =anatoliy =saschagehlich assets coffee stylus sass less compile minify compound express middleware","author":"=anatoliy =saschagehlich","date":"2013-09-24 "},{"name":"co-asyncee","description":"EventEmitter using generators","url":null,"keywords":"","version":"0.0.3","words":"co-asyncee eventemitter using generators =axelhzf","author":"=axelhzf","date":"2014-06-21 "},{"name":"co-authy","description":"An Authy client based on generators","url":null,"keywords":"auth authentication authy client co two-factor two factor 2 factor 2fa two step 2step","version":"0.0.12","words":"co-authy an authy client based on generators =ruimarinho auth authentication authy client co two-factor two factor 2 factor 2fa two step 2step","author":"=ruimarinho","date":"2014-08-21 "},{"name":"co-aws","description":"AWS extenstion for CompoundJS","url":null,"keywords":"","version":"0.0.1-1","words":"co-aws aws extenstion for compoundjs =mlabieniec","author":"=mlabieniec","date":"2013-06-02 "},{"name":"co-aws2","description":"AWS for generators with co","url":null,"keywords":"amazon aws ec2 s3 co generators","version":"0.0.1","words":"co-aws2 aws for generators with co =tjholowaychuk amazon aws ec2 s3 co generators","author":"=tjholowaychuk","date":"2013-12-20 "},{"name":"co-baidu-bcs","description":"a wrapper of baidu-bcs for koa or co","url":null,"keywords":"baidu bcs koa co","version":"0.2.0","words":"co-baidu-bcs a wrapper of baidu-bcs for koa or co =coderhaoxin baidu bcs koa co","author":"=coderhaoxin","date":"2014-01-14 "},{"name":"co-baidu-push","description":"a wrapper of baidu-push for co or koa","url":null,"keywords":"co koa baidu push baidu-push","version":"0.1.0","words":"co-baidu-push a wrapper of baidu-push for co or koa =coderhaoxin co koa baidu push baidu-push","author":"=coderhaoxin","date":"2014-01-04 "},{"name":"co-batch","description":"visionmedia/batch with generator and sync support","url":null,"keywords":"","version":"0.0.1","words":"co-batch visionmedia/batch with generator and sync support =mattmueller","author":"=mattmueller","date":"2014-09-01 "},{"name":"co-bcrypt","description":"bcrypt wrapper for co","url":null,"keywords":"bcrypt password auth authentication encryption crypt crypto co koa","version":"1.0.0","words":"co-bcrypt bcrypt wrapper for co =rkusa bcrypt password auth authentication encryption crypt crypto co koa","author":"=rkusa","date":"2014-08-19 "},{"name":"co-bcrypt-native","description":"co wrapper for native bcrypt","url":null,"keywords":"bcrypt hash salt password co koa","version":"0.1.0","words":"co-bcrypt-native co wrapper for native bcrypt =korbin bcrypt hash salt password co koa","author":"=korbin","date":"2014-08-16 "},{"name":"co-bcryptjs","description":"bcryptjs wrapper for co","url":null,"keywords":"bcrypt password auth authentication encryption crypt crypto co koa","version":"0.2.0","words":"co-bcryptjs bcryptjs wrapper for co =rkusa bcrypt password auth authentication encryption crypt crypto co koa","author":"=rkusa","date":"2014-08-19 "},{"name":"co-blackhole","description":"Sends non-filtered errors to a blackhole.","url":null,"keywords":"co blackhole co-blackhole try catch error errors ignore","version":"0.1.0","words":"co-blackhole sends non-filtered errors to a blackhole. =nickpoorman co blackhole co-blackhole try catch error errors ignore","author":"=nickpoorman","date":"2014-08-18 "},{"name":"co-blocked","description":"Check if the event loop is blocked","url":null,"keywords":"block event performance co","version":"0.0.0","words":"co-blocked check if the event loop is blocked =lennon block event performance co","author":"=lennon","date":"2014-06-01 "},{"name":"co-body","description":"request body parsing for co","url":null,"keywords":"request parse parser json co generators urlencoded","version":"1.0.0","words":"co-body request body parsing for co =tjholowaychuk request parse parser json co generators urlencoded","author":"=tjholowaychuk","date":"2014-08-06 "},{"name":"co-busboy","description":"Busboy multipart parser as a yieldable","url":null,"keywords":"","version":"1.2.0","words":"co-busboy busboy multipart parser as a yieldable =jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-08-18 "},{"name":"co-cacheable","description":"co wrapper for cacheable","url":null,"keywords":"co cache cacheable harmony","version":"0.0.3","words":"co-cacheable co wrapper for cacheable =ktmud co cache cacheable harmony","author":"=ktmud","date":"2014-05-14 "},{"name":"co-cassandra","description":"Co wrapper for the offical cassandra driver","url":null,"keywords":"co generators coroutine cassandra cql driver","version":"0.0.1","words":"co-cassandra co wrapper for the offical cassandra driver =asafy co generators coroutine cassandra cql driver","author":"=asafy","date":"2014-09-11 "},{"name":"co-cat","description":"Concatenate co generator streams","url":null,"keywords":"","version":"0.1.2","words":"co-cat concatenate co generator streams =juliangruber","author":"=juliangruber","date":"2014-02-10 "},{"name":"co-chan","description":"Go style channel implementation that works well with `co`","url":null,"keywords":"chan co go channel aa async-await","version":"0.0.2","words":"co-chan go style channel implementation that works well with `co` =lightspeedc chan co go channel aa async-await","author":"=lightspeedc","date":"2014-05-22 "},{"name":"co-child-process","description":"easily spawn a child process with co","url":null,"keywords":"","version":"0.0.3","words":"co-child-process easily spawn a child process with co =jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-08-15 "},{"name":"co-cli","description":"The Co command line interface.","url":null,"keywords":"co","version":"0.0.0","words":"co-cli the co command line interface. =yuanyan co","author":"=yuanyan","date":"2014-01-20 "},{"name":"co-client","description":"Client-side compound","url":null,"keywords":"compound client-side mvc framework","version":"0.0.1-1","words":"co-client client-side compound =anatoliy compound client-side mvc framework","author":"=anatoliy","date":"2013-03-08 "},{"name":"co-common","description":"Simple wrapper to co and relate library, such as co-fs, co-wait, thunkify.. for easy use","url":null,"keywords":"co co-fs co-wait","version":"0.1.0","words":"co-common simple wrapper to co and relate library, such as co-fs, co-wait, thunkify.. for easy use =pana co co-fs co-wait","author":"=pana","date":"2014-01-11 "},{"name":"co-concat-stream","description":"Concat stream content, generator style","url":null,"keywords":"co stream concat es6","version":"0.0.1","words":"co-concat-stream concat stream content, generator style =lennon co stream concat es6","author":"=lennon","date":"2014-05-10 "},{"name":"co-concurrent","description":"Run co tasks concurrently","url":null,"keywords":"co concurrent","version":"0.0.0","words":"co-concurrent run co tasks concurrently =poying co concurrent","author":"=poying","date":"2014-08-04 "},{"name":"co-condvar","description":"Conditional variable primitive for generator flow-control.","url":null,"keywords":"condvar co","version":"0.1.0","words":"co-condvar conditional variable primitive for generator flow-control. =jakeluer condvar co","author":"=jakeluer","date":"2014-01-31 "},{"name":"co-control","description":"start async jobs when you want, access the results when you want.","url":null,"keywords":"co async coroutines koa es6 generators","version":"0.1.1","words":"co-control start async jobs when you want, access the results when you want. =mcwhittemore co async coroutines koa es6 generators","author":"=mcwhittemore","date":"2014-07-01 "},{"name":"co-couchbase","description":"A couchbase wrapper to be used with visionmedia's co library.","url":null,"keywords":"co couchbase generators harmony","version":"0.2.0","words":"co-couchbase a couchbase wrapper to be used with visionmedia's co library. =yaru22 co couchbase generators harmony","author":"=yaru22","date":"2014-07-29 "},{"name":"co-cron","description":"Cron tasks for compound apps","url":null,"keywords":"compound cron","version":"1.0.2","words":"co-cron cron tasks for compound apps =ondreian compound cron","author":"=ondreian","date":"2013-09-25 "},{"name":"co-crypt-saltedhash","keywords":"","version":[],"words":"co-crypt-saltedhash","author":"","date":"2014-04-03 "},{"name":"co-crypto-saltedhash","description":"An ES6 library to ease saltedhash generation and validation","url":null,"keywords":"co es6 salt password hash saltedhash pbkdf2","version":"0.0.2","words":"co-crypto-saltedhash an es6 library to ease saltedhash generation and validation =evancarroll co es6 salt password hash saltedhash pbkdf2","author":"=evancarroll","date":"2014-04-07 "},{"name":"co-cypher","description":"co interface for node-cypher","url":null,"keywords":"neo4j co cypher","version":"0.0.1","words":"co-cypher co interface for node-cypher =acconut neo4j co cypher","author":"=acconut","date":"2014-03-15 "},{"name":"co-db","description":"[![Build Status](https://travis-ci.org/filipovskii/co-db.svg?branch=master)](https://travis-ci.org/filipovskii/co-db)","url":null,"keywords":"","version":"0.0.1","words":"co-db [![build status](https://travis-ci.org/filipovskii/co-db.svg?branch=master)](https://travis-ci.org/filipovskii/co-db) =filipovsky","author":"=filipovsky","date":"2014-09-18 "},{"name":"co-defer","description":"setImmediate and stuff with generators","url":null,"keywords":"","version":"0.1.1","words":"co-defer setimmediate and stuff with generators =jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin =popomore","author":"=jongleberry =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin =popomore","date":"2014-09-15 "},{"name":"co-dns","description":"dns wrappers for 'co'","url":null,"keywords":"async flow generator coro coroutine","version":"0.0.2","words":"co-dns dns wrappers for 'co' =jksdua async flow generator coro coroutine","author":"=jksdua","date":"2014-03-19 "},{"name":"co-dnspod-ddns","description":"co-dnspod-ddns ==============","url":null,"keywords":"","version":"0.1.2","words":"co-dnspod-ddns co-dnspod-ddns ============== =luckydrq","author":"=luckydrq","date":"2014-06-21 "},{"name":"co-docs","description":"","url":null,"keywords":"","version":"0.0.2","words":"co-docs =anatoliy","author":"=anatoliy","date":"2013-11-28 "},{"name":"co-each","description":"Parallel forEach for generators","url":null,"keywords":"foreach each co generators","version":"0.1.0","words":"co-each parallel foreach for generators =juliangruber foreach each co generators","author":"=juliangruber","date":"2013-08-27 "},{"name":"co-easymongo","description":"Co-based easymongo","url":null,"keywords":"easymongo mongo mongodb co generators","version":"0.2.6","words":"co-easymongo co-based easymongo =meritt easymongo mongo mongodb co generators","author":"=meritt","date":"2014-08-08 "},{"name":"co-efficient","description":"An Efficient and lightweight asynchronous template Engine using `co`.","url":null,"keywords":"template async co view render","version":"0.3.5","words":"co-efficient an efficient and lightweight asynchronous template engine using `co`. =yanickrochon template async co view render","author":"=yanickrochon","date":"2014-08-26 "},{"name":"co-emitter","description":"Emitter that works with generator methods using co","url":null,"keywords":"co emitter generators ecma6","version":"0.2.3","words":"co-emitter emitter that works with generator methods using co =rschmukler co emitter generators ecma6","author":"=rschmukler","date":"2014-05-29 "},{"name":"co-event","description":"Return any event that an emitter emits","url":null,"keywords":"emitter events co generators","version":"0.1.0","words":"co-event return any event that an emitter emits =tjholowaychuk emitter events co generators","author":"=tjholowaychuk","date":"2014-03-18 "},{"name":"co-event-wrap","description":"Wrap `EventEmitter` to support `generator` listener.","url":null,"keywords":"co-event-wrap","version":"0.1.0","words":"co-event-wrap wrap `eventemitter` to support `generator` listener. =fengmk2 co-event-wrap","author":"=fengmk2","date":"2014-07-25 "},{"name":"co-events","description":"Wrapper for EventEmitter for using coroutines.","url":null,"keywords":"co events EventEmitter generators","version":"0.2.3","words":"co-events wrapper for eventemitter for using coroutines. =diwank co events eventemitter generators","author":"=diwank","date":"2014-02-01 "},{"name":"co-exec","description":"exec() wrapper for 'co'","url":null,"keywords":"async flow generator coro coroutine","version":"1.1.0","words":"co-exec exec() wrapper for 'co' =tjholowaychuk async flow generator coro coroutine","author":"=tjholowaychuk","date":"2013-08-26 "},{"name":"co-exists","description":"check if a path exists, supports arrays","url":null,"keywords":"","version":"0.0.1","words":"co-exists check if a path exists, supports arrays =mattmueller","author":"=mattmueller","date":"2014-07-01 "},{"name":"co-express","description":"An express wrapper that enables generators to be used as middlewares","url":null,"keywords":"web express route middleware generator harmony continuable","version":"1.0.0","words":"co-express an express wrapper that enables generators to be used as middlewares =mciparelli web express route middleware generator harmony continuable","author":"=mciparelli","date":"2014-04-29 "},{"name":"co-express-router","description":"Use generator-based flow-control as middleware in Express.","url":null,"keywords":"async flow generator coro coroutine express co","version":"0.0.1","words":"co-express-router use generator-based flow-control as middleware in express. =kester async flow generator coro coroutine express co","author":"=kester","date":"2014-05-11 "},{"name":"co-fbgraph","description":"co wrapper for fbgraph package.","url":null,"keywords":"co facebook graph api generators","version":"0.2.9","words":"co-fbgraph co wrapper for fbgraph package. =fluidsonic co facebook graph api generators","author":"=fluidsonic","date":"2014-02-04 "},{"name":"co-fdfs-client","description":"fdfs-client wrapper for co","url":null,"keywords":"fdfs fastdfs co","version":"0.5.1","words":"co-fdfs-client fdfs-client wrapper for co =chenboxiang fdfs fastdfs co","author":"=chenboxiang","date":"2014-06-18 "},{"name":"co-feedparser","description":"co wrapper for feedparser package.","url":null,"keywords":"co rss atom feed rdf xml parser generators","version":"0.16.5","words":"co-feedparser co wrapper for feedparser package. =fluidsonic co rss atom feed rdf xml parser generators","author":"=fluidsonic","date":"2014-01-14 "},{"name":"co-filter","description":"parallel filter for generators","url":null,"keywords":"","version":"0.0.1","words":"co-filter parallel filter for generators =mattmueller","author":"=mattmueller","date":"2014-03-30 "},{"name":"co-first","description":"Yield the first async value returned for the co generator library","url":null,"keywords":"co yield first select wait join async generator generators","version":"0.0.1","words":"co-first yield the first async value returned for the co generator library =eugeneware co yield first select wait join async generator generators","author":"=eugeneware","date":"2014-01-02 "},{"name":"co-firt-app","description":"Test uygulaması","url":null,"keywords":"faktoriyel math hello world","version":"0.0.1","words":"co-firt-app test uygulaması =adnanco faktoriyel math hello world","author":"=adnanco","date":"2014-04-26 "},{"name":"co-flow","description":"Flexible execution flow addons (all, any, wait) for co.","url":null,"keywords":"co all any wait parallel serial flow concurrent generators setTimeout delay","version":"1.0.0","words":"co-flow flexible execution flow addons (all, any, wait) for co. =fluidsonic co all any wait parallel serial flow concurrent generators settimeout delay","author":"=fluidsonic","date":"2014-01-14 "},{"name":"co-foreach","description":"Run generator function as forEach loop callback","url":null,"keywords":"forEach foreach co generator callback function","version":"1.0.6","words":"co-foreach run generator function as foreach loop callback =ivpusic foreach foreach co generator callback function","author":"=ivpusic","date":"2014-05-12 "},{"name":"co-fork","description":"co wrapper for Nodes child_process modules fork method","url":null,"keywords":"","version":"0.0.18","words":"co-fork co wrapper for nodes child_process modules fork method =davidmarkclements","author":"=davidmarkclements","date":"2014-09-05 "},{"name":"co-from-stream","description":"Create a co generator stream from a node stream","url":null,"keywords":"","version":"0.0.0","words":"co-from-stream create a co generator stream from a node stream =juliangruber","author":"=juliangruber","date":"2014-02-09 "},{"name":"co-fs","description":"fs wrappers for 'co'","url":null,"keywords":"async flow generator coro coroutine","version":"1.2.0","words":"co-fs fs wrappers for 'co' =tjholowaychuk async flow generator coro coroutine","author":"=tjholowaychuk","date":"2014-03-17 "},{"name":"co-fs-plus","description":"co-fs plus, supports `fs.walk` `fs.mkdirp` `fs.rimraf` etc.","url":null,"keywords":"async flow generator coro coroutine recursive walk mkdirp rimraf rmrf","version":"0.3.1","words":"co-fs-plus co-fs plus, supports `fs.walk` `fs.mkdirp` `fs.rimraf` etc. =fundon async flow generator coro coroutine recursive walk mkdirp rimraf rmrf","author":"=fundon","date":"2014-04-14 "},{"name":"co-ftp","description":"ftp wrapping for co","url":null,"keywords":"ftp co harmony thunk","version":"0.0.1","words":"co-ftp ftp wrapping for co =aliem ftp co harmony thunk","author":"=aliem","date":"2014-04-24 "},{"name":"co-future","description":"Wrap a generator function in a future for fine-grained resolution control.","url":null,"keywords":"future co","version":"0.1.1","words":"co-future wrap a generator function in a future for fine-grained resolution control. =jakeluer future co","author":"=jakeluer","date":"2014-01-25 "},{"name":"co-gate","description":"Gates to make an async callback to a synchronized syntax. This should be used with co.","url":null,"keywords":"async flow co generator","version":"0.0.2","words":"co-gate gates to make an async callback to a synchronized syntax. this should be used with co. =nashibao async flow co generator","author":"=nashibao","date":"2014-04-23 "},{"name":"co-gather","description":"Execute thunks in parallel with concurrency support and gather all the results","url":null,"keywords":"co parallel gather koa","version":"0.0.1","words":"co-gather execute thunks in parallel with concurrency support and gather all the results =dead_horse co parallel gather koa","author":"=dead_horse","date":"2014-03-06 "},{"name":"co-generators","description":"Generators for compoundjs","url":null,"keywords":"compound generators model controller crud scaffold","version":"0.0.1-8","words":"co-generators generators for compoundjs =anatoliy compound generators model controller crud scaffold","author":"=anatoliy","date":"2013-07-11 "},{"name":"co-git","url":null,"keywords":"","version":"0.0.1","words":"co-git =yields","author":"=yields","date":"2013-12-21 "},{"name":"co-github","description":"co wrapper for node github api","url":null,"keywords":"co github","version":"1.0.0","words":"co-github co wrapper for node github api =dead_horse co github","author":"=dead_horse","date":"2014-04-23 "},{"name":"co-gitlab","description":"co wraper for node-gitlab","url":null,"keywords":"","version":"1.0.3","words":"co-gitlab co wraper for node-gitlab =dead_horse =fengmk2","author":"=dead_horse =fengmk2","date":"2014-09-18 "},{"name":"co-glob","description":"glob.js module thunk wrappers for \"co\"","url":null,"keywords":"async flow co glob generator","version":"0.0.2","words":"co-glob glob.js module thunk wrappers for \"co\" =yanickrochon async flow co glob generator","author":"=yanickrochon","date":"2014-08-22 "},{"name":"co-gm","description":"gm module thunk wrapper for \"co\"","url":null,"keywords":"co gm","version":"0.1.0","words":"co-gm gm module thunk wrapper for \"co\" =chenboxiang co gm","author":"=chenboxiang","date":"2014-06-05 "},{"name":"co-googl","description":"googl shortUrls extenstion for CompoundJS","url":null,"keywords":"","version":"0.0.3","words":"co-googl googl shorturls extenstion for compoundjs =mlabieniec","author":"=mlabieniec","date":"2013-06-03 "},{"name":"co-hapi","description":"Use power os ES6 generators and co inside hapi","url":null,"keywords":"co hapi es6 generators","version":"0.0.9","words":"co-hapi use power os es6 generators and co inside hapi =bandwidthcom =avb co hapi es6 generators","author":"=bandwidthcom =avb","date":"2014-07-18 "},{"name":"co-hapi-auth","description":"This is hapi plugins which adds authorization support","url":null,"keywords":"hapi co-hapi co module","version":"0.0.5","words":"co-hapi-auth this is hapi plugins which adds authorization support =bandwidthcom hapi co-hapi co module","author":"=bandwidthcom","date":"2014-08-13 "},{"name":"co-hapi-models","description":"This is hapi plugins which adds collections `models` to each request","url":null,"keywords":"hapi co-hapi co module","version":"0.0.4","words":"co-hapi-models this is hapi plugins which adds collections `models` to each request =bandwidthcom hapi co-hapi co module","author":"=bandwidthcom","date":"2014-08-13 "},{"name":"co-hapi-mongoose","description":"This is hapi plugins which adds mongoose support","url":null,"keywords":"hapi co-hapi co module","version":"0.0.5","words":"co-hapi-mongoose this is hapi plugins which adds mongoose support =bandwidthcom hapi co-hapi co module","author":"=bandwidthcom","date":"2014-08-13 "},{"name":"co-highrise","description":"Highrise API wrapper for generators with co","url":null,"keywords":"highrise co generators","version":"0.0.1","words":"co-highrise highrise api wrapper for generators with co =seei highrise co generators","author":"=seei","date":"2014-03-20 "},{"name":"co-history","description":"","url":null,"keywords":"","version":"0.0.2","words":"co-history =anatoliy","author":"=anatoliy","date":"2014-01-15 "},{"name":"co-inbox","description":"Better inbox api based on [visionmedia/co](https://github.com/visionmedia/co) and [andris9/inbox](https://github.com/andris9/inbox)","url":null,"keywords":"inbox imap","version":"1.0.1","words":"co-inbox better inbox api based on [visionmedia/co](https://github.com/visionmedia/co) and [andris9/inbox](https://github.com/andris9/inbox) =yorkie inbox imap","author":"=yorkie","date":"2014-09-04 "},{"name":"co-iron","description":"thunkified iron","url":null,"keywords":"iron co thunk","version":"0.0.1","words":"co-iron thunkified iron =diorahman iron co thunk","author":"=diorahman","date":"2014-03-03 "},{"name":"co-jobs","description":"job manager with concurrency and prioritization","url":null,"keywords":"","version":"1.0.2","words":"co-jobs job manager with concurrency and prioritization =jongleberry =coderhaoxin","author":"=jongleberry =coderhaoxin","date":"2014-08-15 "},{"name":"co-juggling","description":"","url":null,"keywords":"","version":"0.0.0","words":"co-juggling =poying","author":"=poying","date":"2014-01-31 "},{"name":"co-jugglingdb","description":"Wrap jugglingdb methods for use with co.","url":null,"keywords":"","version":"2.0.1","words":"co-jugglingdb wrap jugglingdb methods for use with co. =amingoia","author":"=amingoia","date":"2013-09-09 "},{"name":"co-juice-mailer","description":"CompoundJS extension for sending emails","url":null,"keywords":"mailer compound","version":"0.0.6","words":"co-juice-mailer compoundjs extension for sending emails =bioform mailer compound","author":"=bioform","date":"2013-04-19 "},{"name":"co-lab","description":"It allows to use ES6 generators (co-powered) inside lab's tests","url":null,"keywords":"co lab hapi test es6 generators","version":"0.0.1","words":"co-lab it allows to use es6 generators (co-powered) inside lab's tests =avb co lab hapi test es6 generators","author":"=avb","date":"2014-07-22 "},{"name":"co-lazy","description":"Lazily create co streams","url":null,"keywords":"","version":"0.0.1","words":"co-lazy lazily create co streams =juliangruber","author":"=juliangruber","date":"2014-02-19 "},{"name":"co-level","description":"levelup wrappers for 'co'","url":null,"keywords":"levelup leveldb level co generators coroutines","version":"1.0.1","words":"co-level levelup wrappers for 'co' =juliangruber levelup leveldb level co generators coroutines","author":"=juliangruber","date":"2014-01-16 "},{"name":"co-limiter","description":"Limits how many generators can be ran at the same time","url":null,"keywords":"","version":"1.0.0","words":"co-limiter limits how many generators can be ran at the same time =mvila","author":"=mvila","date":"2014-03-23 "},{"name":"co-limits","description":"limits.js version that can be used with co","url":null,"keywords":"co limits limiting rate-limiting rate-limit koa","version":"0.0.3","words":"co-limits limits.js version that can be used with co =xat co limits limiting rate-limiting rate-limit koa","author":"=xat","date":"2014-04-06 "},{"name":"co-lock","description":"Lock resources asyncrounously","url":null,"keywords":"lock mutex co","version":"0.0.1","words":"co-lock lock resources asyncrounously =lennon lock mutex co","author":"=lennon","date":"2014-05-19 "},{"name":"co-logfile","description":"Log file lib with co style.","url":null,"keywords":"log logger logfile","version":"0.0.1","words":"co-logfile log file lib with co style. =talrasha007 log logger logfile","author":"=talrasha007","date":"2014-08-14 "},{"name":"co-logger","description":"Winston based logger for CompoundJS","url":null,"keywords":"compound logger winston","version":"0.0.7","words":"co-logger winston based logger for compoundjs =bioform compound logger winston","author":"=bioform","date":"2013-07-15 "},{"name":"co-logging","description":"JSON-format logger and reader. It's still in evolving.","url":null,"keywords":"log logging logger json ansi","version":"0.1.0","words":"co-logging json-format logger and reader. it's still in evolving. =co-sche log logging logger json ansi","author":"=co-sche","date":"2014-07-14 "},{"name":"co-mail","keywords":"","version":[],"words":"co-mail","author":"","date":"2014-04-03 "},{"name":"co-mailer","description":"Mailer extension for CompoundJS","url":null,"keywords":"","version":"0.1.0","words":"co-mailer mailer extension for compoundjs =anatoliy","author":"=anatoliy","date":"2014-04-04 "},{"name":"co-mailgun","description":"Client for Mailgun","url":null,"keywords":"mailgun","version":"0.1.0","words":"co-mailgun client for mailgun =chenboxiang mailgun","author":"=chenboxiang","date":"2014-07-03 "},{"name":"co-mailparser","description":"co-based api of mailparser","url":null,"keywords":"mailparser email parser co thunk","version":"0.0.2","words":"co-mailparser co-based api of mailparser =diorahman mailparser email parser co thunk","author":"=diorahman","date":"2014-05-06 "},{"name":"co-mandy","description":"custom hooks to bypass jugglingdb for compound.js","url":null,"keywords":"","version":"0.1.3","words":"co-mandy custom hooks to bypass jugglingdb for compound.js =ondreian","author":"=ondreian","date":"2013-05-23 "},{"name":"co-map","description":"Map a co generator stream with a functions","url":null,"keywords":"","version":"1.1.0","words":"co-map map a co generator stream with a functions =juliangruber","author":"=juliangruber","date":"2014-02-09 "},{"name":"co-middleware","description":"Middleware registering/running methods based using co","url":null,"keywords":"co middleware generators ecma6","version":"0.3.0","words":"co-middleware middleware registering/running methods based using co =rschmukler co middleware generators ecma6","author":"=rschmukler","date":"2014-04-18 "},{"name":"co-migrate","description":"mmm","url":null,"keywords":"compound migration","version":"0.0.1","words":"co-migrate mmm =bioform compound migration","author":"=bioform","date":"2013-04-29 "},{"name":"co-migrator","description":"Database migration tool for compound.js","url":null,"keywords":"db migration database compound node compoundjs migrator","version":"0.0.6","words":"co-migrator database migration tool for compound.js =absynce db migration database compound node compoundjs migrator","author":"=absynce","date":"2014-05-06 "},{"name":"co-mocha","description":"Enable support for generators in Mocha tests","url":null,"keywords":"co mocha harmony generators","version":"1.0.1","words":"co-mocha enable support for generators in mocha tests =blakeembrey co mocha harmony generators","author":"=blakeembrey","date":"2014-09-01 "},{"name":"co-model","url":null,"keywords":"","version":"0.0.0","words":"co-model =yields","author":"=yields","date":"2014-05-30 "},{"name":"co-mongo","description":"A mongodb wrapper that plays nicely with [co](https://github.com/visionmedia/co).","url":null,"keywords":"","version":"0.0.2","words":"co-mongo a mongodb wrapper that plays nicely with [co](https://github.com/visionmedia/co). =thomseddon","author":"=thomseddon","date":"2014-04-10 "},{"name":"co-mongodb","description":"mongodb wrapper to use with co and koa.","url":null,"keywords":"web app mongodb database nosql co koa","version":"0.1.0","words":"co-mongodb mongodb wrapper to use with co and koa. =arnaud web app mongodb database nosql co koa","author":"=arnaud","date":"2014-01-18 "},{"name":"co-mongomq","description":"co wrapper for mongomq package.","url":null,"keywords":"co mongodb queue generators","version":"0.3.4","words":"co-mongomq co wrapper for mongomq package. =fluidsonic co mongodb queue generators","author":"=fluidsonic","date":"2014-01-16 "},{"name":"co-mongoose","description":"co-mongoose. forked from iolo/mongoose-q","url":null,"keywords":"mongoose co co-mongoose mongoose-q","version":"0.0.3","words":"co-mongoose co-mongoose. forked from iolo/mongoose-q =mdemo mongoose co co-mongoose mongoose-q","author":"=mdemo","date":"2014-04-24 "},{"name":"co-monk","description":"mongodb generator goodness for co","url":null,"keywords":"co monk generators mongo mongodb","version":"1.0.0","words":"co-monk mongodb generator goodness for co =tjholowaychuk co monk generators mongo mongodb","author":"=tjholowaychuk","date":"2014-03-14 "},{"name":"co-mssql","description":"node-mssql wrappers for \"co\"","url":null,"keywords":"database mssql sql msnodesql sqlserver tds node-tds tedious node-sqlserver sqlserver co generators yield","version":"1.1.0","words":"co-mssql node-mssql wrappers for \"co\" =patriksimek database mssql sql msnodesql sqlserver tds node-tds tedious node-sqlserver sqlserver co generators yield","author":"=patriksimek","date":"2014-08-26 "},{"name":"co-multipart","description":"Download multipart files with open file descriptor limits and file disposal","url":null,"keywords":"","version":"0.0.2","words":"co-multipart download multipart files with open file descriptor limits and file disposal =jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-08-15 "},{"name":"co-multiparty","description":"co wrapper of multiparty","url":null,"keywords":"co multiparty","version":"0.0.1","words":"co-multiparty co wrapper of multiparty =littlehaker co multiparty","author":"=littlehaker","date":"2014-02-27 "},{"name":"co-mutex","description":"Mutex primitive for generator flow control.","url":null,"keywords":"mutex co","version":"0.1.0","words":"co-mutex mutex primitive for generator flow control. =jakeluer mutex co","author":"=jakeluer","date":"2014-02-01 "},{"name":"co-mysql","description":"a mysql wrapper for co or koa","url":null,"keywords":"mysql koa co yield generator","version":"0.4.1","words":"co-mysql a mysql wrapper for co or koa =coderhaoxin =zhaoda mysql koa co yield generator","author":"=coderhaoxin =zhaoda","date":"2014-05-28 "},{"name":"co-nano","description":"Exposes couchdb nano library API as thunks for use with co and koa.","url":null,"keywords":"nano couchdb thunkify co koa","version":"0.0.3","words":"co-nano exposes couchdb nano library api as thunks for use with co and koa. =olavhn nano couchdb thunkify co koa","author":"=olavhn","date":"2014-03-16 "},{"name":"co-nano-db","description":"Exposes couchdb nano library db APIs as thunks for use with co and koa.","url":null,"keywords":"nano couchdb thunkify co koa","version":"0.0.1","words":"co-nano-db exposes couchdb nano library db apis as thunks for use with co and koa. =plasticpanda nano couchdb thunkify co koa","author":"=plasticpanda","date":"2014-03-28 "},{"name":"co-nedb","description":"nedb generator goodness for co","url":null,"keywords":"co nedb generators","version":"1.0.0","words":"co-nedb nedb generator goodness for co =jksdua co nedb generators","author":"=jksdua","date":"2014-03-13 "},{"name":"co-nested-hbs","description":"Generator-based Handlebars templates for nested layouts.","url":null,"keywords":"handlebars hbs koa co generators","version":"1.0.0","words":"co-nested-hbs generator-based handlebars templates for nested layouts. =speedmanly handlebars hbs koa co generators","author":"=speedmanly","date":"2014-03-02 "},{"name":"co-nib","description":"nib support for CompoundJS's AssetsCompiler","url":null,"keywords":"nib css stylus stylesheets compiler middleware compound","version":"0.0.1-5","words":"co-nib nib support for compoundjs's assetscompiler =saschagehlich nib css stylus stylesheets compiler middleware compound","author":"=saschagehlich","date":"2013-03-17 "},{"name":"co-node-read","description":"co wrapper for node-read","url":null,"keywords":"readability node-read co","version":"0.0.2","words":"co-node-read co wrapper for node-read =littlehaker readability node-read co","author":"=littlehaker","date":"2014-09-06 "},{"name":"co-node-trello","description":"Co wrapper for the node-trello module","url":null,"keywords":"http trello api web-service thunks request rest koa co generators","version":"0.1.5","words":"co-node-trello co wrapper for the node-trello module =netpoetica http trello api web-service thunks request rest koa co generators","author":"=netpoetica","date":"2014-07-21 "},{"name":"co-npm","keywords":"","version":[],"words":"co-npm","author":"","date":"2014-03-26 "},{"name":"co-nth-arg","description":"pick the nth argument in callback of a thunk function to avoid array result yielded from co.","url":null,"keywords":"thunk thunks thunkify koa co generator generators","version":"0.2.1","words":"co-nth-arg pick the nth argument in callback of a thunk function to avoid array result yielded from co. =undozen thunk thunks thunkify koa co generator generators","author":"=undozen","date":"2014-03-21 "},{"name":"co-nwd","description":"pure node.js implementation of Selenium WebDriver Wire Protocol using generators","url":null,"keywords":"webdriver selenium test browser generators flow","version":"0.1.10","words":"co-nwd pure node.js implementation of selenium webdriver wire protocol using generators =2do2go webdriver selenium test browser generators flow","author":"=2do2go","date":"2014-08-26 "},{"name":"co-on","description":"co based event handling.","url":null,"keywords":"co event emitter","version":"0.0.5","words":"co-on co based event handling. =hrsh7th co event emitter","author":"=hrsh7th","date":"2014-07-02 "},{"name":"co-pagination","description":"Pagination plugin for CompoundJS MVC framework","url":null,"keywords":"","version":"0.0.1","words":"co-pagination pagination plugin for compoundjs mvc framework =bioform","author":"=bioform","date":"2013-05-07 "},{"name":"co-parallel","description":"parallel execution with concurrency control","url":null,"keywords":"co generators parallel concurrent","version":"1.0.0","words":"co-parallel parallel execution with concurrency control =tjholowaychuk co generators parallel concurrent","author":"=tjholowaychuk","date":"2014-03-04 "},{"name":"co-passport","description":"PassportJS integrated with CompoundJS","url":null,"keywords":"","version":"0.0.7-6","words":"co-passport passportjs integrated with compoundjs =icaliman","author":"=icaliman","date":"2014-01-04 "},{"name":"co-paymill","description":"paymill-node with generators","url":null,"keywords":"paymill payment credit card","version":"1.0.2","words":"co-paymill paymill-node with generators =cehlen paymill payment credit card","author":"=cehlen","date":"2014-07-30 "},{"name":"co-pg","description":"Co wrapper for node-postgres","url":null,"keywords":"async generator coroutine co postgresql postgres pg","version":"1.2.3","words":"co-pg co wrapper for node-postgres =basicdays async generator coroutine co postgresql postgres pg","author":"=basicdays","date":"2014-01-22 "},{"name":"co-primus","description":"CompoundJS&PrimusIO","url":null,"keywords":"","version":"0.0.4","words":"co-primus compoundjs&primusio =icaliman","author":"=icaliman","date":"2014-01-07 "},{"name":"co-priority-queue","description":"A simple priority queue for co","url":null,"keywords":"","version":"1.0.0","words":"co-priority-queue a simple priority queue for co =mvila","author":"=mvila","date":"2014-03-22 "},{"name":"co-process","description":"Concurrent producer/consumer processing for co","url":null,"keywords":"","version":"1.0.0","words":"co-process concurrent producer/consumer processing for co =juliangruber","author":"=juliangruber","date":"2014-02-03 "},{"name":"co-promise","description":"co-promise","url":null,"keywords":"co promise","version":"1.0.0","words":"co-promise co-promise =lights-of-apollo co promise","author":"=lights-of-apollo","date":"2014-05-07 "},{"name":"co-promiser","url":null,"keywords":"","version":"0.1.2","words":"co-promiser =chcokr","author":"=chcokr","date":"2014-08-14 "},{"name":"co-prompt","description":"simple terminal user input 'co'","url":null,"keywords":"terminal console prompt confirm password mask co","version":"1.0.0","words":"co-prompt simple terminal user input 'co' =tjholowaychuk =hij1nx terminal console prompt confirm password mask co","author":"=tjholowaychuk =hij1nx","date":"2014-07-11 "},{"name":"co-queue","description":"A FIFO queue for co","url":null,"keywords":"","version":"2.0.0","words":"co-queue a fifo queue for co =juliangruber","author":"=juliangruber","date":"2014-02-18 "},{"name":"co-rdb","description":"Rethinkdb driver wrapper for Co","url":null,"keywords":"co rethinkdb","version":"0.2.1","words":"co-rdb rethinkdb driver wrapper for co =fi11 co rethinkdb","author":"=fi11","date":"2014-08-29 "},{"name":"co-read","description":"Consume a readable stream generator-style","url":null,"keywords":"co generator stream readable","version":"0.1.0","words":"co-read consume a readable stream generator-style =juliangruber co generator stream readable","author":"=juliangruber","date":"2014-07-13 "},{"name":"co-readall","description":"co version readall","url":null,"keywords":"co-readall","version":"0.0.1","words":"co-readall co version readall =fengmk2 co-readall","author":"=fengmk2","date":"2014-03-10 "},{"name":"co-redis","description":"A node-redis wrapper to be used with visionmedia's co library","url":null,"keywords":"web redis database continuable generators harmony co","version":"1.1.0","words":"co-redis a node-redis wrapper to be used with visionmedia's co library =mciparelli web redis database continuable generators harmony co","author":"=mciparelli","date":"2014-01-13 "},{"name":"co-reject","description":"parallel reject for generators","url":null,"keywords":"","version":"0.0.1","words":"co-reject parallel reject for generators =mattmueller","author":"=mattmueller","date":"2014-03-31 "},{"name":"co-render","description":"Thunk-based template rendering for Co and others","url":null,"keywords":"template render consolidate engine","version":"0.0.1","words":"co-render thunk-based template rendering for co and others =tjholowaychuk template render consolidate engine","author":"=tjholowaychuk","date":"2013-09-06 "},{"name":"co-repl","description":"Repl with yield","url":null,"keywords":"co","version":"0.0.2","words":"co-repl repl with yield =littlehaker co","author":"=littlehaker","date":"2013-12-31 "},{"name":"co-req","description":"request wrapper for co. good for streaming.","url":null,"keywords":"","version":"0.0.5","words":"co-req request wrapper for co. good for streaming. =mattmueller","author":"=mattmueller","date":"2014-07-08 "},{"name":"co-request","description":"co-request thunkify wrapper for request","url":null,"keywords":"thunks request rest koa co generators","version":"0.2.0","words":"co-request co-request thunkify wrapper for request =leukhin thunks request rest koa co generators","author":"=leukhin","date":"2014-02-04 "},{"name":"co-respond","description":"Respond to HTTP requests with co streams","url":null,"keywords":"","version":"0.1.0","words":"co-respond respond to http requests with co streams =juliangruber","author":"=juliangruber","date":"2014-08-16 "},{"name":"co-retest","description":"Wrapper for the retest library for co-like interfaces (generators)","url":null,"keywords":"co request test generators","version":"1.0.0","words":"co-retest wrapper for the retest library for co-like interfaces (generators) =blakeembrey co request test generators","author":"=blakeembrey","date":"2014-08-17 "},{"name":"co-rethinkdb","description":"Generator/Promise based querying goodness for RethinkDB","url":null,"keywords":"rethinkdb NoSQL reql query language co es6 ecmascript6 harmony generator","version":"1.2.0","words":"co-rethinkdb generator/promise based querying goodness for rethinkdb =rkusa rethinkdb nosql reql query language co es6 ecmascript6 harmony generator","author":"=rkusa","date":"2014-08-04 "},{"name":"co-retry","description":"Automatically retry generators that fail","url":null,"keywords":"","version":"1.0.2","words":"co-retry automatically retry generators that fail =mvila","author":"=mvila","date":"2014-03-21 "},{"name":"co-scat","description":"slow cat use co","url":null,"keywords":"slowcat generator co","version":"0.2.0","words":"co-scat slow cat use co =jeremial =treri slowcat generator co","author":"=jeremial =treri","date":"2014-08-15 "},{"name":"co-select","description":"Yield the first async value returned for the co generator library","url":null,"keywords":"co yield first select wait join async generator generators","version":"0.0.1","words":"co-select yield the first async value returned for the co generator library =eugeneware co yield first select wait join async generator generators","author":"=eugeneware","date":"2014-01-02 "},{"name":"co-semaphore","description":"Counted semaphore primitive for generator flow-control.","url":null,"keywords":"semaphore co","version":"0.1.1","words":"co-semaphore counted semaphore primitive for generator flow-control. =jakeluer semaphore co","author":"=jakeluer","date":"2014-01-31 "},{"name":"co-serial","url":null,"keywords":"","version":"0.1.0","words":"co-serial =zinkey","author":"=zinkey","date":"2014-08-14 "},{"name":"co-service-code-templates","description":"使用 express+mongoose 做的服务端代码模板","url":null,"keywords":"","version":"0.0.2","words":"co-service-code-templates 使用 express+mongoose 做的服务端代码模板 =colee","author":"=colee","date":"2014-07-28 "},{"name":"co-seven","description":"seven module in co harmony yield ","url":null,"keywords":"request process","version":"0.0.1","words":"co-seven seven module in co harmony yield =cobaimelan request process","author":"=cobaimelan","date":"2014-01-17 "},{"name":"co-sh","description":"Call any program as if it were a function","url":null,"keywords":"sh path dsl co stream child_process generators proxies","version":"0.0.3","words":"co-sh call any program as if it were a function =bulkan sh path dsl co stream child_process generators proxies","author":"=bulkan","date":"2014-06-11 "},{"name":"co-sleep","description":"setTimeout that works with the co generator framework","url":null,"keywords":"co setTimeout sleep wait","version":"0.0.1","words":"co-sleep settimeout that works with the co generator framework =eugeneware co settimeout sleep wait","author":"=eugeneware","date":"2014-01-02 "},{"name":"co-slug","description":"create a slug with co and generators","url":null,"keywords":"co slug generators","version":"0.0.1","words":"co-slug create a slug with co and generators =marcusandre co slug generators","author":"=marcusandre","date":"2014-01-14 "},{"name":"co-soap","description":"co friendly soap client","url":null,"keywords":"soap node co","version":"0.0.1","words":"co-soap co friendly soap client =anilanar soap node co","author":"=anilanar","date":"2014-08-15 "},{"name":"co-socket","description":"compoundjs+socketio","url":null,"keywords":"socket.io railwayjs kontroller","version":"0.0.3","words":"co-socket compoundjs+socketio =anatoliy socket.io railwayjs kontroller","author":"=anatoliy","date":"2014-06-11 "},{"name":"co-spawn","description":"setImmediate for the co generator framework","url":null,"keywords":"co setImmediate spawn concurrent concurrency setTimeout nextTick process.nextTick","version":"0.0.1","words":"co-spawn setimmediate for the co generator framework =eugeneware co setimmediate spawn concurrent concurrency settimeout nexttick process.nexttick","author":"=eugeneware","date":"2014-01-02 "},{"name":"co-sqlbox","description":"sqlbox enhancements for generators with co","url":null,"keywords":"co generators sqlbox postgresql","version":"0.0.1","words":"co-sqlbox sqlbox enhancements for generators with co =rickharrison co generators sqlbox postgresql","author":"=rickharrison","date":"2014-03-01 "},{"name":"co-sse","description":"Server-Sent Events generator stream","url":null,"keywords":"","version":"0.0.0","words":"co-sse server-sent events generator stream =juliangruber","author":"=juliangruber","date":"2014-02-04 "},{"name":"co-sse-events","description":"A sse stream based on events. Wrap an `emitter` with this module to emit sse events.","url":null,"keywords":"","version":"0.0.6","words":"co-sse-events a sse stream based on events. wrap an `emitter` with this module to emit sse events. =queckezz","author":"=queckezz","date":"2014-05-04 "},{"name":"co-ssh","description":"SSH for generators with co","url":null,"keywords":"ssh co generators","version":"0.0.1","words":"co-ssh ssh for generators with co =tjholowaychuk ssh co generators","author":"=tjholowaychuk","date":"2013-12-20 "},{"name":"co-states","description":"Coroutine based state machine.","url":null,"keywords":"co state machine","version":"0.1.0","words":"co-states coroutine based state machine. =diwank co state machine","author":"=diwank","date":"2014-02-15 "},{"name":"co-stream","description":"co-stream\r ================","url":null,"keywords":"","version":"0.0.7","words":"co-stream co-stream\r ================ =talrasha007","author":"=talrasha007","date":"2014-09-03 "},{"name":"co-stream-helper","description":"co-stream-helper\r ================","url":null,"keywords":"","version":"0.0.5","words":"co-stream-helper co-stream-helper\r ================ =talrasha007","author":"=talrasha007","date":"2014-05-30 "},{"name":"co-stream-map","description":"Map streams over streams","url":null,"keywords":"","version":"0.1.0","words":"co-stream-map map streams over streams =juliangruber","author":"=juliangruber","date":"2014-02-19 "},{"name":"co-stripe","description":"simple stripe payment api wrapper for CompoundJS","url":null,"keywords":"","version":"0.0.1-2","words":"co-stripe simple stripe payment api wrapper for compoundjs =mlabieniec","author":"=mlabieniec","date":"2013-07-11 "},{"name":"co-sublevel","description":"sublevel for co","url":null,"keywords":"sublevel levelup co generators","version":"0.0.2","words":"co-sublevel sublevel for co =aliem sublevel levelup co generators","author":"=aliem","date":"2014-03-27 "},{"name":"co-supertest","description":"Integration co with supertest","url":null,"keywords":"co supertest es6 generators","version":"0.0.7","words":"co-supertest integration co with supertest =avb co supertest es6 generators","author":"=avb","date":"2014-06-24 "},{"name":"co-suspend","description":"Suspend execution until it is resumed asynchronously.","url":null,"keywords":"co suspend async wait pause resume","version":"0.1.6","words":"co-suspend suspend execution until it is resumed asynchronously. =yanickrochon co suspend async wait pause resume","author":"=yanickrochon","date":"2014-08-22 "},{"name":"co-switch","description":"co-switch","url":null,"keywords":"","version":"0.0.1","words":"co-switch co-switch =poying","author":"=poying","date":"2014-08-15 "},{"name":"co-tair","keywords":"","version":[],"words":"co-tair","author":"","date":"2014-02-28 "},{"name":"co-template","description":"Streaming templates for co","url":null,"keywords":"","version":"0.0.0","words":"co-template streaming templates for co =juliangruber","author":"=juliangruber","date":"2014-02-10 "},{"name":"co-thread","description":"spawn multiple co 'threads'","url":null,"keywords":"co thread parallel","version":"0.0.1","words":"co-thread spawn multiple co 'threads' =tjholowaychuk co thread parallel","author":"=tjholowaychuk","date":"2014-02-01 "},{"name":"co-thrift","description":"Co wrapper for thrift clients.","url":null,"keywords":"thrift co","version":"0.1.1","words":"co-thrift co wrapper for thrift clients. =cehlen thrift co","author":"=cehlen","date":"2014-08-04 "},{"name":"co-thunkify","description":"Turn regular node function into a thunk for `co`.","url":null,"keywords":"thunkify thunk co-thunkify co aa async-await","version":"0.0.0","words":"co-thunkify turn regular node function into a thunk for `co`. =lightspeedc thunkify thunk co-thunkify co aa async-await","author":"=lightspeedc","date":"2014-04-05 "},{"name":"co-timeout","description":"Error on timeout.","url":null,"keywords":"","version":"0.0.1","words":"co-timeout error on timeout. =yields","author":"=yields","date":"2014-06-30 "},{"name":"co-timer","description":"Generator based timeout","url":null,"keywords":"","version":"0.0.1","words":"co-timer generator based timeout =hallas","author":"=hallas","date":"2014-03-07 "},{"name":"co-upyun","description":"An upyun sdk for node.js, which is for co-like interface. Can be used with koa or co. ","url":null,"keywords":"upyun sdk cloud storage co koa","version":"0.1.0","words":"co-upyun an upyun sdk for node.js, which is for co-like interface. can be used with koa or co. =lisposter upyun sdk cloud storage co koa","author":"=lisposter","date":"2014-08-11 "},{"name":"co-upyun-storage","description":"UpYun Storage for co","url":null,"keywords":"UpYun Storage Co","version":"0.0.4","words":"co-upyun-storage upyun storage for co =jacksontian upyun storage co","author":"=jacksontian","date":"2014-08-04 "},{"name":"co-urllib","description":"co version of urllib","url":null,"keywords":"co urllib http urlopen curl wget request https","version":"0.2.3","words":"co-urllib co version of urllib =dead_horse =fengmk2 co urllib http urlopen curl wget request https","author":"=dead_horse =fengmk2","date":"2014-05-30 "},{"name":"co-usergrid","description":"wrapper to the usergrid library","url":null,"keywords":"Node Usergrid Apigee API","version":"0.0.2","words":"co-usergrid wrapper to the usergrid library =dreadjr node usergrid apigee api","author":"=dreadjr","date":"2014-06-04 "},{"name":"co-view","description":"Higher level thunk-based template rendering for Co and others, built on co-render","url":null,"keywords":"template render consolidate engine koa","version":"0.0.1","words":"co-view higher level thunk-based template rendering for co and others, built on co-render =tjholowaychuk template render consolidate engine koa","author":"=tjholowaychuk","date":"2013-09-06 "},{"name":"co-views","description":"Higher level thunk-based template rendering for Co and others, built on co-render","url":null,"keywords":"template render consolidate engine koa","version":"0.2.0","words":"co-views higher level thunk-based template rendering for co and others, built on co-render =tjholowaychuk template render consolidate engine koa","author":"=tjholowaychuk","date":"2014-01-25 "},{"name":"co-views-helpers","description":"Helpers-enabled version of visionmedia's co-views. Higher level thunk-based template rendering for Co and others, built on co-render.","url":null,"keywords":"template render consolidate engine koa helpers","version":"0.0.1","words":"co-views-helpers helpers-enabled version of visionmedia's co-views. higher level thunk-based template rendering for co and others, built on co-render. =mowens template render consolidate engine koa helpers","author":"=mowens","date":"2014-07-20 "},{"name":"co-wait","description":"setTimeout generator style","url":null,"keywords":"generator co settimeout wait","version":"0.0.0","words":"co-wait settimeout generator style =juliangruber generator co settimeout wait","author":"=juliangruber","date":"2013-08-26 "},{"name":"co-walk","description":"walk a file tree and return list of files","url":null,"keywords":"co walk tree files","version":"0.0.2","words":"co-walk walk a file tree and return list of files =queckezz co walk tree files","author":"=queckezz","date":"2014-03-15 "},{"name":"co-ware","description":"Ware inspired, easily create your own middleware layer using generators via co.","url":null,"keywords":"co compose layer koa middleware","version":"1.5.3","words":"co-ware ware inspired, easily create your own middleware layer using generators via co. =fundon co compose layer koa middleware","author":"=fundon","date":"2014-08-25 "},{"name":"co-wd","description":"co-compatible interface to the wd.js library (webdriver)","url":null,"keywords":"webdriver selenium co generators","version":"1.0.0","words":"co-wd co-compatible interface to the wd.js library (webdriver) =kesla webdriver selenium co generators","author":"=kesla","date":"2014-08-15 "},{"name":"co-webdriver-runner","description":"Write browser tests using webdriver/selenium/chromedriver using generators & tap","url":null,"keywords":"co generators test tape tap","version":"0.0.1","words":"co-webdriver-runner write browser tests using webdriver/selenium/chromedriver using generators & tap =kesla co generators test tape tap","author":"=kesla","date":"2014-09-05 "},{"name":"co-webhdfs","description":"A co style webhdfs client.","url":null,"keywords":"","version":"0.0.2","words":"co-webhdfs a co style webhdfs client. =talrasha007","author":"=talrasha007","date":"2014-07-10 "},{"name":"co-wechat","description":"wechat api for co","url":null,"keywords":"wechat wexin","version":"0.0.1","words":"co-wechat wechat api for co =jacksontian wechat wexin","author":"=jacksontian","date":"2014-08-01 "},{"name":"co-wrapper","description":"Wrap each function in object with a thunk. Useful for generator-based flow control such as co.","url":null,"keywords":"co thunkify wrapper generator flow control thunk","version":"0.0.3","words":"co-wrapper wrap each function in object with a thunk. useful for generator-based flow control such as co. =freakycue co thunkify wrapper generator flow control thunk","author":"=freakycue","date":"2014-06-12 "},{"name":"co-write","description":"Write to streams, respecting backpressure","url":null,"keywords":"","version":"0.3.0","words":"co-write write to streams, respecting backpressure =juliangruber","author":"=juliangruber","date":"2014-02-20 "},{"name":"co-yongoose","description":"A mongoose REPL with yield","url":null,"keywords":"mongoose co","version":"0.0.1","words":"co-yongoose a mongoose repl with yield =littlehaker mongoose co","author":"=littlehaker","date":"2014-01-03 "},{"name":"co.ntextualize","description":"For adding context to routes","url":null,"keywords":"compound routes","version":"0.1.2","words":"co.ntextualize for adding context to routes =ondreian compound routes","author":"=ondreian","date":"2014-05-13 "},{"name":"co2","description":"Extensions for co2","url":null,"keywords":"","version":"0.1.0","words":"co2 extensions for co2 =penpen","author":"=penpen","date":"2014-08-18 "},{"name":"coa","description":"Command-Option-Argument: Yet another parser for command line options.","url":null,"keywords":"","version":"0.4.1","words":"coa command-option-argument: yet another parser for command line options. =veged =arikon","author":"=veged =arikon","date":"2014-05-27 "},{"name":"coach","description":"Full Stack Web Framework for Node.js","url":null,"keywords":"framework rails node","version":"0.3.0","words":"coach full stack web framework for node.js =viatropos framework rails node","author":"=viatropos","date":"2011-12-20 "},{"name":"coagulate","keywords":"","version":[],"words":"coagulate","author":"","date":"2014-04-05 "},{"name":"coalesce","description":"Awesome web platform for distributed projects.","url":null,"keywords":"","version":"0.1.9-by","words":"coalesce awesome web platform for distributed projects. =amark","author":"=amark","date":"2014-06-29 "},{"name":"coap","description":"A CoAP library for node modelled after 'http'","url":null,"keywords":"coap m2m iot client server udp observe internet of things messaging","version":"0.8.0","words":"coap a coap library for node modelled after 'http' =matteo.collina coap m2m iot client server udp observe internet of things messaging","author":"=matteo.collina","date":"2014-08-14 "},{"name":"coap-cli","description":"A CLI for CoAP","url":null,"keywords":"coap udp m2m iot internet of things","version":"0.3.0","words":"coap-cli a cli for coap =matteo.collina coap udp m2m iot internet of things","author":"=matteo.collina","date":"2014-04-13 "},{"name":"coap-packet","description":"Generate and Parse CoAP packets","url":null,"keywords":"coap m2m iot udp packet","version":"0.1.12","words":"coap-packet generate and parse coap packets =matteo.collina coap m2m iot udp packet","author":"=matteo.collina","date":"2014-07-23 "},{"name":"coast","description":"Coast is a convention-over-configuration platform for building RESTful APIs with Node.JS and XHR.","url":null,"keywords":"hapi coast hypermedia api rest restful http argo naval navdata","version":"1.0.0","words":"coast coast is a convention-over-configuration platform for building restful apis with node.js and xhr. =ttahmouch hapi coast hypermedia api rest restful http argo naval navdata","author":"=ttahmouch","date":"2014-08-19 "},{"name":"coastline","description":"A desperate attempt at a proper stack in JavaScript","url":null,"keywords":"async blocking stack exception promises","version":"0.2.3","words":"coastline a desperate attempt at a proper stack in javascript =virtulis async blocking stack exception promises","author":"=virtulis","date":"2014-08-01 "},{"name":"coat","description":"The stupid observable mutator framework.","url":null,"keywords":"","version":"0.0.1-alpha1","words":"coat the stupid observable mutator framework. =shannonmoeller","author":"=shannonmoeller","date":"2014-05-27 "},{"name":"coatcheck","description":"a split key/value store: stash values in one store and keys in another","url":null,"keywords":"","version":"0.1.1","words":"coatcheck a split key/value store: stash values in one store and keys in another =jden","author":"=jden","date":"2014-01-03 "},{"name":"coati","description":"Transform GeoJSON data to PostgreSQL/PostGIS data","url":null,"keywords":"geojson postgres postgresql json gis geometry upload","version":"0.4.2","words":"coati transform geojson data to postgresql/postgis data =knownasilya geojson postgres postgresql json gis geometry upload","author":"=knownasilya","date":"2014-08-13 "},{"name":"coauth","description":"OAuth client for apis using noauth","url":null,"keywords":"oauth apis noauth iframe","version":"0.0.1","words":"coauth oauth client for apis using noauth =dimsmol oauth apis noauth iframe","author":"=dimsmol","date":"2013-09-20 "},{"name":"coax","description":"Couch client using pax for path currying and request for HTTP.","url":null,"keywords":"","version":"0.4.2","words":"coax couch client using pax for path currying and request for http. =jchris","author":"=jchris","date":"2013-07-11 "},{"name":"cob","description":"read and manipulate json","url":null,"keywords":"json read write manipulate","version":"0.2.1","words":"cob read and manipulate json =jarofghosts json read write manipulate","author":"=jarofghosts","date":"2014-07-21 "},{"name":"coback","description":"Creates standard callbacks which have a yieldable component, allowing you to pass them as a traditional callback, but yield on them later.","url":null,"keywords":"co thunk callback yield","version":"1.0.0","words":"coback creates standard callbacks which have a yieldable component, allowing you to pass them as a traditional callback, but yield on them later. =bretcope co thunk callback yield","author":"=bretcope","date":"2014-08-18 "},{"name":"cobalt","description":"Node.js client for pygmentize.me - your friendly syntax highlighting service.","url":null,"keywords":"pygments pygmentize.me syntax highlight coffeescript","version":"0.1.0","words":"cobalt node.js client for pygmentize.me - your friendly syntax highlighting service. =gsamokovarov pygments pygmentize.me syntax highlight coffeescript","author":"=gsamokovarov","date":"2012-01-02 "},{"name":"cobalt-app","description":"Cobalt App Builder","url":null,"keywords":"","version":"0.0.2","words":"cobalt-app cobalt app builder =cointilt","author":"=cointilt","date":"2013-11-01 "},{"name":"cobalt-log","description":"Logger + multiplexer for JSON based logs, based on Cobalt ruby gem by ktlacaelel (http://rubygems.org/gems/cobalt)","url":null,"keywords":"","version":"1.0.0","words":"cobalt-log logger + multiplexer for json based logs, based on cobalt ruby gem by ktlacaelel (http://rubygems.org/gems/cobalt) =benbeltran","author":"=benbeltran","date":"2014-03-20 "},{"name":"cobb","description":"cobble your files together","url":null,"keywords":"build inception cobble dependencies streams gulp grunt make","version":"0.3.1","words":"cobb cobble your files together =quarterto build inception cobble dependencies streams gulp grunt make","author":"=quarterto","date":"2014-08-08 "},{"name":"cobble","description":"tiny object composition utils useful as a mixin system, or shoes","url":null,"keywords":"composition aspect trait mixin Manchester-Orchestra descriptor","version":"0.16.3","words":"cobble tiny object composition utils useful as a mixin system, or shoes =theporchrat composition aspect trait mixin manchester-orchestra descriptor","author":"=theporchrat","date":"2014-09-14 "},{"name":"cobbler","description":"Passport mock for integration tests","url":null,"keywords":"passport mock integration tests","version":"0.0.6","words":"cobbler passport mock for integration tests =yunghwakwon passport mock integration tests","author":"=yunghwakwon","date":"2014-06-23 "},{"name":"coberturaJS","description":"code coverage tool for node.js","url":null,"keywords":"cobertura coverage test","version":"0.0.9","words":"coberturajs code coverage tool for node.js =pmlopes cobertura coverage test","author":"=pmlopes","date":"2012-05-09 "},{"name":"cobj","description":"Utilities to manage cascading objects.","url":null,"keywords":"cobj cascading object utilities","version":"0.1.1","words":"cobj utilities to manage cascading objects. =kael cobj cascading object utilities","author":"=kael","date":"2014-08-11 "},{"name":"cobolscript","description":"COBOL compiler to JavaScript","url":null,"keywords":"cobol interpreter compiler javascript","version":"0.0.1","words":"cobolscript cobol compiler to javascript =ajlopez cobol interpreter compiler javascript","author":"=ajlopez","date":"2013-01-01 "},{"name":"cobra","description":"A little JavaScript class library","url":null,"keywords":"","version":"1.0.1","words":"cobra a little javascript class library =justin","author":"=justin","date":"2011-03-12 "},{"name":"cobs","description":"Consistent Overhead Byte Stuffing and packet framing implemented in Node.","url":null,"keywords":"","version":"0.2.1","words":"cobs consistent overhead byte stuffing and packet framing implemented in node. =tcr","author":"=tcr","date":"2014-03-19 "},{"name":"cobu-eventbus","description":"cobu-eventbus is a simple, lightweight and flexible JavaScript library to manage events.","url":null,"keywords":"","version":"0.11.4","words":"cobu-eventbus cobu-eventbus is a simple, lightweight and flexible javascript library to manage events. =cschuller","author":"=cschuller","date":"2014-09-05 "},{"name":"cobuild","description":"Cobuild isn't a build system, but it is a system that helps you build build systems faster.","url":null,"keywords":"","version":"0.1.5","words":"cobuild cobuild isn't a build system, but it is a system that helps you build build systems faster. =thetristan","author":"=thetristan","date":"2013-03-16 "},{"name":"cobweb","description":"Web auditing and analysis framework","url":null,"keywords":"web analysis framework middleware spider crawler","version":"0.0.7","words":"cobweb web auditing and analysis framework =dbalcomb web analysis framework middleware spider crawler","author":"=dbalcomb","date":"2014-04-17 "},{"name":"cobweb-compose","description":"Middleware composition utility","url":null,"keywords":"cobweb middleware compose","version":"0.0.3","words":"cobweb-compose middleware composition utility =dbalcomb cobweb middleware compose","author":"=dbalcomb","date":"2014-04-07 "},{"name":"cobweb-queue","description":"Adds queuing functionality to Cobweb","url":null,"keywords":"web analysis framework middleware spider crawler queue","version":"0.0.2","words":"cobweb-queue adds queuing functionality to cobweb =dbalcomb web analysis framework middleware spider crawler queue","author":"=dbalcomb","date":"2014-04-17 "},{"name":"coca","description":"Appealing JavaScript","url":null,"keywords":"coca javascript compiler","version":"2.3.1","words":"coca appealing javascript =danilo coca javascript compiler","author":"=danilo","date":"2014-04-14 "},{"name":"cocaine","description":"Node.js framework for Cocaine platform","url":null,"keywords":"","version":"0.4.1-4","words":"cocaine node.js framework for cocaine platform =diunko","author":"=diunko","date":"2014-09-02 "},{"name":"cocaine-es-tailf","description":"tail logs from ES logging backend","url":null,"keywords":"","version":"0.0.2","words":"cocaine-es-tailf tail logs from es logging backend =diunko","author":"=diunko","date":"2014-07-28 "},{"name":"cocat","description":"Node module for asynchronous CSS file concatenation","url":null,"keywords":"","version":"0.2.0","words":"cocat node module for asynchronous css file concatenation =thetristan","author":"=thetristan","date":"2013-03-16 "},{"name":"coccyx","description":"mongodb oplog tailing exposed as events","url":null,"keywords":"","version":"0.0.1-alpha","words":"coccyx mongodb oplog tailing exposed as events =joewagner","author":"=joewagner","date":"2014-05-05 "},{"name":"coce","description":"Resource cover image URLs cache server","url":null,"keywords":"","version":"0.1.0","words":"coce resource cover image urls cache server =fredericd","author":"=fredericd","date":"2013-02-11 "},{"name":"cocha","description":"Run mocha with generators + co","url":null,"keywords":"mocha co async generators","version":"0.0.2","words":"cocha run mocha with generators + co =kolodny mocha co async generators","author":"=kolodny","date":"2014-08-29 "},{"name":"cocker","description":"Cocker, a socket module to handle reconnection retries.","url":null,"keywords":"socket net connection reconnection reconnection retries retries trials cocker","version":"0.15.3","words":"cocker cocker, a socket module to handle reconnection retries. =rootslab socket net connection reconnection reconnection retries retries trials cocker","author":"=rootslab","date":"2014-08-26 "},{"name":"cockpit","description":"Command line component for Skywriter/Ace/Cloud9/etc","url":null,"keywords":"","version":"0.1.1","words":"cockpit command line component for skywriter/ace/cloud9/etc =fjakobs","author":"=fjakobs","date":"2011-07-11 "},{"name":"cocksucker","description":"stopwords","url":null,"keywords":"","version":"9999.9999.9999","words":"cocksucker stopwords =isaacs","author":"=isaacs","date":"2014-07-07 "},{"name":"cocktail","description":"CocktailJS is a small library to explore traits, talents, inheritance and annotations concepts in nodejs - Shake your objects and classes with Cocktail!","url":null,"keywords":"oop extends annotations traits talents properties mix class inheritance","version":"0.5.3","words":"cocktail cocktailjs is a small library to explore traits, talents, inheritance and annotations concepts in nodejs - shake your objects and classes with cocktail! =elmasse oop extends annotations traits talents properties mix class inheritance","author":"=elmasse","date":"2014-07-13 "},{"name":"cocktail-annotation-evented","description":"CocktailJS Custom Annotation Evented","url":null,"keywords":"","version":"0.0.3","words":"cocktail-annotation-evented cocktailjs custom annotation evented =elmasse","author":"=elmasse","date":"2013-12-04 "},{"name":"cocktail-trait-configurable","description":"Provides configurable method to set properties on host class by a given object","url":null,"keywords":"configurable trait cocktailjs","version":"0.0.2","words":"cocktail-trait-configurable provides configurable method to set properties on host class by a given object =elmasse configurable trait cocktailjs","author":"=elmasse","date":"2014-02-24 "},{"name":"cocktail-trait-eventable","description":"EventEmitter as delegate trait","url":null,"keywords":"eventable event trait cocktailjs","version":"0.0.6","words":"cocktail-trait-eventable eventemitter as delegate trait =elmasse eventable event trait cocktailjs","author":"=elmasse","date":"2014-06-12 "},{"name":"coco","description":"Unfancy CoffeeScript","url":null,"keywords":"language compiler coffeescript javascript","version":"0.9.1","words":"coco unfancy coffeescript =satyr language compiler coffeescript javascript","author":"=satyr","date":"2013-03-11 "},{"name":"coco-js","description":"Add CoffeeScript prototype alias operator (::) to JavaScript","url":null,"keywords":"prototype alias operator macros sweet-js sweet-macros coffeescript","version":"0.0.3","words":"coco-js add coffeescript prototype alias operator (::) to javascript =benjreinhart prototype alias operator macros sweet-js sweet-macros coffeescript","author":"=benjreinhart","date":"2014-01-19 "},{"name":"cocoafish","description":"node.js wrapper for Cocoafish","url":null,"keywords":"","version":"0.0.1","words":"cocoafish node.js wrapper for cocoafish =mikegoff","author":"=mikegoff","date":"2012-05-02 "},{"name":"cocode.co","description":"Cocode.co Command Line Tools","url":null,"keywords":"programming code challenge","version":"0.1.0","words":"cocode.co cocode.co command line tools =sgmonda programming code challenge","author":"=sgmonda","date":"2014-09-16 "},{"name":"cocoify","description":"browserify v2 plugin for coco with support for mixed .js and .co files","url":null,"keywords":"coco browserify v2 js plugin transform","version":"0.0.1","words":"cocoify browserify v2 plugin for coco with support for mixed .js and .co files =superjoe coco browserify v2 js plugin transform","author":"=superjoe","date":"2013-06-24 "},{"name":"coconut","description":"modular nodejs backend framework","url":null,"keywords":"","version":"0.0.2","words":"coconut modular nodejs backend framework =fabs","author":"=fabs","date":"2013-04-09 "},{"name":"cocoon","description":"Mutate getters (that return functions) into mockable/spyable functions.","url":null,"keywords":"","version":"0.1.1","words":"cocoon mutate getters (that return functions) into mockable/spyable functions. =brentlintner","author":"=brentlintner","date":"2014-08-01 "},{"name":"cocoonjs","description":"CocoonJS command line tool","url":null,"keywords":"ludei cocoonjs chromium Webview+ browser cordova app html5","version":"1.0.0-0.5.0","words":"cocoonjs cocoonjs command line tool =ludei ludei cocoonjs chromium webview+ browser cordova app html5","author":"=ludei","date":"2014-07-08 "},{"name":"cocoons","keywords":"","version":[],"words":"cocoons","author":"","date":"2014-07-20 "},{"name":"cocoons.io","description":"Web site generator for the SEO ! Made with nodejs, markdown and jade.","url":null,"keywords":"site generator web site generator site static seo semantic cocoon","version":"0.3.6","words":"cocoons.io web site generator for the seo ! made with nodejs, markdown and jade. =christophebe site generator web site generator site static seo semantic cocoon","author":"=christophebe","date":"2014-08-11 "},{"name":"cocos","description":"cocos2d-html5","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"0.0.2","words":"cocos cocos2d-html5 =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-24 "},{"name":"cocos-builder","description":"cocos2d-js download builder package tools","url":null,"keywords":"cocos2d-js","version":"0.0.10","words":"cocos-builder cocos2d-js download builder package tools =devhacker520 cocos2d-js","author":"=devhacker520","date":"2014-09-09 "},{"name":"cocos-installer","description":"cocos-installer for cocos2d-html5","url":null,"keywords":"cocos-installer cocos utils web game html5 app api","version":"0.0.0","words":"cocos-installer cocos-installer for cocos2d-html5 =cocos2d-html5 cocos-installer cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"cocos-utils","description":"Utils for cocos2d-html5","url":null,"keywords":"CocosUtils cocos-utils cocos utils web game html5 app api","version":"1.0.0","words":"cocos-utils utils for cocos2d-html5 =cocos2d-html5 cocosutils cocos-utils cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cocos2d","description":"Port of the Cocos2D graphics engine to HTML5","url":null,"keywords":"","version":"0.1.1","words":"cocos2d port of the cocos2d graphics engine to html5 =ryanwilliams","author":"=ryanwilliams","date":"2012-05-31 "},{"name":"cocos2d-coffee","description":"use coffeescript to develop cocos2d-js project.","url":null,"keywords":"cocos2d coffeescript","version":"1.0.1","words":"cocos2d-coffee use coffeescript to develop cocos2d-js project. =livingyang cocos2d coffeescript","author":"=livingyang","date":"2014-09-10 "},{"name":"cocos2d-coffee-autocomplete","description":"Provide autocompletion for cocos2d-x/html5 projects written in CoffeeScript","url":null,"keywords":"","version":"0.1.2","words":"cocos2d-coffee-autocomplete provide autocompletion for cocos2d-x/html5 projects written in coffeescript =jeremyfa","author":"=jeremyfa","date":"2013-11-28 "},{"name":"cocos2d-html5","description":"Cocos2d-HTML5 core package","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cocos2d-html5 cocos2d-html5 core package =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-08 "},{"name":"cocos3d","description":"cocos3d","url":null,"keywords":"cocos3d cocos utils web game html5 app api","version":"0.0.0","words":"cocos3d cocos3d =cocos2d-html5 cocos3d cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"cocos3d-html5","description":"cocos3d-html5","url":null,"keywords":"cocos3d-html5 cocos utils web game html5 app api","version":"0.0.0","words":"cocos3d-html5 cocos3d-html5 =cocos2d-html5 cocos3d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"cocosbuilder","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cocosbuilder =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cocosbulider","description":"cocosbulider for cocos2d-html5","url":null,"keywords":"cocosbulider cocos utils web game html5 app api","version":"0.0.0","words":"cocosbulider cocosbulider for cocos2d-html5 =cocos2d-html5 cocosbulider cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-11-22 "},{"name":"cocosdenshion","description":"cocosdenshion for cocos2d-html5","url":null,"keywords":"cocosdenshion animation cocos utils web game html5 app api","version":"0.0.2","words":"cocosdenshion cocosdenshion for cocos2d-html5 =cocos2d-html5 cocosdenshion animation cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-05 "},{"name":"cocoslog","description":"cocoslog for cocos2d-html5","url":null,"keywords":"cocoslog log cocos utils web game html5 app api","version":"0.0.1","words":"cocoslog cocoslog for cocos2d-html5 =cocos2d-html5 cocoslog log cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2013-12-03 "},{"name":"cocostudio","description":"","url":null,"keywords":"cocos2d-html5 cocos utils web game html5 app api","version":"2.2.2","words":"cocostudio =cocos2d-html5 cocos2d-html5 cocos utils web game html5 app api","author":"=cocos2d-html5","date":"2014-01-07 "},{"name":"cocotte","description":"Business generation web application framework","url":null,"keywords":"cocotte framework","version":"0.0.0","words":"cocotte business generation web application framework =yukik cocotte framework","author":"=yukik","date":"2014-04-16 "},{"name":"cocotte-clone","description":"deep copy","url":null,"keywords":"cocotte tools m2r","version":"0.3.1","words":"cocotte-clone deep copy =yukik cocotte tools m2r","author":"=yukik","date":"2014-06-12 "},{"name":"cocotte-compare","description":"人間らしい比較関数","url":null,"keywords":"tools cocotte m2r","version":"0.4.0","words":"cocotte-compare 人間らしい比較関数 =yukik tools cocotte m2r","author":"=yukik","date":"2014-06-12 "},{"name":"cocotte-define","description":"クラス定義のヘルパー","url":null,"keywords":"tools class cocotte","version":"0.4.1","words":"cocotte-define クラス定義のヘルパー =yukik tools class cocotte","author":"=yukik","date":"2014-05-01 "},{"name":"cocotte-device","description":"デバイス情報をsessionに保存","url":null,"keywords":"koa cocotte device user-agent","version":"0.1.0","words":"cocotte-device デバイス情報をsessionに保存 =yukik koa cocotte device user-agent","author":"=yukik","date":"2014-04-15 "},{"name":"cocotte-is","description":"変数チェック用ライブラリ","url":null,"keywords":"cocotte tools","version":"0.2.10","words":"cocotte-is 変数チェック用ライブラリ =yukik cocotte tools","author":"=yukik","date":"2014-05-17 "},{"name":"cocotte-logger","description":"ログファイルを作成しメッセージを追加します","url":null,"keywords":"log cocotte","version":"0.1.1","words":"cocotte-logger ログファイルを作成しメッセージを追加します =yukik log cocotte","author":"=yukik","date":"2014-04-22 "},{"name":"cocotte-matrix","description":"配列を表形式に加工する","url":null,"keywords":"tools","version":"0.1.0","words":"cocotte-matrix 配列を表形式に加工する =yukik tools","author":"=yukik","date":"2014-04-15 "},{"name":"cocotte-mixin-ws","description":"webscoketのミドルウェアをkoaで使えるようにする","url":null,"keywords":"koa socket.io websocket cocotte","version":"0.1.3","words":"cocotte-mixin-ws webscoketのミドルウェアをkoaで使えるようにする =yukik koa socket.io websocket cocotte","author":"=yukik","date":"2014-04-14 "},{"name":"cocotte-name","description":"property name check","url":null,"keywords":"cocotte tools m2r","version":"0.1.0","words":"cocotte-name property name check =yukik cocotte tools m2r","author":"=yukik","date":"2014-06-09 "},{"name":"cocoxiang19870619","description":"my test","url":null,"keywords":"","version":"0.0.1","words":"cocoxiang19870619 my test =cocoxiang","author":"=cocoxiang","date":"2012-11-01 "},{"name":"cod","description":"An unopinionated documentation generator.","url":null,"keywords":"documentation generator","version":"0.4.3","words":"cod an unopinionated documentation generator. =namuol documentation generator","author":"=namuol","date":"2014-07-23 "},{"name":"codacy-cli","description":"Command Line Interface(CLI) tool for Codacy","url":null,"keywords":"codacy cli command line automated code review code review monitoring","version":"0.1.1","words":"codacy-cli command line interface(cli) tool for codacy =codacy codacy cli command line automated code review code review monitoring","author":"=codacy","date":"2014-06-02 "},{"name":"codash","description":"Co sionextension for lodash","url":null,"keywords":"","version":"0.0.2","words":"codash co sionextension for lodash =talrasha007","author":"=talrasha007","date":"2014-06-23 "},{"name":"codd","description":"JavaScript functional programming library providing relational algebra operations.","url":null,"keywords":"underscore functional programming relational algebra","version":"0.8.2","words":"codd javascript functional programming library providing relational algebra operations. =fogus underscore functional programming relational algebra","author":"=fogus","date":"2013-10-03 "},{"name":"coddoc","description":"Documentation generator","url":null,"keywords":"JSDOC Documentation docs doc markdown","version":"0.0.3","words":"coddoc documentation generator =damartin jsdoc documentation docs doc markdown","author":"=damartin","date":"2013-02-27 "},{"name":"code","keywords":"","version":[],"words":"code","author":"","date":"2012-04-12 "},{"name":"code-art","description":"create blocky modern art from code","url":null,"keywords":"art code ast canvas bauhaus","version":"0.1.0","words":"code-art create blocky modern art from code =substack art code ast canvas bauhaus","author":"=substack","date":"2012-10-02 "},{"name":"code-challenge","description":"Command line interface for running code challenges","url":null,"keywords":"code challenge problem practice interview","version":"0.0.4","words":"code-challenge command line interface for running code challenges =blakeembrey code challenge problem practice interview","author":"=blakeembrey","date":"2014-09-18 "},{"name":"code-challenge-euler","description":"Run Project Euler challenges in the command line.","url":null,"keywords":"code-challenge euler project terminal","version":"0.0.3","words":"code-challenge-euler run project euler challenges in the command line. =blakeembrey code-challenge euler project terminal","author":"=blakeembrey","date":"2014-09-09 "},{"name":"code-challenge-n-queens","description":"Solve various n-queens problems.","url":null,"keywords":"code-challenge n-queens","version":"0.0.1","words":"code-challenge-n-queens solve various n-queens problems. =blakeembrey code-challenge n-queens","author":"=blakeembrey","date":"2014-09-17 "},{"name":"code-clock","description":"Clock in and out with code-clock. Helps to keep a log of how much time you spend working with a csv file in your project.","url":null,"keywords":"","version":"0.0.6","words":"code-clock clock in and out with code-clock. helps to keep a log of how much time you spend working with a csv file in your project. =kentcdodds","author":"=kentcdodds","date":"2014-01-16 "},{"name":"code-connect-server","description":"server end for code connect (an extension for brackets)","url":null,"keywords":"brackets code-connect connect","version":"0.1.7","words":"code-connect-server server end for code connect (an extension for brackets) =tjwudi brackets code-connect connect","author":"=tjwudi","date":"2014-01-02 "},{"name":"code-context","description":"Parses the context from a string of javascript to determine the context for functions, variables and comments based on its code.","url":null,"keywords":"code comment context declaration docs documentation expression extract function javascript js method parse property prototype statement","version":"0.2.1","words":"code-context parses the context from a string of javascript to determine the context for functions, variables and comments based on its code. =jonschlinkert code comment context declaration docs documentation expression extract function javascript js method parse property prototype statement","author":"=jonschlinkert","date":"2014-08-25 "},{"name":"code-genie","description":"Infers, checks and fixes (beautifies) JavaScript based on EditorConfig and/or code-genie settings.","url":null,"keywords":"ast formatting beautifier pretty editorconfig esprima code genie","version":"0.1.0-dev","words":"code-genie infers, checks and fixes (beautifies) javascript based on editorconfig and/or code-genie settings. =jedhunsaker ast formatting beautifier pretty editorconfig esprima code genie","author":"=jedhunsaker","date":"2014-02-13 "},{"name":"code-mirror","description":"CodeMirror fork to be more \"browserifyable\"","url":null,"keywords":"","version":"4.0.1","words":"code-mirror codemirror fork to be more \"browserifyable\" =forbeslindesay","author":"=forbeslindesay","date":"2014-09-19 "},{"name":"code-mirror-tridion","description":"An SDL Tridion 2011/2013 extension that adds Syntax Highlighting to the source tab using CodeMirror. Note this package does not contain a Node module.","url":null,"keywords":"sdl tridion syntax highlighting codemirror extension","version":"0.4.12","words":"code-mirror-tridion an sdl tridion 2011/2013 extension that adds syntax highlighting to the source tab using codemirror. note this package does not contain a node module. =rsleggett sdl tridion syntax highlighting codemirror extension","author":"=rsleggett","date":"2013-11-29 "},{"name":"code-music-studio","description":"design musical algorithms","url":null,"keywords":"ui music baudio algorithmic studio design interactive webapp application","version":"1.4.2","words":"code-music-studio design musical algorithms =substack ui music baudio algorithmic studio design interactive webapp application","author":"=substack","date":"2014-08-11 "},{"name":"code-proxy","description":"A debug tool to proxy js code execution from one browser to another.","url":null,"keywords":"call exec eval code proxy remote browser http websocket","version":"1.2.14","words":"code-proxy a debug tool to proxy js code execution from one browser to another. =darkpark call exec eval code proxy remote browser http websocket","author":"=darkpark","date":"2014-08-11 "},{"name":"code-stats","description":"Show code statisitics for your project.","url":null,"keywords":"","version":"0.1.3","words":"code-stats show code statisitics for your project. =qualiabyte","author":"=qualiabyte","date":"2012-08-02 "},{"name":"code-sync","description":"Live coding ...","url":null,"keywords":"","version":"0.5.2","words":"code-sync live coding ... =kaareal","author":"=kaareal","date":"2012-08-30 "},{"name":"code-templates","description":"simple code template or snippets manager written in node.js","url":null,"keywords":"snippet manager templates reuse express ect","version":"0.0.1","words":"code-templates simple code template or snippets manager written in node.js =harish2704 snippet manager templates reuse express ect","author":"=harish2704","date":"2014-03-15 "},{"name":"code-this","description":"Code-this is node.js module that converts JavaScript variables into source codes. Unlike `JSON.stringify`, code-this also deals with reference(object) types of variables.","url":null,"keywords":"strinify json-strinify codify code-generator code","version":"0.1.8","words":"code-this code-this is node.js module that converts javascript variables into source codes. unlike `json.stringify`, code-this also deals with reference(object) types of variables. =kael strinify json-strinify codify code-generator code","author":"=kael","date":"2014-04-16 "},{"name":"code-thumb","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.0.1","words":"code-thumb error: no readme.md file found! =tjholowaychuk","author":"=tjholowaychuk","date":"2013-04-14 "},{"name":"code-to-test-ratio","description":"Get the code-to-test ratio of any project!","url":null,"keywords":"test quality","version":"0.1.0","words":"code-to-test-ratio get the code-to-test ratio of any project! =juliangruber test quality","author":"=juliangruber","date":"2013-04-04 "},{"name":"code-tokenizer","description":"A JS implementation of a tokenizer to split up source code based on tokens","url":null,"keywords":"programming language tokenizer token source code regular expression regex","version":"1.0.6","words":"code-tokenizer a js implementation of a tokenizer to split up source code based on tokens =shamoons programming language tokenizer token source code regular expression regex","author":"=shamoons","date":"2014-05-15 "},{"name":"code-warrior","description":"code like a warrior","url":null,"keywords":"algorithm interview code warrior","version":"0.0.9","words":"code-warrior code like a warrior =rafe algorithm interview code warrior","author":"=rafe","date":"2013-04-23 "},{"name":"code2stl","description":"Transform a source code file into a 3D STL","url":null,"keywords":"3D stl","version":"0.0.1","words":"code2stl transform a source code file into a 3d stl =samypesse 3d stl","author":"=samypesse","date":"2014-04-22 "},{"name":"code42day-binary-heap","description":"Binary heap","url":null,"keywords":"heap data sort","version":"1.2.0","words":"code42day-binary-heap binary heap =pirxpilot heap data sort","author":"=pirxpilot","date":"2014-07-30 "},{"name":"code42day-distance","description":"Calculate distance from a point to a line","url":null,"keywords":"projection polyline point","version":"0.1.0","words":"code42day-distance calculate distance from a point to a line =pirxpilot projection polyline point","author":"=pirxpilot","date":"2014-05-03 "},{"name":"code42day-vis-why","description":"M Visvalingam and J D Whyatt line simplification algorithm","url":null,"keywords":"line simplification","version":"1.0.2","words":"code42day-vis-why m visvalingam and j d whyatt line simplification algorithm =pirxpilot line simplification","author":"=pirxpilot","date":"2014-07-30 "},{"name":"code_jam","description":"Code Jam helper","url":null,"keywords":"codejam","version":"0.0.1","words":"code_jam code jam helper =ruslankerimov codejam","author":"=ruslankerimov","date":"2013-04-12 "},{"name":"codebird","description":"A Twitter library in JavaScript.","url":null,"keywords":"Twitter API networking CORS","version":"2.5.0","words":"codebird a twitter library in javascript. =jublonet twitter api networking cors","author":"=jublonet","date":"2014-06-23 "},{"name":"codebits","description":"codebits.eu API module wrapper","url":null,"keywords":"codebits lisbon","version":"0.2.1","words":"codebits codebits.eu api module wrapper =daviddias codebits lisbon","author":"=daviddias","date":"2014-04-06 "},{"name":"codebits-allthefriends","description":"Ask everyone on codebits to be your friend! It's awesome and not creepy at all!","url":null,"keywords":"codebits friends loneliness","version":"1.0.2","words":"codebits-allthefriends ask everyone on codebits to be your friend! it's awesome and not creepy at all! =axfcampos codebits friends loneliness","author":"=axfcampos","date":"2014-04-07 "},{"name":"codebox","description":"Open source cloud & desktop IDE.","url":null,"keywords":"cli ide server desktop development code editor","version":"0.8.1","words":"codebox open source cloud & desktop ide. =samypesse =aarono cli ide server desktop development code editor","author":"=samypesse =aarono","date":"2014-07-23 "},{"name":"codebox-io","description":"Command line tool for CodeBox (codebox.io).","url":null,"keywords":"codebox dev cloud","version":"0.4.1","words":"codebox-io command line tool for codebox (codebox.io). =samypesse codebox dev cloud","author":"=samypesse","date":"2014-03-21 "},{"name":"codebox-quickstart","description":"Command line tool to generate addon skeleton.","url":null,"keywords":"codebox addon cloud generator quickstart scaffold","version":"0.1.11","words":"codebox-quickstart command line tool to generate addon skeleton. =yuukan codebox addon cloud generator quickstart scaffold","author":"=yuukan","date":"2014-01-29 "},{"name":"codeboxes-client","description":"The command line client for CodeBoxes","url":null,"keywords":"codebox","version":"2.0.1","words":"codeboxes-client the command line client for codeboxes =aaron524 codebox","author":"=aaron524","date":"2014-02-08 "},{"name":"codebricks","description":"node-codebricks\r ===============","url":null,"keywords":"codebricks","version":"0.0.10","words":"codebricks node-codebricks\r =============== =peteclark82 codebricks","author":"=peteclark82","date":"2013-01-26 "},{"name":"codebricks-noodle","description":"node-codebricks-noodle\r ======================","url":null,"keywords":"codebricks","version":"0.0.1","words":"codebricks-noodle node-codebricks-noodle\r ====================== =peteclark82 codebricks","author":"=peteclark82","date":"2013-01-07 "},{"name":"codebux","description":"calculate technical debt","url":null,"keywords":"debt philosophy craft code lint linter","version":"0.1.2","words":"codebux calculate technical debt =substack debt philosophy craft code lint linter","author":"=substack","date":"2012-09-12 "},{"name":"codec","keywords":"","version":[],"words":"codec","author":"","date":"2014-08-03 "},{"name":"codecademy","description":"Screen scrapes the codecademy website to get student progress","url":null,"keywords":"codecademy","version":"1.0.1","words":"codecademy screen scrapes the codecademy website to get student progress =wblankenship codecademy","author":"=wblankenship","date":"2014-07-16 "},{"name":"codecheckjs","description":"Check JavaScript code structure against a set of goals in JavaScript","url":null,"keywords":"","version":"1.0.11","words":"codecheckjs check javascript code structure against a set of goals in javascript =brianbondy","author":"=brianbondy","date":"2013-12-23 "},{"name":"codeclimate-test-reporter","description":"Code Climate test reporter client for javascript projects","url":null,"keywords":"coverage testing codeclimate","version":"0.0.3","words":"codeclimate-test-reporter code climate test reporter client for javascript projects =noahd1 coverage testing codeclimate","author":"=noahd1","date":"2014-04-11 "},{"name":"codecounter","description":"code counter","url":null,"keywords":"","version":"0.0.6","words":"codecounter code counter =ftft1885","author":"=ftft1885","date":"2013-03-23 "},{"name":"codecov.io","description":"lcov posting to codecov.io","url":null,"keywords":"coverage code-coverage codecov.io codecov","version":"0.0.1","words":"codecov.io lcov posting to codecov.io =cainus coverage code-coverage codecov.io codecov","author":"=cainus","date":"2014-09-18 "},{"name":"codedoc","description":"JavaScript code doc generator","url":null,"keywords":"","version":"0.0.0","words":"codedoc javascript code doc generator =onirame =enricomarino","author":"=onirame =enricomarino","date":"2013-07-24 "},{"name":"codeforamerica","description":"Node.js package template.","url":null,"keywords":"","version":"0.1.0","words":"codeforamerica node.js package template. =stanzheng","author":"=stanzheng","date":"2014-03-08 "},{"name":"codegarage","description":"CodeGarage =====================","url":null,"keywords":"simple editor web html css javascript front end","version":"0.0.1","words":"codegarage codegarage ===================== =koheishingai simple editor web html css javascript front end","author":"=koheishingai","date":"2014-02-22 "},{"name":"codegen","description":"Code generator","url":null,"keywords":"","version":"0.1.0","words":"codegen code generator =codeattic","author":"=codeattic","date":"2014-07-17 "},{"name":"codegrep","description":"```bash # install using sudo npm install -g codegrep","url":null,"keywords":"","version":"0.0.1","words":"codegrep ```bash # install using sudo npm install -g codegrep =pita","author":"=pita","date":"2013-03-02 "},{"name":"codegs","description":"Tool to pack Node.js module files into one source code with module system emulator.","url":null,"keywords":"gas GooglsAppsScript","version":"0.1.0","words":"codegs tool to pack node.js module files into one source code with module system emulator. =tyskdm gas googlsappsscript","author":"=tyskdm","date":"2014-03-26 "},{"name":"codegs-core","description":"Code.gs core modules package.","url":null,"keywords":"gas GoogleAppsScript","version":"0.0.2","words":"codegs-core code.gs core modules package. =tyskdm gas googleappsscript","author":"=tyskdm","date":"2014-03-06 "},{"name":"codejam","description":"Helpers for doing google codejam-style puzzles","url":null,"keywords":"codejam","version":"0.1.1","words":"codejam helpers for doing google codejam-style puzzles =elliotf codejam","author":"=elliotf","date":"2013-04-11 "},{"name":"codekart","description":"Web application framework for Node.js","url":null,"keywords":"codekart application framework MVC sinatra web rest restful router app api","version":"0.2.5","words":"codekart web application framework for node.js =yangjiepro codekart application framework mvc sinatra web rest restful router app api","author":"=yangjiepro","date":"2014-09-12 "},{"name":"codem-frontend","url":null,"keywords":"","version":"0.0.2","words":"codem-frontend =birme","author":"=birme","date":"2014-08-25 "},{"name":"codem-transcode","description":"Offline video transcoding using ffmpeg, with a small HTTP API.","url":null,"keywords":"transcoding ffmpeg video","version":"0.5.5","words":"codem-transcode offline video transcoding using ffmpeg, with a small http api. =tieleman transcoding ffmpeg video","author":"=tieleman","date":"2014-09-08 "},{"name":"codem-watcher","description":"Node commandline application that monitors a folder and enqueue transcoder jobs","url":null,"keywords":"","version":"0.0.10","words":"codem-watcher node commandline application that monitors a folder and enqueue transcoder jobs =birme","author":"=birme","date":"2014-09-17 "},{"name":"codemirror","description":"In-browser code editing made bearable","url":null,"keywords":"JavaScript CodeMirror Editor","version":"4.6.0","words":"codemirror in-browser code editing made bearable =marijn javascript codemirror editor","author":"=marijn","date":"2014-09-19 "},{"name":"codemirror-activine","description":"Active line highlighter addon for codemirror","url":null,"keywords":"codemirror-activine codemirror plugin","version":"0.0.1","words":"codemirror-activine active line highlighter addon for codemirror =gozala codemirror-activine codemirror plugin","author":"=gozala","date":"2013-04-30 "},{"name":"codemirror-ambiance-plugin","description":"Codemirror plugin for ambiance editor","url":null,"keywords":"codemirror ambiance editor plugin","version":"0.0.1","words":"codemirror-ambiance-plugin codemirror plugin for ambiance editor =gozala codemirror ambiance editor plugin","author":"=gozala","date":"2012-10-19 "},{"name":"codemirror-console","description":"Add execute the code function to CodeMirror.","url":null,"keywords":"JavaScript CodeMirror browserify","version":"0.1.0","words":"codemirror-console add execute the code function to codemirror. =azu javascript codemirror browserify","author":"=azu","date":"2014-06-11 "},{"name":"codemirror-console-ui","description":"codemirror-console ui components","url":null,"keywords":"","version":"0.1.6","words":"codemirror-console-ui codemirror-console ui components =azu","author":"=azu","date":"2014-06-12 "},{"name":"codemirror-embed","description":"CodeMirror wrapper for simple embedding","url":null,"keywords":"codemirror-embed codemirror embed browserify","version":"2.1.0","words":"codemirror-embed codemirror wrapper for simple embedding =gozala codemirror-embed codemirror embed browserify","author":"=gozala","date":"2013-03-14 "},{"name":"codemirror-hashare","description":"Hash based sharing plugin for codemirror","url":null,"keywords":"codemirror-hashare codemirror share plugin","version":"0.0.2","words":"codemirror-hashare hash based sharing plugin for codemirror =gozala codemirror-hashare codemirror share plugin","author":"=gozala","date":"2013-05-01 "},{"name":"codemirror-highlight","description":"Generating HTML containing highlighted code with CodeMirror","url":null,"keywords":"highlight syntax codemirror","version":"1.1.1","words":"codemirror-highlight generating html containing highlighted code with codemirror =curvedmark highlight syntax codemirror","author":"=curvedmark","date":"2013-10-31 "},{"name":"codemirror-palettehints","description":"a codemirror plugin that adds color hints to text","url":null,"keywords":"codemirror palette","version":"0.0.0","words":"codemirror-palettehints a codemirror plugin that adds color hints to text =tmcw =yhahn =edenh codemirror palette","author":"=tmcw =yhahn =edenh","date":"2014-04-10 "},{"name":"codemirror-persist","description":"Codemirror plugin for persisting buffers in a local storage","url":null,"keywords":"codemirror-persist","version":"0.0.1","words":"codemirror-persist codemirror plugin for persisting buffers in a local storage =gozala codemirror-persist","author":"=gozala","date":"2013-04-30 "},{"name":"codemirror-typewriter-scrolling","description":"codemirror addon : adding typwritter-scrolling feature","url":null,"keywords":"codemirror addon","version":"0.1.0","words":"codemirror-typewriter-scrolling codemirror addon : adding typwritter-scrolling feature =azu codemirror addon","author":"=azu","date":"2014-08-24 "},{"name":"codemonkey","url":null,"keywords":"","version":"0.0.0","words":"codemonkey =trash","author":"=trash","date":"2014-02-19 "},{"name":"codemonkeyio-component","url":null,"keywords":"","version":"0.0.0","words":"codemonkeyio-component =trash","author":"=trash","date":"2014-02-19 "},{"name":"codename","description":"Codename generator","url":null,"keywords":"","version":"0.0.3","words":"codename codename generator =rjz","author":"=rjz","date":"2014-02-24 "},{"name":"codepad","description":"A simple interface to codepad.org","url":null,"keywords":"code eval pastebin codepad","version":"0.1.1","words":"codepad a simple interface to codepad.org =scoates code eval pastebin codepad","author":"=scoates","date":"2011-07-19 "},{"name":"codepage","description":"pure-JS library to handle codepages","url":null,"keywords":"codepage iconv convert strings","version":"1.3.4","words":"codepage pure-js library to handle codepages =sheetjs codepage iconv convert strings","author":"=sheetjs","date":"2014-07-13 "},{"name":"codepainter","description":"A JavaScript beautifier that can both infer coding style and transform code to reflect that style. You can also set style preferences explicitly in a variety of ways.","url":null,"keywords":"code formatting style editorconfig","version":"0.4.2","words":"codepainter a javascript beautifier that can both infer coding style and transform code to reflect that style. you can also set style preferences explicitly in a variety of ways. =jedmao code formatting style editorconfig","author":"=jedmao","date":"2014-09-18 "},{"name":"codependency","description":"Optional peer dependencies","url":null,"keywords":"peer dependency dependencies require module semver","version":"0.1.3","words":"codependency optional peer dependencies =ronkorving peer dependency dependencies require module semver","author":"=ronkorving","date":"2014-04-08 "},{"name":"codepoint","description":"Utilities for Unicode codepoint","url":null,"keywords":"unicode utf-16 code point","version":"0.0.0","words":"codepoint utilities for unicode codepoint =koichik unicode utf-16 code point","author":"=koichik","date":"2012-08-18 "},{"name":"coder","description":"a sdk of google coder's API","url":null,"keywords":"coder pi","version":"0.0.0","words":"coder a sdk of google coder's api =turing coder pi","author":"=turing","date":"2013-09-13 "},{"name":"coderetreat","description":"Automatically run your tests, and connect to the Code Retreat Game of Life server to be part of the bigger picture","url":null,"keywords":"","version":"1.2.1","words":"coderetreat automatically run your tests, and connect to the code retreat game of life server to be part of the bigger picture =spikeheap","author":"=spikeheap","date":"2014-07-05 "},{"name":"coderunner","description":"Run code!","url":null,"keywords":"","version":"0.0.1","words":"coderunner run code! =mattmueller","author":"=mattmueller","date":"2013-07-28 "},{"name":"coderwall","description":"coderwall.com module for displaying coderwall badges","url":null,"keywords":"","version":"0.0.3","words":"coderwall coderwall.com module for displaying coderwall badges =qbit","author":"=qbit","date":"2012-02-22 "},{"name":"coderwall-api","description":"Coderwall API Client Library for Node.js","url":null,"keywords":"coderwall profile api","version":"0.1.3","words":"coderwall-api coderwall api client library for node.js =kevintcoughlin coderwall profile api","author":"=kevintcoughlin","date":"2013-07-19 "},{"name":"codes","description":"Node.js iconv bindings - Streamable, fast and lightweight","url":null,"keywords":"iconv charset encoding encode decode convert code codes stream fast ligthweight","version":"0.2.5","words":"codes node.js iconv bindings - streamable, fast and lightweight =dinhoabreu iconv charset encoding encode decode convert code codes stream fast ligthweight","author":"=dinhoabreu","date":"2013-10-15 "},{"name":"codesign","description":"Directory content codesign and comparer","url":null,"keywords":"","version":"0.0.9","words":"codesign directory content codesign and comparer =malgorithms =maxtaco","author":"=malgorithms =maxtaco","date":"2014-06-04 "},{"name":"codestre.am","url":null,"keywords":"","version":"0.1.0","words":"codestre.am =rauchg","author":"=rauchg","date":"2012-04-01 "},{"name":"codestream","url":null,"keywords":"","version":"0.2.4","words":"codestream =rauchg =tootallnate","author":"=rauchg =tootallnate","date":"2012-05-03 "},{"name":"codesurgeon","description":"The Node.js build tool","url":null,"keywords":"cli deploy browser minify uglify ast build unit test make jake tool","version":"0.3.4-1","words":"codesurgeon the node.js build tool =hij1nx cli deploy browser minify uglify ast build unit test make jake tool","author":"=hij1nx","date":"2012-12-23 "},{"name":"codetube","description":"decentralized git hosting","url":null,"keywords":"","version":"0.0.0-alpha","words":"codetube decentralized git hosting =dodo","author":"=dodo","date":"2011-11-14 "},{"name":"codewars","description":"CLI for codewars.com","url":null,"keywords":"codewars","version":"0.2.0","words":"codewars cli for codewars.com =nemtsov codewars","author":"=nemtsov","date":"2014-07-14 "},{"name":"codewars-client","description":"Unofficial node client for CodeWars API","url":null,"keywords":"","version":"0.4.0","words":"codewars-client unofficial node client for codewars api =shime","author":"=shime","date":"2014-09-06 "},{"name":"codewars-runner","description":"Codewars.com code sandbox capabilities","url":null,"keywords":"","version":"0.1.5","words":"codewars-runner codewars.com code sandbox capabilities =jhoffner","author":"=jhoffner","date":"2014-07-14 "},{"name":"codex","description":"Static site and code documentation generator.","url":null,"keywords":"","version":"0.2.3","words":"codex static site and code documentation generator. =jakeluer","author":"=jakeluer","date":"2012-05-07 "},{"name":"codex-cli","description":"The CLI for codex.js","url":null,"keywords":"codex cli","version":"0.1.3","words":"codex-cli the cli for codex.js =sppericat codex cli","author":"=sppericat","date":"2014-03-05 "},{"name":"codicefiscale","description":"The best project ever.","url":null,"keywords":"","version":"0.3.0","words":"codicefiscale the best project ever. =parroit","author":"=parroit","date":"2013-12-04 "},{"name":"codie","description":"JavaScript template engine specialized in generating JavaScript code","url":null,"keywords":"","version":"1.1.0","words":"codie javascript template engine specialized in generating javascript code =dmajda","author":"=dmajda","date":"2012-04-16 "},{"name":"codify","description":"Turn integers into base36 codes","url":null,"keywords":"","version":"0.3.0","words":"codify turn integers into base36 codes =andrewjstone","author":"=andrewjstone","date":"2011-12-06 "},{"name":"codingscene","description":"Web app for coding events, problems, contacts","url":null,"keywords":"","version":"1.0.6","words":"codingscene web app for coding events, problems, contacts =jakutis","author":"=jakutis","date":"2014-02-17 "},{"name":"codius","description":"Codius smart oracle command-line interface (CLI) for Node.js","url":null,"keywords":"codius javascript smart oracle contracts distributed autonomous trustless cloud virtual","version":"1.0.1","words":"codius codius smart oracle command-line interface (cli) for node.js =justmoon codius javascript smart oracle contracts distributed autonomous trustless cloud virtual","author":"=justmoon","date":"2014-08-09 "},{"name":"codius-host","description":"Codius smart oracle host for Node.js","url":null,"keywords":"codius javascript smart oracle contracts distributed autonomous trustless cloud virtual","version":"1.0.0","words":"codius-host codius smart oracle host for node.js =justmoon codius javascript smart oracle contracts distributed autonomous trustless cloud virtual","author":"=justmoon","date":"2014-07-05 "},{"name":"codle","description":"code for kindle","url":null,"keywords":"code kindle","version":"0.0.23","words":"codle code for kindle =flynngao code kindle","author":"=flynngao","date":"2013-09-06 "},{"name":"codo","description":"A CoffeeScript documentation generator.","url":null,"keywords":"coffeescript doc","version":"2.0.9","words":"codo a coffeescript documentation generator. =netzpirat =inossidabile coffeescript doc","author":"=netzpirat =inossidabile","date":"2014-05-24 "},{"name":"codo-theme-yaml","description":"YAML theme for the codo documentation generator","url":null,"keywords":"codo documentation theme yaml","version":"0.1.0","words":"codo-theme-yaml yaml theme for the codo documentation generator =trash codo documentation theme yaml","author":"=trash","date":"2014-02-19 "},{"name":"codom","description":"Mini functional templating","url":null,"keywords":"","version":"0.0.1","words":"codom mini functional templating =jb55","author":"=jb55","date":"2012-01-16 "},{"name":"codplayer-control","description":"codplayer control web interface","url":null,"keywords":"","version":"1.0.0","words":"codplayer-control codplayer control web interface =petli","author":"=petli","date":"2014-09-16 "},{"name":"cody","description":"Cody CMS","url":null,"keywords":"cody cms howest","version":"3.0.7","words":"cody cody cms =jonashowest cody cms howest","author":"=jonashowest","date":"2014-03-18 "},{"name":"coedit","description":"","url":null,"keywords":"","version":"0.0.0","words":"coedit =volkan","author":"=volkan","date":"2014-02-14 "},{"name":"coerce","url":null,"keywords":"","version":"0.5.0","words":"coerce =deanmao","author":"=deanmao","date":"2011-09-07 "},{"name":"coercive","description":"An intuitive interface for type coercion and data cleanup","url":null,"keywords":"","version":"0.1.5","words":"coercive an intuitive interface for type coercion and data cleanup =shawnbot","author":"=shawnbot","date":"2014-07-15 "},{"name":"coffea","description":"event based and extensible irc client library with multi-network support","url":null,"keywords":"irc library client chat multi-network multiple networks event-based events coffeehouse extensible plugins","version":"0.3.9","words":"coffea event based and extensible irc client library with multi-network support =omnidan irc library client chat multi-network multiple networks event-based events coffeehouse extensible plugins","author":"=omnidan","date":"2014-09-17 "},{"name":"coffee","description":"Coffee - Mocha Node and web testing wrapper","url":null,"keywords":"mocha test webtest","version":"0.0.1","words":"coffee coffee - mocha node and web testing wrapper =asmblah mocha test webtest","author":"=asmblah","date":"2013-06-22 "},{"name":"coffee-assert","description":"","url":null,"keywords":"","version":"0.0.0","words":"coffee-assert =maxzhao","author":"=maxzhao","date":"2013-07-08 "},{"name":"coffee-assets","description":"Sprockets syntax for aggregating/minifying/gzipping CoffeeTemplates, CoffeeStylesheets, and CoffeeSprites.","url":null,"keywords":"coffee stylesheets templates sprites assets sprockets aggregate minify gzip","version":"0.1.5","words":"coffee-assets sprockets syntax for aggregating/minifying/gzipping coffeetemplates, coffeestylesheets, and coffeesprites. =mikesmullin coffee stylesheets templates sprites assets sprockets aggregate minify gzip","author":"=mikesmullin","date":"2013-10-29 "},{"name":"coffee-backtrace","description":"Expands coffee files in uncaught exceptions to add context with the compiled Javascript","url":null,"keywords":"coffee log error backtrace debug","version":"0.3.5","words":"coffee-backtrace expands coffee files in uncaught exceptions to add context with the compiled javascript =dpatti coffee log error backtrace debug","author":"=dpatti","date":"2013-07-01 "},{"name":"coffee-bean","description":"Writing JSON in coffee-script format","url":null,"keywords":"package.json configuration coffee bean script","version":"0.2.0","words":"coffee-bean writing json in coffee-script format =yc package.json configuration coffee bean script","author":"=yc","date":"2013-11-25 "},{"name":"coffee-bear","description":"Coffee measurements from blackbearcoffee.com","url":null,"keywords":"coffee","version":"0.1.0","words":"coffee-bear coffee measurements from blackbearcoffee.com =stevenschobert coffee","author":"=stevenschobert","date":"2014-01-21 "},{"name":"coffee-bin","description":"a command line utility for compiling command line scripts written in coffee-script","url":null,"keywords":"","version":"0.0.2","words":"coffee-bin a command line utility for compiling command line scripts written in coffee-script =joaoafrmartins","author":"=joaoafrmartins","date":"2014-03-26 "},{"name":"coffee-boots","description":"Coffee-boots: watch and compile CoffeeScript code","url":null,"keywords":"rain-boots","version":"0.0.0","words":"coffee-boots coffee-boots: watch and compile coffeescript code =jiyinyiyong rain-boots","author":"=jiyinyiyong","date":"2013-04-14 "},{"name":"coffee-box","description":"blog engine for fashionable developers","url":null,"keywords":"blog express mongodb coffee","version":"0.0.6","words":"coffee-box blog engine for fashionable developers =qiao blog express mongodb coffee","author":"=qiao","date":"2012-01-27 "},{"name":"coffee-browserify","keywords":"","version":[],"words":"coffee-browserify","author":"","date":"2012-11-07 "},{"name":"coffee-cache","description":"Caches the contents of required CoffeeScript files so that they are not recompiled to help improve startup time","url":null,"keywords":"coffee cache filesystem startup","version":"0.4.0","words":"coffee-cache caches the contents of required coffeescript files so that they are not recompiled to help improve startup time =dpatti coffee cache filesystem startup","author":"=dpatti","date":"2014-04-16 "},{"name":"coffee-class-orm","description":"Coffee-script class as an orm","url":null,"keywords":"","version":"0.0.16","words":"coffee-class-orm coffee-script class as an orm =danschumann","author":"=danschumann","date":"2013-11-10 "},{"name":"coffee-cleanse","url":null,"keywords":"","version":"1.2.5","words":"coffee-cleanse =isaacs","author":"=isaacs","date":"2012-05-06 "},{"name":"coffee-closure-preprocessor","description":"Simple preprocessor for Coffeescript handling block comments with JSDoc annotations for Closure Compiler.","url":null,"keywords":"coffeescript closure compiler preprocessor","version":"0.1.0","words":"coffee-closure-preprocessor simple preprocessor for coffeescript handling block comments with jsdoc annotations for closure compiler. =davidrekow coffeescript closure compiler preprocessor","author":"=davidrekow","date":"2014-07-02 "},{"name":"coffee-collection","description":"A fine collection of collection-classes and utilities written in CoffeScript. Intended for Node- and client-side usage.","url":null,"keywords":"","version":"0.0.3","words":"coffee-collection a fine collection of collection-classes and utilities written in coffescript. intended for node- and client-side usage. =jbysewski","author":"=jbysewski","date":"2012-02-12 "},{"name":"coffee-collider","description":"Sound Processing Language for Web Audio","url":null,"keywords":"language coffeescript supercollider music","version":"0.3.0","words":"coffee-collider sound processing language for web audio =mohayonao language coffeescript supercollider music","author":"=mohayonao","date":"2014-02-03 "},{"name":"coffee-compiler","description":"A handy CoffeeScript compiler from a series of compilers that have the same signature.","url":null,"keywords":"coffeescript coffee compiler","version":"0.3.2","words":"coffee-compiler a handy coffeescript compiler from a series of compilers that have the same signature. =alexgorbatchev coffeescript coffee compiler","author":"=alexgorbatchev","date":"2014-01-18 "},{"name":"coffee-conf","description":"Write your config files in coffee-script.","url":null,"keywords":"coffee-script config loading application dsl domain specific language","version":"0.1.2","words":"coffee-conf write your config files in coffee-script. =msnexploder coffee-script config loading application dsl domain specific language","author":"=MSNexploder","date":"2011-11-20 "},{"name":"coffee-config","description":"Simple configuration module for node.js","url":null,"keywords":"util configuration","version":"0.2.0","words":"coffee-config simple configuration module for node.js =domk util configuration","author":"=domk","date":"2013-09-08 "},{"name":"coffee-console","description":"A console for coffee powered apps","url":null,"keywords":"","version":"0.5.0","words":"coffee-console a console for coffee powered apps =tarkus","author":"=tarkus","date":"2013-08-26 "},{"name":"coffee-coverage","description":"JSCoverage-style instrumentation for CoffeeScript files.","url":null,"keywords":"javascript coffeescript coverage code coverage test","version":"0.4.2","words":"coffee-coverage jscoverage-style instrumentation for coffeescript files. =jwalton javascript coffeescript coverage code coverage test","author":"=jwalton","date":"2014-01-20 "},{"name":"coffee-css","description":"More CSS for CoffeeScript","url":null,"keywords":"","version":"0.0.5","words":"coffee-css more css for coffeescript =khoomeister","author":"=khoomeister","date":"2011-06-05 "},{"name":"coffee-db-migrate","description":"Abstract migration framework for node (in coffeescript) which store migration steps in db.","url":null,"keywords":"","version":"0.1.2","words":"coffee-db-migrate abstract migration framework for node (in coffeescript) which store migration steps in db. =daniel.gawron","author":"=daniel.gawron","date":"2014-01-29 "},{"name":"coffee-debug","description":"Simple cli script to debug coffee script on nodejs using node-inspector","url":null,"keywords":"","version":"0.0.2","words":"coffee-debug simple cli script to debug coffee script on nodejs using node-inspector =ia3andy","author":"=ia3andy","date":"2014-09-17 "},{"name":"coffee-distiller","description":"Merge and minify server side coffee-script files with fake CJS wrappers. This tool is useful for developers who want to distribute a SERVER SIDE coffee-script app in the form of single javascript file.","url":null,"keywords":"uglify build minify coffeescript compiler","version":"0.1.3","words":"coffee-distiller merge and minify server side coffee-script files with fake cjs wrappers. this tool is useful for developers who want to distribute a server side coffee-script app in the form of single javascript file. =yi uglify build minify coffeescript compiler","author":"=yi","date":"2014-02-28 "},{"name":"coffee-dsl","description":"CoffeeScript DSL View Engine","url":null,"keywords":"coffee-script dsl view engine","version":"0.0.1","words":"coffee-dsl coffeescript dsl view engine =camshaft coffee-script dsl view engine","author":"=camshaft","date":"2012-09-30 "},{"name":"coffee-echonest","description":"Echo Nest API implementation","url":null,"keywords":"music echo nest","version":"0.0.1","words":"coffee-echonest echo nest api implementation =jjenkins music echo nest","author":"=jjenkins","date":"2011-05-21 "},{"name":"coffee-engine","description":"A modern website engine.","url":null,"keywords":"game app coffeescript","version":"1.0.0-beta005","words":"coffee-engine a modern website engine. =zhanzhenzhen game app coffeescript","author":"=zhanzhenzhen","date":"2013-10-07 "},{"name":"coffee-errors","description":"Patches error stack to display correct line numbers. CoffeeScript has built in support for this, but it only works when the script is executed through the `coffee` command. If you are running mocha, node-dev, jasmine or any other method, the functionality isn't on.","url":null,"keywords":"javascript language coffeescript compiler errors","version":"0.8.6","words":"coffee-errors patches error stack to display correct line numbers. coffeescript has built in support for this, but it only works when the script is executed through the `coffee` command. if you are running mocha, node-dev, jasmine or any other method, the functionality isn't on. =alexgorbatchev javascript language coffeescript compiler errors","author":"=alexgorbatchev","date":"2014-01-18 "},{"name":"coffee-espresso-two-shots","description":"Converting HAML and SaSS template to coffee-template and coffee-stylesheet respectively.","url":null,"keywords":"coffee-template coffee-stylesheet coffee-shop haml sass","version":"0.0.1","words":"coffee-espresso-two-shots converting haml and sass template to coffee-template and coffee-stylesheet respectively. =paolooo coffee-template coffee-stylesheet coffee-shop haml sass","author":"=paolooo","date":"2013-01-07 "},{"name":"coffee-eveapi","description":"CoffeScript class for Eve Online API requests","url":null,"keywords":"eve online api","version":"0.2.10","words":"coffee-eveapi coffescript class for eve online api requests =azhwkd eve online api","author":"=azhwkd","date":"2013-02-21 "},{"name":"coffee-factory","description":"Javascript class Factory generator implemented in Coffeescript.","url":null,"keywords":"Factory Class Coffeescript","version":"0.1.3","words":"coffee-factory javascript class factory generator implemented in coffeescript. =jesstelford factory class coffeescript","author":"=jesstelford","date":"2014-03-21 "},{"name":"coffee-fast-compile","description":"Module for fast compilation whole directories with very simple API","url":null,"keywords":"","version":"0.2.3","words":"coffee-fast-compile module for fast compilation whole directories with very simple api =termina1","author":"=termina1","date":"2013-04-30 "},{"name":"coffee-file-compile","description":".coffee compile","url":null,"keywords":"","version":"0.0.4","words":"coffee-file-compile .coffee compile =iganoneko","author":"=iganoneko","date":"2014-05-29 "},{"name":"coffee-files","description":"Wrapper functions to compile Coffeescript files","url":null,"keywords":"coffee compiler coffeescript build tu","version":"0.1.4","words":"coffee-files wrapper functions to compile coffeescript files =manuelcabral coffee compiler coffeescript build tu","author":"=manuelcabral","date":"2014-02-28 "},{"name":"coffee-fn","description":"Higher-order utilities in coffeescript.","url":null,"keywords":"","version":"0.1.2","words":"coffee-fn higher-order utilities in coffeescript. =scivey","author":"=scivey","date":"2014-03-22 "},{"name":"coffee-graph","description":"CoffeeScript build tool for ordering multi-file dependencies","url":null,"keywords":"javascript coffeescript coffeegraph graph compiler build tool order dependencies","version":"0.1.1","words":"coffee-graph coffeescript build tool for ordering multi-file dependencies =mbolt javascript coffeescript coffeegraph graph compiler build tool order dependencies","author":"=mbolt","date":"2013-03-12 "},{"name":"coffee-gulp","description":"A tiny module which wraps gulpjs to use CoffeeScript for your gulpfile.","url":null,"keywords":"gulpjs coffee-script coffee-gulp","version":"0.0.2","words":"coffee-gulp a tiny module which wraps gulpjs to use coffeescript for your gulpfile. =flow gulpjs coffee-script coffee-gulp","author":"=flow","date":"2014-03-25 "},{"name":"coffee-html","description":"generate HTML in CoffeeScript","url":null,"keywords":"html coffee-script","version":"0.4.2","words":"coffee-html generate html in coffeescript =jiyinyiyong html coffee-script","author":"=jiyinyiyong","date":"2014-05-25 "},{"name":"coffee-http-proxy","description":"Simple HTTP proxy server module","url":null,"keywords":"","version":"0.1.1","words":"coffee-http-proxy simple http proxy server module =kaz080","author":"=kaz080","date":"2012-12-01 "},{"name":"coffee-inline-map","description":"Compile CoffeeScript files with inline source maps","url":null,"keywords":"build coffeescript source map","version":"0.4.0","words":"coffee-inline-map compile coffeescript files with inline source maps =gromnitsky build coffeescript source map","author":"=gromnitsky","date":"2014-04-27 "},{"name":"coffee-jade-wrapper","description":">simple template engine based on jade and jquery","url":null,"keywords":"","version":"0.0.1-alpha","words":"coffee-jade-wrapper >simple template engine based on jade and jquery =artembeloglazov","author":"=artembeloglazov","date":"2013-03-01 "},{"name":"coffee-join","description":"Multifile coffee script compilation with source map support.","url":null,"keywords":"","version":"0.1.2","words":"coffee-join multifile coffee script compilation with source map support. =ajumell","author":"=ajumell","date":"2013-08-04 "},{"name":"coffee-jshint","description":"Checks CoffeeScript source for errors using JSHint","url":null,"keywords":"","version":"0.2.0","words":"coffee-jshint checks coffeescript source for errors using jshint =rgarcia =jonahkagan =azylman","author":"=rgarcia =jonahkagan =azylman","date":"2014-07-31 "},{"name":"coffee-jsx-transformer","description":"(moved) coffee react jsx support","url":null,"keywords":"coffeescript react jsx csx coffee-react","version":"0.1.3","words":"coffee-jsx-transformer (moved) coffee react jsx support =jsdf coffeescript react jsx csx coffee-react","author":"=jsdf","date":"2014-04-03 "},{"name":"coffee-loader","description":"coffee loader module for webpack","url":null,"keywords":"","version":"0.7.2","words":"coffee-loader coffee loader module for webpack =sokra","author":"=sokra","date":"2014-05-14 "},{"name":"coffee-machine","description":"A simple state machine written in CoffeeScript.","url":null,"keywords":"state machine statemachine coffee script coffeescript","version":"0.0.3","words":"coffee-machine a simple state machine written in coffeescript. =stephenb state machine statemachine coffee script coffeescript","author":"=stephenb","date":"2011-06-11 "},{"name":"coffee-maker","description":"A simple tool to watch and compile multiple sources at once.","url":null,"keywords":"coffee coffee-script coffeescript coffeemaker","version":"0.1.0","words":"coffee-maker a simple tool to watch and compile multiple sources at once. =patriksimek coffee coffee-script coffeescript coffeemaker","author":"=patriksimek","date":"2013-12-06 "},{"name":"coffee-mate","description":"library for functional programming via coffeescript, lightweight & convenient","url":null,"keywords":"functional programming underscore coffeescript log macro dict comprehension sleep random","version":"0.3.1","words":"coffee-mate library for functional programming via coffeescript, lightweight & convenient =luochen1990 functional programming underscore coffeescript log macro dict comprehension sleep random","author":"=luochen1990","date":"2014-09-18 "},{"name":"coffee-middle","description":"A connect middleware for compiling coffeescript.","url":null,"keywords":"coffee-script coffee middleware compiler express connect","version":"0.0.2","words":"coffee-middle a connect middleware for compiling coffeescript. =djwglpuppy coffee-script coffee middleware compiler express connect","author":"=djwglpuppy","date":"2012-05-26 "},{"name":"coffee-middleware","description":"coffee-script middleware for connect.","url":null,"keywords":"coffee-script middleware express connect","version":"0.2.1","words":"coffee-middleware coffee-script middleware for connect. =formsie =mlmorg =sectioneight coffee-script middleware express connect","author":"=formsie =mlmorg =sectioneight","date":"2013-10-10 "},{"name":"coffee-migrate","description":"Abstract migration framework for node (in coffeescript).","url":null,"keywords":"","version":"0.1.7","words":"coffee-migrate abstract migration framework for node (in coffeescript). =winton","author":"=winton","date":"2013-06-24 "},{"name":"coffee-mix","description":"Mixins support for CoffeeScript","url":null,"keywords":"mixin coffee-script oop mixins concerns includes codo","version":"0.0.7","words":"coffee-mix mixins support for coffeescript =sitin mixin coffee-script oop mixins concerns includes codo","author":"=sitin","date":"2013-03-13 "},{"name":"coffee-mix-of","url":null,"keywords":"","version":"0.0.0","words":"coffee-mix-of =joaoafrmartins","author":"=joaoafrmartins","date":"2014-03-26 "},{"name":"coffee-mixpanel","description":"Mixpanel for Node","url":null,"keywords":"","version":"0.0.2","words":"coffee-mixpanel mixpanel for node =mikepb","author":"=mikepb","date":"2011-12-14 "},{"name":"coffee-mug","url":null,"keywords":"","version":"0.0.0","words":"coffee-mug =joaoafrmartins","author":"=joaoafrmartins","date":"2014-03-27 "},{"name":"coffee-new","description":"A utility to create & manage CoffeeScript projects","url":null,"keywords":"","version":"0.0.7","words":"coffee-new a utility to create & manage coffeescript projects =khoomeister","author":"=khoomeister","date":"2011-09-06 "},{"name":"coffee-observer","description":"Utility functions for observing source code.","url":null,"keywords":"coffee observer process monitor loop inotify modification notification","version":"0.0.4","words":"coffee-observer utility functions for observing source code. =mikesmullin coffee observer process monitor loop inotify modification notification","author":"=mikesmullin","date":"2013-11-01 "},{"name":"coffee-once","description":"Compile the given coffee file once (until its changes).","url":null,"keywords":"coffee-once","version":"0.0.6","words":"coffee-once compile the given coffee file once (until its changes). =pirhoo coffee-once","author":"=pirhoo","date":"2014-08-29 "},{"name":"coffee-package","url":null,"keywords":"","version":"0.0.0","words":"coffee-package =trash","author":"=trash","date":"2014-02-19 "},{"name":"coffee-pattern","description":"coffee-pattern: write pattern matching in CoffeeScript syntax","url":null,"keywords":"pattern matching","version":"0.0.6","words":"coffee-pattern coffee-pattern: write pattern matching in coffeescript syntax =jiyinyiyong pattern matching","author":"=jiyinyiyong","date":"2013-09-15 "},{"name":"coffee-react","description":"Coffeescript compiler wrapper adding coffee-react-transform CJSX support","url":null,"keywords":"coffeescript react jsx cjsx coffee-react","version":"0.5.2","words":"coffee-react coffeescript compiler wrapper adding coffee-react-transform cjsx support =jsdf coffeescript react jsx cjsx coffee-react","author":"=jsdf","date":"2014-09-09 "},{"name":"coffee-react-brunch","description":"Adds Coffee-React support to brunch.","url":null,"keywords":"","version":"0.5.1","words":"coffee-react-brunch adds coffee-react support to brunch. =reillywatson","author":"=reillywatson","date":"2014-09-05 "},{"name":"coffee-react-dom","description":"Write React DOM in CoffeeScript","url":null,"keywords":"coffee react","version":"0.0.5","words":"coffee-react-dom write react dom in coffeescript =jiyinyiyong coffee react","author":"=jiyinyiyong","date":"2014-06-03 "},{"name":"coffee-react-transform","description":"React JSX support for Coffeescript","url":null,"keywords":"coffeescript react jsx cjsx coffee-react","version":"0.5.2","words":"coffee-react-transform react jsx support for coffeescript =jsdf coffeescript react jsx cjsx coffee-react","author":"=jsdf","date":"2014-09-09 "},{"name":"coffee-reactify","description":"browserify v2 plugin for coffee-react cjsx","url":null,"keywords":"coffee-script react browserify transform","version":"0.5.2","words":"coffee-reactify browserify v2 plugin for coffee-react cjsx =jsdf coffee-script react browserify transform","author":"=jsdf","date":"2014-09-09 "},{"name":"coffee-redis","url":null,"keywords":"","version":"0.0.0","words":"coffee-redis =trash","author":"=trash","date":"2014-02-19 "},{"name":"coffee-redux-loader","description":"coffee redux loader module for webpack","url":null,"keywords":"","version":"0.7.0","words":"coffee-redux-loader coffee redux loader module for webpack =sokra","author":"=sokra","date":"2014-06-13 "},{"name":"coffee-register-cache","description":"cache the compiled required coffeescript modules to improve startup time","url":null,"keywords":"coffee coffeescript cache register","version":"0.0.0","words":"coffee-register-cache cache the compiled required coffeescript modules to improve startup time =guillaume86 coffee coffeescript cache register","author":"=guillaume86","date":"2014-09-04 "},{"name":"coffee-replace","description":"replace string like coffeescript's string interpolation","url":null,"keywords":"replace string coffee","version":"0.0.2","words":"coffee-replace replace string like coffeescript's string interpolation =hotdog929 replace string coffee","author":"=hotdog929","date":"2014-08-30 "},{"name":"coffee-resque","description":"Coffeescript/Node.js port of Resque","url":null,"keywords":"resque redis queue coffee script","version":"0.1.11","words":"coffee-resque coffeescript/node.js port of resque =technoweenie =steelthread resque redis queue coffee script","author":"=technoweenie =steelThread","date":"2014-04-29 "},{"name":"coffee-resque-retry","description":"Adds some retry options to coffee-resque. Concept lifted from Ruby's resque-retry","url":null,"keywords":"","version":"0.0.5","words":"coffee-resque-retry adds some retry options to coffee-resque. concept lifted from ruby's resque-retry =zdzolton","author":"=zdzolton","date":"2011-11-22 "},{"name":"coffee-revup","description":"Runs your CoffeeScript and restarts if changes are detected - useful for development","url":null,"keywords":"","version":"0.0.1","words":"coffee-revup runs your coffeescript and restarts if changes are detected - useful for development =khoomeister","author":"=khoomeister","date":"2011-05-16 "},{"name":"coffee-roaster","description":"Watches your .coffee files for changes and compiles to the JavaScript file specified in \"#@compilesTo \".","url":null,"keywords":"","version":"0.0.0","words":"coffee-roaster watches your .coffee files for changes and compiles to the javascript file specified in \"#@compilesto \". =ktusznio","author":"=ktusznio","date":"2011-10-05 "},{"name":"coffee-scope","description":"A wonderful unit testing and mocking framework for Javascript and Coffeescript.","url":null,"keywords":"","version":"0.0.9","words":"coffee-scope a wonderful unit testing and mocking framework for javascript and coffeescript. =cespare","author":"=cespare","date":"2012-04-11 "},{"name":"coffee-script","description":"Unfancy JavaScript","url":null,"keywords":"javascript language coffeescript compiler","version":"1.8.0","words":"coffee-script unfancy javascript =jashkenas =michaelficarra javascript language coffeescript compiler","author":"=jashkenas =michaelficarra","date":"2014-08-26 "},{"name":"coffee-script-bad","keywords":"","version":[],"words":"coffee-script-bad","author":"","date":"2014-03-02 "},{"name":"coffee-script-browser","description":"Unfancy JavaScript","url":null,"keywords":"javascript language coffeescript compiler browser","version":"1.4.0","words":"coffee-script-browser unfancy javascript =icetan javascript language coffeescript compiler browser","author":"=icetan","date":"2013-02-19 "},{"name":"coffee-script-brunch","description":"Adds CoffeeScript support to brunch.","url":null,"keywords":"","version":"1.8.1","words":"coffee-script-brunch adds coffeescript support to brunch. =paulmillr =es128","author":"=paulmillr =es128","date":"2014-09-13 "},{"name":"coffee-script-es6","description":"fork form https://github.com/xixixao/coffee-script","url":null,"keywords":"javascript language coffeescript compiler es6","version":"1.7.3","words":"coffee-script-es6 fork form https://github.com/xixixao/coffee-script =yuhan.wyh javascript language coffeescript compiler es6","author":"=yuhan.wyh","date":"2014-09-17 "},{"name":"coffee-script-mapped","description":"coffee-script with stack trace mapping","url":null,"keywords":"","version":"0.1.7","words":"coffee-script-mapped coffee-script with stack trace mapping =illniyar","author":"=illniyar","date":"2014-08-12 "},{"name":"coffee-script-model","description":"A simple wrapper over the coffee-script class with getters, setters, fields, and event bindings","url":null,"keywords":"coffee script class model getters setters","version":"1.0.2","words":"coffee-script-model a simple wrapper over the coffee-script class with getters, setters, fields, and event bindings =granttimmerman coffee script class model getters setters","author":"=granttimmerman","date":"2014-06-01 "},{"name":"coffee-script-nightly","description":"Unfancy JavaScript","url":null,"keywords":"javascript language coffeescript compiler","version":"1.7.0-nightly0","words":"coffee-script-nightly unfancy javascript =xixixao javascript language coffeescript compiler","author":"=xixixao","date":"2014-01-22 "},{"name":"coffee-script-redux","description":"Unfancy JavaScript","url":null,"keywords":"coffeescript javascript language compiler","version":"2.0.0-beta8","words":"coffee-script-redux unfancy javascript =michaelficarra coffeescript javascript language compiler","author":"=michaelficarra","date":"2014-01-21 "},{"name":"coffee-script-redux-brunch","description":"Adds CoffeeScriptRedux support to brunch.","url":null,"keywords":"","version":"0.1.2","words":"coffee-script-redux-brunch adds coffeescriptredux support to brunch. =davidgtonge","author":"=davidgtonge","date":"2013-01-10 "},{"name":"coffee-script-to-typescript","description":"Mmm, static types","url":null,"keywords":"javascript language typescript coffeescript compiler","version":"0.1.0","words":"coffee-script-to-typescript mmm, static types =palantir javascript language typescript coffeescript compiler","author":"=palantir","date":"2013-08-23 "},{"name":"coffee-scrunch","description":"Concatenate CoffeeScript files with style","url":null,"keywords":"merge concatenate join coffee coffee-script","version":"0.2.3","words":"coffee-scrunch concatenate coffeescript files with style =stayradiated merge concatenate join coffee coffee-script","author":"=stayradiated","date":"2014-03-10 "},{"name":"coffee-service","description":"CoffeeScript compiler as a service.","url":null,"keywords":"","version":"0.1.1","words":"coffee-service coffeescript compiler as a service. =strd6","author":"=strd6","date":"2013-08-15 "},{"name":"coffee-shop","description":"Coffee Web Framework.","url":null,"keywords":"web framework","version":"0.2.1","words":"coffee-shop coffee web framework. =mikesmullin web framework","author":"=mikesmullin","date":"2013-01-10 "},{"name":"coffee-site-monitor","description":"Website monitor","url":null,"keywords":"website monitor siteup","version":"0.0.1","words":"coffee-site-monitor website monitor =franc website monitor siteup","author":"=franc","date":"2012-03-11 "},{"name":"coffee-son","description":"A utility for CoffeeScript literals","url":null,"keywords":"","version":"0.0.0","words":"coffee-son a utility for coffeescript literals =bat","author":"=bat","date":"2011-07-29 "},{"name":"coffee-source-map","description":"Implementation of v3 sourcemaps in coffee-script.","url":null,"keywords":"sourcemaps v3 coffee-script","version":"1.0.2","words":"coffee-source-map implementation of v3 sourcemaps in coffee-script. =jwalton sourcemaps v3 coffee-script","author":"=jwalton","date":"2014-01-31 "},{"name":"coffee-splatters","description":"Coffee-script node utils.","url":null,"keywords":"coffee-script utils object","version":"0.1.1","words":"coffee-splatters coffee-script node utils. =tomas.brambora coffee-script utils object","author":"=tomas.brambora","date":"2014-04-09 "},{"name":"coffee-sprites","description":"CoffeeScript/JavaScript stylesheet-based sprite image engine.","url":null,"keywords":"coffee css stylesheet stylesheets image sprite sprites spriting plugin fast engine","version":"0.0.8","words":"coffee-sprites coffeescript/javascript stylesheet-based sprite image engine. =mikesmullin coffee css stylesheet stylesheets image sprite sprites spriting plugin fast engine","author":"=mikesmullin","date":"2013-01-10 "},{"name":"coffee-stir","description":"This is a library to merge, watch and compile coffeescript files.","url":null,"keywords":"","version":"0.0.31","words":"coffee-stir this is a library to merge, watch and compile coffeescript files. =beastjavascript","author":"=beastjavascript","date":"2014-04-13 "},{"name":"coffee-streamline","description":"Helper for efficiently running Coffee-Streamline files.","url":null,"keywords":"","version":"0.1.3","words":"coffee-streamline helper for efficiently running coffee-streamline files. =aseemk","author":"=aseemk","date":"2012-08-02 "},{"name":"coffee-strip","description":"Strip comments from CoffeScript. Remove both line comments and block comments.","url":null,"keywords":"strip coffee comments","version":"0.1.0","words":"coffee-strip strip comments from coffescript. remove both line comments and block comments. =jonschlinkert strip coffee comments","author":"=jonschlinkert","date":"2014-02-10 "},{"name":"coffee-stylesheets","description":"Transpiler similar to SASS/SCSS/LESS/Stylus, except its 100% CoffeeScript!","url":null,"keywords":"coffee css3 stylesheets template engine browser nodejs","version":"0.0.5","words":"coffee-stylesheets transpiler similar to sass/scss/less/stylus, except its 100% coffeescript! =mikesmullin coffee css3 stylesheets template engine browser nodejs","author":"=mikesmullin","date":"2013-01-10 "},{"name":"coffee-stylesheets-compass-framework","description":"Compass Framework ported to CoffeeStylesheets","url":null,"keywords":"compass framework coffee stylesheets port","version":"0.0.3","words":"coffee-stylesheets-compass-framework compass framework ported to coffeestylesheets =mikesmullin compass framework coffee stylesheets port","author":"=mikesmullin","date":"2013-01-10 "},{"name":"coffee-subscript","description":"Integration between CoffeeScript and arbitrary DSL-s that compile to JavaScript","url":null,"keywords":"coffee coffee-script embedded dsl domain-specific language","version":"0.0.5","words":"coffee-subscript integration between coffeescript and arbitrary dsl-s that compile to javascript =ngn coffee coffee-script embedded dsl domain-specific language","author":"=ngn","date":"2013-03-27 "},{"name":"coffee-sugar","description":"A library that extends native JavaScript / CoffeeScript.","url":null,"keywords":"library app coffeescript","version":"1.0.0","words":"coffee-sugar a library that extends native javascript / coffeescript. =zhanzhenzhen library app coffeescript","author":"=zhanzhenzhen","date":"2013-09-24 "},{"name":"coffee-sweetener","description":"Small utility component that you can use in your applications to ease the management of dependencies between objects. The idea is simple, you have a factory object (we'll call this the *injector*) where you define some mappings. Each mapping has a unique id that you define. From different modules you can query the *injector* to give you a new instance of a specific mapping. Within classes you can define depenecies which will be satisfied on creation of a new instance of that class.","url":null,"keywords":"coffeescript ioc dependency injection","version":"0.0.3","words":"coffee-sweetener small utility component that you can use in your applications to ease the management of dependencies between objects. the idea is simple, you have a factory object (we'll call this the *injector*) where you define some mappings. each mapping has a unique id that you define. from different modules you can query the *injector* to give you a new instance of a specific mapping. within classes you can define depenecies which will be satisfied on creation of a new instance of that class. =vizio360 coffeescript ioc dependency injection","author":"=vizio360","date":"2013-04-10 "},{"name":"coffee-tamper","keywords":"","version":[],"words":"coffee-tamper","author":"","date":"2014-05-28 "},{"name":"coffee-templates","description":"Fastest Minimalist CoffeeScript/JavaScript CoffeeCup/Handlebars/Mustache template engine.","url":null,"keywords":"html html5 markup template coffeecup mustache handlebars noengine fast fastest browser nodejs engine","version":"0.0.6","words":"coffee-templates fastest minimalist coffeescript/javascript coffeecup/handlebars/mustache template engine. =mikesmullin html html5 markup template coffeecup mustache handlebars noengine fast fastest browser nodejs engine","author":"=mikesmullin","date":"2013-01-13 "},{"name":"coffee-toaster","description":"Minimalist build system for CoffeeScript.","url":null,"keywords":"coffeescript build namespace tool","version":"0.6.13","words":"coffee-toaster minimalist build system for coffeescript. =arboleya coffeescript build namespace tool","author":"=arboleya","date":"2013-04-01 "},{"name":"coffee-toaster-api","description":"Minimalist build system for CoffeeScript based ExtendScripts.","url":null,"keywords":"coffeescript namespace build tool","version":"1.0.2","words":"coffee-toaster-api minimalist build system for coffeescript based extendscripts. =franklinkim coffeescript namespace build tool","author":"=franklinkim","date":"2014-02-20 "},{"name":"coffee-trace","description":"_makes debugging coffee-script easier by displaying corresponding lines of code in the stack-trace with style_","url":null,"keywords":"coffee-script sourcemaps coffee-trace debugging stack trace","version":"1.4.0","words":"coffee-trace _makes debugging coffee-script easier by displaying corresponding lines of code in the stack-trace with style_ =xenomuta coffee-script sourcemaps coffee-trace debugging stack trace","author":"=xenomuta","date":"2013-11-29 "},{"name":"coffee-type","url":null,"keywords":"","version":"0.0.0","words":"coffee-type =joaoafrmartins","author":"=joaoafrmartins","date":"2014-03-26 "},{"name":"coffee-utils","description":"Utils that can compile CoffeeScript to js while keeping the ALL of the original comments including single line comments","url":null,"keywords":"","version":"0.1.0","words":"coffee-utils utils that can compile coffeescript to js while keeping the all of the original comments including single line comments =softguy","author":"=softguy","date":"2013-09-12 "},{"name":"coffee-views","description":"An OOP extension to coffee-templates","url":null,"keywords":"coffee coffee-templates templates oop templates express","version":"5.3.0","words":"coffee-views an oop extension to coffee-templates =johngeorgewright coffee coffee-templates templates oop templates express","author":"=johngeorgewright","date":"2013-12-30 "},{"name":"coffee-views-pure","description":"A coffee-views extension to add YUI's pure functionality","url":null,"keywords":"coffee views pure","version":"0.1.0","words":"coffee-views-pure a coffee-views extension to add yui's pure functionality =johngeorgewright coffee views pure","author":"=johngeorgewright","date":"2013-06-17 "},{"name":"coffee-watcher","description":"A script that can watch a directory and recompile your .coffee scripts if they change","url":null,"keywords":"coffeescript reload watch recompile","version":"1.6.0","words":"coffee-watcher a script that can watch a directory and recompile your .coffee scripts if they change =amix coffeescript reload watch recompile","author":"=amix","date":"2014-02-09 "},{"name":"coffee-waterfall","url":null,"keywords":"","version":"0.0.1","words":"coffee-waterfall =joaoafrmartins","author":"=joaoafrmartins","date":"2014-03-26 "},{"name":"coffee-world","description":"Watches the current folder to compile CoffeeScript into CSS, HTML & JS","url":null,"keywords":"","version":"0.0.7","words":"coffee-world watches the current folder to compile coffeescript into css, html & js =khoomeister","author":"=khoomeister","date":"2011-06-05 "},{"name":"coffee2closure","description":"Fix CoffeeScript compiled output for Google Closure Compiler","url":null,"keywords":"Closure CoffeeScript Compiler Google gruntplugin","version":"0.1.7","words":"coffee2closure fix coffeescript compiled output for google closure compiler =steida closure coffeescript compiler google gruntplugin","author":"=steida","date":"2014-08-28 "},{"name":"coffee2js","description":"编译coffee为js","url":null,"keywords":"coffee2js jsparse","version":"0.1.3","words":"coffee2js 编译coffee为js =johnqing coffee2js jsparse","author":"=johnqing","date":"2014-03-06 "},{"name":"coffee2json","description":"coffee to json convertor","url":null,"keywords":"coffee-script json convertor","version":"0.1.0","words":"coffee2json coffee to json convertor =wlaurance coffee-script json convertor","author":"=wlaurance","date":"2013-06-03 "},{"name":"coffee2thrift","description":"ERROR: No README.md file found!","url":null,"keywords":"thrift coffee","version":"0.1.1","words":"coffee2thrift error: no readme.md file found! =runawaygo thrift coffee","author":"=runawaygo","date":"2013-12-06 "},{"name":"coffee418","description":"Browserify + Coffeeify + Uglify + Watchify","url":null,"keywords":"browserify coffeescript","version":"0.0.1","words":"coffee418 browserify + coffeeify + uglify + watchify =ukoloff browserify coffeescript","author":"=ukoloff","date":"2014-09-12 "},{"name":"coffee4clients","description":"Extends Express.js such that when a .coffee file is accessed through an express server the response is the compiled javascript instead of the source coffeescript","url":null,"keywords":"javascript coffeescript compile server expressjs","version":"0.2.2","words":"coffee4clients extends express.js such that when a .coffee file is accessed through an express server the response is the compiled javascript instead of the source coffeescript =balupton javascript coffeescript compile server expressjs","author":"=balupton","date":"2011-06-28 "},{"name":"coffee_classkit","description":"Utilities for coffee-script classes","url":null,"keywords":"coffee-script class classes inheritance","version":"0.5.0","words":"coffee_classkit utilities for coffee-script classes =printercu coffee-script class classes inheritance","author":"=printercu","date":"2013-10-21 "},{"name":"coffee_klout","description":"Klout API v2 wrapper, Coffee style.","url":null,"keywords":"klout coffee_klout api","version":"0.0.9","words":"coffee_klout klout api v2 wrapper, coffee style. =pierreliefauche klout coffee_klout api","author":"=pierreliefauche","date":"2012-09-26 "},{"name":"coffee_state_machine","description":"a finite state machine made in and for coffeescript (javascript)","url":null,"keywords":"","version":"0.3.2","words":"coffee_state_machine a finite state machine made in and for coffeescript (javascript) =spearwolf","author":"=spearwolf","date":"2014-09-01 "},{"name":"coffeeapp","description":"CoffeeApp wrapper (handling coffee-script) for CouchApp (http://couchapp.org/).","url":null,"keywords":"","version":"1.1.4","words":"coffeeapp coffeeapp wrapper (handling coffee-script) for couchapp (http://couchapp.org/). =andrzejsliwa","author":"=andrzejsliwa","date":"2011-01-28 "},{"name":"coffeeart","description":"Write CoffeeScript, get CSS. How awesome is that?","url":null,"keywords":"coffeescript css","version":"0.0.2","words":"coffeeart write coffeescript, get css. how awesome is that? =lightblade coffeescript css","author":"=lightblade","date":"2012-03-31 "},{"name":"coffeebar","description":"Simplified CoffeeScript build tool.","url":null,"keywords":"coffee coffeescript build compile minify literate sourcemap source map","version":"0.4.0","words":"coffeebar simplified coffeescript build tool. =cmoncrief coffee coffeescript build compile minify literate sourcemap source map","author":"=cmoncrief","date":"2014-03-07 "},{"name":"coffeebars","description":"Handlebars style microtemplating with coffeescript logic","url":null,"keywords":"coffeescript template handlebars","version":"0.2.4","words":"coffeebars handlebars style microtemplating with coffeescript logic =krisnye coffeescript template handlebars","author":"=krisnye","date":"2013-06-02 "},{"name":"coffeebarx","description":"Simplified CoffeeScript build tool, fork of coffeebar.","url":null,"keywords":"coffee coffeescript build compile minify literate sourcemap source map","version":"0.0.3","words":"coffeebarx simplified coffeescript build tool, fork of coffeebar. =csillag coffee coffeescript build compile minify literate sourcemap source map","author":"=csillag","date":"2013-09-04 "},{"name":"coffeeblog","description":"A simplified blogging engine built with coffeescript on top of nodejs.","url":null,"keywords":"","version":"0.0.0","words":"coffeeblog a simplified blogging engine built with coffeescript on top of nodejs. =jaitaiwan","author":"=jaitaiwan","date":"2012-11-21 "},{"name":"coffeebot","description":"Write cross-network chat bots in CoffeeScript","url":null,"keywords":"coffeescript chat irc","version":"0.1.0","words":"coffeebot write cross-network chat bots in coffeescript =myfreeweb coffeescript chat irc","author":"=myfreeweb","date":"2011-05-08 "},{"name":"coffeebreak","description":"Test runner for Mocha","url":null,"keywords":"coffee coffeebreak testrunner unittest mocha mochatest mochatestrunner","version":"0.2.0","words":"coffeebreak test runner for mocha =andi-oxidant coffee coffeebreak testrunner unittest mocha mochatest mochatestrunner","author":"=andi-oxidant","date":"2014-07-20 "},{"name":"coffeebreak-coverage","description":"Codecoverage plugin for CoffeeBreak","url":null,"keywords":"coffee-break coffeebreak coffeebreak-plugin coverage codecoverage istanbul","version":"0.0.1","words":"coffeebreak-coverage codecoverage plugin for coffeebreak =andi-oxidant coffee-break coffeebreak coffeebreak-plugin coverage codecoverage istanbul","author":"=andi-oxidant","date":"2014-07-20 "},{"name":"coffeebreak-expect-bundle","description":"Adds expect.js support to CoffeeBreak","url":null,"keywords":"coffeebreak expect expect.js","version":"0.0.1","words":"coffeebreak-expect-bundle adds expect.js support to coffeebreak =andi-oxidant coffeebreak expect expect.js","author":"=andi-oxidant","date":"2014-05-04 "},{"name":"coffeebreak-grunt-task","description":"Run grunt tasks with coffeebreak","url":null,"keywords":"","version":"0.0.1","words":"coffeebreak-grunt-task run grunt tasks with coffeebreak =andi-oxidant","author":"=andi-oxidant","date":"2014-07-20 "},{"name":"coffeebreak-mocha-runner","description":"Coffeebreak node.js test runner using mocha","url":null,"keywords":"coffeebreak-plugin test unittest testrunner mocha coffeebreak","version":"0.0.1","words":"coffeebreak-mocha-runner coffeebreak node.js test runner using mocha =andi-oxidant coffeebreak-plugin test unittest testrunner mocha coffeebreak","author":"=andi-oxidant","date":"2014-07-20 "},{"name":"coffeebreak-phantomjs-runner","description":"Runs phantomjs test with CoffeeBreak","url":null,"keywords":"coffeebreak-plugin test unittest testrunner mocha coffeebreak phantomjs","version":"0.0.1","words":"coffeebreak-phantomjs-runner runs phantomjs test with coffeebreak =andi-oxidant coffeebreak-plugin test unittest testrunner mocha coffeebreak phantomjs","author":"=andi-oxidant","date":"2014-07-20 "},{"name":"coffeebuild","description":"Javascript/Coffeescript preprocessor and build system","url":null,"keywords":"","version":"0.2.2","words":"coffeebuild javascript/coffeescript preprocessor and build system =mcasimir","author":"=mcasimir","date":"2013-07-09 "},{"name":"coffeecup","description":"Markup as CoffeeScript.","url":null,"keywords":"template view coffeescript","version":"0.3.21","words":"coffeecup markup as coffeescript. =gradus template view coffeescript","author":"=gradus","date":"2013-06-19 "},{"name":"coffeecup-helpers","description":"A coffeecup module of html helpers","url":null,"keywords":"","version":"0.1.1","words":"coffeecup-helpers a coffeecup module of html helpers =jackhq","author":"=jackhq","date":"2012-03-27 "},{"name":"coffeedate","description":"A date-formatting library for js/coffeescript","url":null,"keywords":"","version":"0.1.6","words":"coffeedate a date-formatting library for js/coffeescript =adambard","author":"=adambard","date":"2012-11-17 "},{"name":"coffeedoc","description":"An API documentation generator for CoffeeScript","url":null,"keywords":"documentation docs generator coffeescript","version":"0.3.1","words":"coffeedoc an api documentation generator for coffeescript =omarkhan documentation docs generator coffeescript","author":"=omarkhan","date":"2014-03-02 "},{"name":"coffeedoc-hub","description":"An API documentation generator for CoffeeScript, for use on GitHub wiki","keywords":"documentation docs generator coffeescript github wiki","version":[],"words":"coffeedoc-hub an api documentation generator for coffeescript, for use on github wiki =apgwoz documentation docs generator coffeescript github wiki","author":"=apgwoz","date":"2012-02-20 "},{"name":"coffeedoc-lm","description":"Fork of CoffeeDoc by Larry Maccherone - an API documentation generator for CoffeeScript","url":null,"keywords":"documentation docs generator coffeescript","version":"0.1.12","words":"coffeedoc-lm fork of coffeedoc by larry maccherone - an api documentation generator for coffeescript =lmaccherone documentation docs generator coffeescript","author":"=lmaccherone","date":"2012-03-30 "},{"name":"coffeedoctest","description":"Test your documentation (code examples in markdown-formatted block comments or README.md).","url":null,"keywords":"documentation docs test coffeescript doctest","version":"0.5.0","words":"coffeedoctest test your documentation (code examples in markdown-formatted block comments or readme.md). =lmaccherone documentation docs test coffeescript doctest","author":"=lmaccherone","date":"2013-03-06 "},{"name":"coffeedown","description":"CoffeeDown is a tool to help you document CoffeeScript","url":null,"keywords":"","version":"0.0.3","words":"coffeedown coffeedown is a tool to help you document coffeescript =kennydude","author":"=kennydude","date":"2014-09-10 "},{"name":"coffeefilter","description":"keep you app coffee free!","url":null,"keywords":"","version":"0.0.0","words":"coffeefilter keep you app coffee free! =gjohnson","author":"=gjohnson","date":"2013-12-27 "},{"name":"coffeegl","description":"WebGL Framework written in CoffeeScript","url":null,"keywords":"webgl design generative geometry physics math","version":"0.5.0","words":"coffeegl webgl framework written in coffeescript =oni webgl design generative geometry physics math","author":"=oni","date":"2014-05-27 "},{"name":"coffeegrinder","description":"Utilities for a CoffeeScript Project","url":null,"keywords":"javascript language coffeescript project utilities","version":"0.1.4","words":"coffeegrinder utilities for a coffeescript project =markbates javascript language coffeescript project utilities","author":"=markbates","date":"2011-08-17 "},{"name":"coffeegulp","description":"A tiny wrapper around Gulp to run your `gulpfile.coffee`.","url":null,"keywords":"gulp wrapper coffee coffee-script coffeescript","version":"0.0.4","words":"coffeegulp a tiny wrapper around gulp to run your `gulpfile.coffee`. =kislitsyn gulp wrapper coffee coffee-script coffeescript","author":"=kislitsyn","date":"2014-02-21 "},{"name":"coffeeify","description":"browserify v2 plugin for coffee-script with support for mixed .js and .coffee files","url":null,"keywords":"coffee-script browserify v2 js plugin transform","version":"0.7.0","words":"coffeeify browserify v2 plugin for coffee-script with support for mixed .js and .coffee files =substack =jnordberg coffee-script browserify v2 js plugin transform","author":"=substack =jnordberg","date":"2014-07-20 "},{"name":"coffeeify-redux","description":"browserify v2 plugin to compile coffee-script automatically using the coffee-script-redux compiler","url":null,"keywords":"coffee-script coffee-script-redux browserify v2 js plugin transform","version":"0.1.0","words":"coffeeify-redux browserify v2 plugin to compile coffee-script automatically using the coffee-script-redux compiler =thlorenz coffee-script coffee-script-redux browserify v2 js plugin transform","author":"=thlorenz","date":"2013-03-17 "},{"name":"coffeekiq","description":"Coffeescript/Node.js Library to enqueue jobs to the Sidekiq Queue.","url":null,"keywords":"sidekiq redis queue coffee script","version":"0.0.4","words":"coffeekiq coffeescript/node.js library to enqueue jobs to the sidekiq queue. =gambo sidekiq redis queue coffee script","author":"=gambo","date":"2013-12-17 "},{"name":"coffeekup","description":"Markup as CoffeeScript.","url":null,"keywords":"template view coffeescript","version":"0.3.0","words":"coffeekup markup as coffeescript. =mauricemach template view coffeescript","author":"=mauricemach","date":"2012-08-02 "},{"name":"coffeekup-filter","description":"coffeekup-filter","url":null,"keywords":"","version":"0.0.4","words":"coffeekup-filter coffeekup-filter =simple0812","author":"=simple0812","date":"2014-07-26 "},{"name":"coffeelint","description":"Lint your CoffeeScript","url":null,"keywords":"lint coffeescript coffee-script","version":"1.6.0","words":"coffeelint lint your coffeescript =clutchski =thomas.frossman =asaayers lint coffeescript coffee-script","author":"=clutchski =thomas.frossman =asaayers","date":"2014-08-30 "},{"name":"coffeelint-advanced-colon-assignment-spacing","description":"Validate a spacing left and right of a colon assignment","url":null,"keywords":"coffeelint coffeelintrule coffee-lint newline rule","version":"0.0.2","words":"coffeelint-advanced-colon-assignment-spacing validate a spacing left and right of a colon assignment =levi coffeelint coffeelintrule coffee-lint newline rule","author":"=levi","date":"2014-04-29 "},{"name":"coffeelint-brunch","description":"Adds CoffeeLint support to brunch.","url":null,"keywords":"","version":"1.7.0","words":"coffeelint-brunch adds coffeelint support to brunch. =ilkosta =es128","author":"=ilkosta =es128","date":"2014-04-15 "},{"name":"coffeelint-conditional-modifiers","description":"A CoffeeLint rule that checks for use of conditional modifiers.","url":null,"keywords":"coffeelint coffeelintrule","version":"0.0.1","words":"coffeelint-conditional-modifiers a coffeelint rule that checks for use of conditional modifiers. =koronen coffeelint coffeelintrule","author":"=koronen","date":"2014-06-23 "},{"name":"coffeelint-forbidden-keywords","description":"A CoffeeLint rule that forbids specified keywords","url":null,"keywords":"coffeelint coffeelintrule coffee-lint rule","version":"0.0.4","words":"coffeelint-forbidden-keywords a coffeelint rule that forbids specified keywords =saifelse coffeelint coffeelintrule coffee-lint rule","author":"=saifelse","date":"2014-06-16 "},{"name":"coffeelint-jasmine","description":"linting to prevent you from commiting jasmine helpers like iit","url":null,"keywords":"coffeelint coffeelintrule jasmine coffeescript","version":"0.0.2","words":"coffeelint-jasmine linting to prevent you from commiting jasmine helpers like iit =scottschulthess coffeelint coffeelintrule jasmine coffeescript","author":"=scottschulthess","date":"2014-07-01 "},{"name":"coffeelint-min-colon-spacing","description":"Validate a minimum spacing left and right of a colon assignment","url":null,"keywords":"coffeelint coffeelintrule coffee-lint newline rule","version":"0.1.0","words":"coffeelint-min-colon-spacing validate a minimum spacing left and right of a colon assignment =therold coffeelint coffeelintrule coffee-lint newline rule","author":"=therold","date":"2014-03-12 "},{"name":"coffeelint-newline-after-function","description":"Validate a newline policy after function definitiions","url":null,"keywords":"coffeelint coffeelintrule coffee-lint newline rule","version":"0.1.1","words":"coffeelint-newline-after-function validate a newline policy after function definitiions =therold coffeelint coffeelintrule coffee-lint newline rule","author":"=therold","date":"2014-03-11 "},{"name":"coffeelint-newline-at-eof","description":"Validate a newline policy at the end of each file","url":null,"keywords":"coffeelint coffeelintrule coffee-lint newline rule eof","version":"0.4.1","words":"coffeelint-newline-at-eof validate a newline policy at the end of each file =dreamscapes coffeelint coffeelintrule coffee-lint newline rule eof","author":"=dreamscapes","date":"2014-05-06 "},{"name":"coffeelint-no-implicit-returns","description":"Checks for explicit returns in multi-line functions","url":null,"keywords":"coffeelint coffeelintrule coffee-lint newline rule","version":"0.0.4","words":"coffeelint-no-implicit-returns checks for explicit returns in multi-line functions =saifelse coffeelint coffeelintrule coffee-lint newline rule","author":"=saifelse","date":"2014-05-30 "},{"name":"coffeelint-prefer-english-operator","description":"A custom coffeelint rule to prefer english style operators","url":null,"keywords":"coffeelint lint coffeelintrule english-operator","version":"0.1.0","words":"coffeelint-prefer-english-operator a custom coffeelint rule to prefer english style operators =parakeety coffeelint lint coffeelintrule english-operator","author":"=parakeety","date":"2014-08-15 "},{"name":"coffeelint-stylish","description":"Stylish reporter for CoffeeLint","url":null,"keywords":"reporter validate stylish elegant pretty lint coffee coffeelint coffeescript coffee-script codeconventions","version":"0.1.1","words":"coffeelint-stylish stylish reporter for coffeelint =janraasch reporter validate stylish elegant pretty lint coffee coffeelint coffeescript coffee-script codeconventions","author":"=janraasch","date":"2014-08-23 "},{"name":"coffeelint-template-variable","keywords":"","version":[],"words":"coffeelint-template-variable","author":"","date":"2014-04-30 "},{"name":"coffeelint-use-strict","description":"A CoffeeLint rule that enforces usage of strict mode","url":null,"keywords":"coffee coffeescript coffeelint rule usestrict use strict 'use strict' \"use strict\" coffeelintrule coffeelintmodule coffeelint-rule coffeelint-module codeconventions","version":"0.0.1","words":"coffeelint-use-strict a coffeelint rule that enforces usage of strict mode =janraasch coffee coffeescript coffeelint rule usestrict use strict 'use strict' \"use strict\" coffeelintrule coffeelintmodule coffeelint-rule coffeelint-module codeconventions","author":"=janraasch","date":"2014-01-21 "},{"name":"coffeelint-variable-scope","description":"CoffeeLint rule that warn you when you accidentally overwrite outer scope variable","url":null,"keywords":"coffeelint coffeelintrule coffeescript scope shadowing coffee","version":"0.0.1","words":"coffeelint-variable-scope coffeelint rule that warn you when you accidentally overwrite outer scope variable =fragphace coffeelint coffeelintrule coffeescript scope shadowing coffee","author":"=fragphace","date":"2014-01-21 "},{"name":"coffeemake","description":"Coffeescript-augmented make tool","url":null,"keywords":"make coffeescript build","version":"0.2.2","words":"coffeemake coffeescript-augmented make tool =rev22 make coffeescript build","author":"=rev22","date":"2014-09-04 "},{"name":"coffeemaker","description":"Build tools for coffeesript node.js apps","url":null,"keywords":"build tools watch file compile specs coffeescript","version":"0.1.0","words":"coffeemaker build tools for coffeesript node.js apps =petrjanda build tools watch file compile specs coffeescript","author":"=petrjanda","date":"2011-03-26 "},{"name":"coffeemapper","description":"coffeemapper ============","url":null,"keywords":"","version":"0.0.2","words":"coffeemapper coffeemapper ============ =azerothian","author":"=azerothian","date":"2014-07-24 "},{"name":"coffeemate","description":"the coffee creamer!","url":null,"keywords":"","version":"0.5.1","words":"coffeemate the coffee creamer! =coffeemate","author":"=coffeemate","date":"2011-11-10 "},{"name":"coffeemiddle","description":"coffee-middleware like less-middleware","url":null,"keywords":"coffeescript middleware express connect","version":"0.0.2","words":"coffeemiddle coffee-middleware like less-middleware =jeremial coffeescript middleware express connect","author":"=jeremial","date":"2014-01-02 "},{"name":"coffeemill","description":"CoffeeScript packager","url":null,"keywords":"","version":"0.8.4","words":"coffeemill coffeescript packager =minodisk","author":"=minodisk","date":"2014-02-04 "},{"name":"coffeemint","description":"A framework for developing web, mobile and backend apps and systems in JavaScript & CoffeeScript","url":null,"keywords":"CoffeeScript backend server web mobile node","version":"0.5.1","words":"coffeemint a framework for developing web, mobile and backend apps and systems in javascript & coffeescript =yanzhengli coffeescript backend server web mobile node","author":"=yanzhengli","date":"2014-05-28 "},{"name":"coffeemugg","description":"HTML templating with CoffeeScript.","url":null,"keywords":"template view coffeescript coffeekup","version":"0.0.8","words":"coffeemugg html templating with coffeescript. =jaekwon template view coffeescript coffeekup","author":"=jaekwon","date":"2013-04-16 "},{"name":"COFFEENODE","description":"An Application Basework written in CoffeeScript and CoffeeMatic","url":null,"keywords":"signals","version":"0.1.1","words":"coffeenode an application basework written in coffeescript and coffeematic =loveencounterflow signals","author":"=loveencounterflow","date":"2013-04-21 "},{"name":"coffeenode-bitsnpieces","description":"Bits and Pieces","url":null,"keywords":"","version":"0.0.23","words":"coffeenode-bitsnpieces bits and pieces =loveencounterflow","author":"=loveencounterflow","date":"2014-05-23 "},{"name":"coffeenode-bsearch","description":"Binary search for JavaScript; includes equality and proximity search methods","url":null,"keywords":"","version":"0.1.5","words":"coffeenode-bsearch binary search for javascript; includes equality and proximity search methods =loveencounterflow","author":"=loveencounterflow","date":"2014-04-27 "},{"name":"coffeenode-chr","description":"A UCS-2-aware library for the representation & transformation of Unicode characters & codepoints.","url":null,"keywords":"","version":"0.1.3","words":"coffeenode-chr a ucs-2-aware library for the representation & transformation of unicode characters & codepoints. =loveencounterflow","author":"=loveencounterflow","date":"2014-08-22 "},{"name":"coffeenode-diff","description":"easy color-coded diffs, using google's diff/match/patch","url":null,"keywords":"diff match patch javascript coffeescript","version":"0.1.5","words":"coffeenode-diff easy color-coded diffs, using google's diff/match/patch =loveencounterflow diff match patch javascript coffeescript","author":"=loveencounterflow","date":"2014-08-21 "},{"name":"coffeenode-fillin","description":"String Interpolation library; also contains methods to fill in key/value pairs of objects and to iterate over nested facets","url":null,"keywords":"string interpolation options templating","version":"0.1.7","words":"coffeenode-fillin string interpolation library; also contains methods to fill in key/value pairs of objects and to iterate over nested facets =loveencounterflow string interpolation options templating","author":"=loveencounterflow","date":"2014-04-21 "},{"name":"coffeenode-fs","description":"Filesystem routines, akin to NodeJS 'fs'","url":null,"keywords":"filesystem","version":"0.1.2","words":"coffeenode-fs filesystem routines, akin to nodejs 'fs' =loveencounterflow filesystem","author":"=loveencounterflow","date":"2014-04-08 "},{"name":"coffeenode-limit","description":"A generic limiter library; includes basic client identity handling","url":null,"keywords":"","version":"0.0.7","words":"coffeenode-limit a generic limiter library; includes basic client identity handling =loveencounterflow","author":"=loveencounterflow","date":"2013-11-15 "},{"name":"coffeenode-monitor","description":"coffeenode-monitor ==================","url":null,"keywords":"coffeescript web server monitor restart","version":"0.0.4","words":"coffeenode-monitor coffeenode-monitor ================== =loveencounterflow coffeescript web server monitor restart","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"coffeenode-multimix","description":"Classes and prototypes are sooooo 1990s. Mixins FTW!","url":null,"keywords":"","version":"0.1.3","words":"coffeenode-multimix classes and prototypes are sooooo 1990s. mixins ftw! =loveencounterflow","author":"=loveencounterflow","date":"2014-01-21 "},{"name":"coffeenode-options","description":"An options manager","url":null,"keywords":"","version":"0.0.7","words":"coffeenode-options an options manager =loveencounterflow","author":"=loveencounterflow","date":"2014-05-23 "},{"name":"coffeenode-packrattle","description":"GLL parser-combinator library","url":null,"keywords":"parser packrat gll coffee-script","version":"3.0.1","words":"coffeenode-packrattle gll parser-combinator library =loveencounterflow parser packrat gll coffee-script","author":"=loveencounterflow","date":"2014-05-10 "},{"name":"coffeenode-passphrase","description":"Passphrase generator for NodeJS","url":null,"keywords":"","version":"0.1.7","words":"coffeenode-passphrase passphrase generator for nodejs =loveencounterflow","author":"=loveencounterflow","date":"2014-05-05 "},{"name":"coffeenode-rss","description":"RSS XML-blahfoo to liteweight JSON / HTML converter middleware","url":null,"keywords":"","version":"0.0.8","words":"coffeenode-rss rss xml-blahfoo to liteweight json / html converter middleware =loveencounterflow","author":"=loveencounterflow","date":"2014-04-11 "},{"name":"coffeenode-solr","description":"A minimal Solr distro + HTPP / JSON API for building Lucene document stores","url":null,"keywords":"solr lucene coffeenode coffeescript","version":"0.0.1","words":"coffeenode-solr a minimal solr distro + htpp / json api for building lucene document stores =loveencounterflow solr lucene coffeenode coffeescript","author":"=loveencounterflow","date":"2013-09-01 "},{"name":"coffeenode-stacktrace","description":"Better stacktraces. Colors! Long stacktraces! File contents!","url":null,"keywords":"coffee-script stacktrace nodejs","version":"0.0.5","words":"coffeenode-stacktrace better stacktraces. colors! long stacktraces! file contents! =loveencounterflow coffee-script stacktrace nodejs","author":"=loveencounterflow","date":"2013-05-05 "},{"name":"coffeenode-step","description":"chainable stepping through sequences made easy","url":null,"keywords":"step iteration","version":"0.1.1","words":"coffeenode-step chainable stepping through sequences made easy =loveencounterflow step iteration","author":"=loveencounterflow","date":"2014-06-24 "},{"name":"coffeenode-suspend","description":"Generator-based control flow library designed to work seamlessly with Node's callback conventions.","url":null,"keywords":"","version":"0.1.4","words":"coffeenode-suspend generator-based control flow library designed to work seamlessly with node's callback conventions. =loveencounterflow","author":"=loveencounterflow","date":"2014-03-23 "},{"name":"coffeenode-tagtool","description":"A simple in-memory tagging library","url":null,"keywords":"coffescript tagging tags tag","version":"0.0.12","words":"coffeenode-tagtool a simple in-memory tagging library =loveencounterflow coffescript tagging tags tag","author":"=loveencounterflow","date":"2013-11-15 "},{"name":"coffeenode-teacup","description":"Teacup templates (https://github.com/goodeggs/teacup) extended","url":null,"keywords":"","version":"0.0.17","words":"coffeenode-teacup teacup templates (https://github.com/goodeggs/teacup) extended =loveencounterflow","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"coffeenode-text","description":"Text (string) processing stuff","url":null,"keywords":"","version":"0.1.8","words":"coffeenode-text text (string) processing stuff =loveencounterflow","author":"=loveencounterflow","date":"2014-08-21 "},{"name":"coffeenode-tides","description":"CoffeeNode Tides is a (Xe)(La)TeX source generator to produce typographically appealing and moderately complex tidal calendars. I started this project a while ago for fun, so it's not fully usable as yet, but maybe someone can make use of it.","url":null,"keywords":"","version":"0.0.2","words":"coffeenode-tides coffeenode tides is a (xe)(la)tex source generator to produce typographically appealing and moderately complex tidal calendars. i started this project a while ago for fun, so it's not fully usable as yet, but maybe someone can make use of it. =loveencounterflow","author":"=loveencounterflow","date":"2014-03-24 "},{"name":"coffeenode-trm","description":"Let a Hundred Colors Glow.","url":null,"keywords":"","version":"0.1.20","words":"coffeenode-trm let a hundred colors glow. =loveencounterflow","author":"=loveencounterflow","date":"2014-08-07 "},{"name":"coffeenode-types","description":"Sane JavaScript Types FTW ","url":null,"keywords":"javascript coffeescript types datatypes","version":"0.1.1","words":"coffeenode-types sane javascript types ftw =loveencounterflow javascript coffeescript types datatypes","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"coffeenode-userdb","description":"ERROR: No README data found!","url":null,"keywords":"","version":"0.0.10","words":"coffeenode-userdb error: no readme data found! =loveencounterflow","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"coffeenode-zxcvbn","description":"realistic password strength estimation","url":null,"keywords":"realistic password strength estimation estimate meter validate validation","version":"1.0.1","words":"coffeenode-zxcvbn realistic password strength estimation =loveencounterflow realistic password strength estimation estimate meter validate validation","author":"=loveencounterflow","date":"2014-03-22 "},{"name":"coffeepack","description":"An implementation of the MessagePack serialization format in pure CoffeeScript for Node.js and the browser.","url":null,"keywords":"msgpack messagepack","version":"0.2.2","words":"coffeepack an implementation of the messagepack serialization format in pure coffeescript for node.js and the browser. =devongovett msgpack messagepack","author":"=devongovett","date":"2011-11-09 "},{"name":"coffeepot","description":"Connect/Express middleware to dynamically serve coffee files as js","url":null,"keywords":"","version":"0.0.0","words":"coffeepot connect/express middleware to dynamically serve coffee files as js =seanhess","author":"=seanhess","date":"2012-06-27 "},{"name":"coffeepress","description":"helps combine multiple (coffee|java)script files into a single file","url":null,"keywords":"coffeescript asset packager","version":"0.0.0","words":"coffeepress helps combine multiple (coffee|java)script files into a single file =tgriesser coffeescript asset packager","author":"=tgriesser","date":"2012-08-14 "},{"name":"coffeeq","description":"Redis backed node.js queue implemented in CoffeeScript","url":null,"keywords":"redis queue coffee script coffeeq","version":"0.0.10","words":"coffeeq redis backed node.js queue implemented in coffeescript =pcrawfor redis queue coffee script coffeeq","author":"=pcrawfor","date":"2014-01-27 "},{"name":"coffeerize","description":"Coffeerize a folder. Convert a javascript folder to a coffeescript folder.","url":null,"keywords":"","version":"0.0.8","words":"coffeerize coffeerize a folder. convert a javascript folder to a coffeescript folder. =steerapi","author":"=steerapi","date":"2011-11-10 "},{"name":"coffeescript","url":null,"keywords":"","version":"99.999.99999","words":"coffeescript =isaacs","author":"=isaacs","date":"2014-03-02 "},{"name":"coffeescript-compiler","description":"Compile CoffeeScript code from JavaScript.","url":null,"keywords":"coffeescript compile coffee script","version":"0.1.1","words":"coffeescript-compiler compile coffeescript code from javascript. =kenpowers coffeescript compile coffee script","author":"=kenpowers","date":"2013-11-08 "},{"name":"coffeescript-concat","description":"A utility for combining coffeescript files and resolving their dependencies.","url":null,"keywords":"","version":"1.0.9","words":"coffeescript-concat a utility for combining coffeescript files and resolving their dependencies. =fairfieldt","author":"=fairfieldt","date":"2014-08-07 "},{"name":"coffeescript-detector","description":"detect if javascript was prepared with coffeescript","url":null,"keywords":"coffeescript detector","version":"0.0.1","words":"coffeescript-detector detect if javascript was prepared with coffeescript =wlaurance coffeescript detector","author":"=wlaurance","date":"2014-02-11 "},{"name":"coffeescript-growl","description":"Growl notifications for the CoffeeScript Compiler","url":null,"keywords":"coffeescript growl notifications","version":"0.1.3","words":"coffeescript-growl growl notifications for the coffeescript compiler =wesbos coffeescript growl notifications","author":"=wesbos","date":"2012-03-24 "},{"name":"coffeescript-mixins","description":"easy to use mixins with CoffeeScript","url":null,"keywords":"coffeescript mixins","version":"0.0.4","words":"coffeescript-mixins easy to use mixins with coffeescript =caleb_io coffeescript mixins","author":"=caleb_io","date":"2013-09-04 "},{"name":"coffeescript-module","description":"A base class for your Coffeescript projects","url":null,"keywords":"","version":"0.2.1","words":"coffeescript-module a base class for your coffeescript projects =meltingice","author":"=meltingice","date":"2014-05-10 "},{"name":"coffeescript-notify","description":"Coffee-Script notify tool for coffee based on the coffeescript-growl tool","url":null,"keywords":"coffeescript notify-send notifications ubuntu","version":"0.1.2","words":"coffeescript-notify coffee-script notify tool for coffee based on the coffeescript-growl tool =bdryanovski coffeescript notify-send notifications ubuntu","author":"=bdryanovski","date":"2012-08-12 "},{"name":"coffeescript-passport-boilerplate","description":"A demo app written in coffeescript, run on nodejs illustrating the use of passport in express, jade and mongoose environment","url":null,"keywords":"coffeescript passport mvc mongoose boilerplate","version":"0.1.0","words":"coffeescript-passport-boilerplate a demo app written in coffeescript, run on nodejs illustrating the use of passport in express, jade and mongoose environment =yi coffeescript passport mvc mongoose boilerplate","author":"=yi","date":"2013-11-20 "},{"name":"coffeescript-rehab","description":"Rehab helps you deal with your coffeescript dependencies!","url":null,"keywords":"","version":"0.3.6","words":"coffeescript-rehab rehab helps you deal with your coffeescript dependencies! =zombiehippie","author":"=zombiehippie","date":"2014-02-13 "},{"name":"coffeescript_compiler_tools","description":"Collection of useful helper methods for compiling CoffeeScript source code into executable JavaScript.","url":null,"keywords":"","version":"0.1.1","words":"coffeescript_compiler_tools collection of useful helper methods for compiling coffeescript source code into executable javascript. =kevingoslar","author":"=kevingoslar","date":"2013-02-01 "},{"name":"coffeeserve","description":"CoffeeServe","url":null,"keywords":"","version":"0.0.1","words":"coffeeserve coffeeserve =mrmakeit","author":"=mrmakeit","date":"2014-01-11 "},{"name":"coffeesh","description":"CoffeeScript Shell","url":null,"keywords":"coffeescript shell","version":"1.0.0","words":"coffeesh coffeescript shell =markdube coffeescript shell","author":"=markdube","date":"2012-02-11 "},{"name":"coffeeshop","description":"CoffeeShop full stack.. just got better.","url":null,"keywords":"","version":"0.2.4","words":"coffeeshop coffeeshop full stack.. just got better. =daxxog","author":"=daxxog","date":"2013-05-29 "},{"name":"coffeeson","description":"Like json, but with coffee script","url":null,"keywords":"javascript coffeescript json coffeeson","version":"0.1.0","words":"coffeeson like json, but with coffee script =squeegy javascript coffeescript json coffeeson","author":"=squeegy","date":"2012-01-13 "},{"name":"coffeestack","description":"CoffeeScript stack trace converter","url":null,"keywords":"CoffeeScript JavaScript stack stacktrace trace source maps","version":"0.7.0","words":"coffeestack coffeescript stack trace converter =kevinsawicki coffeescript javascript stack stacktrace trace source maps","author":"=kevinsawicki","date":"2014-01-31 "},{"name":"coffeestand","description":"A recursive CoffeeScript watcher also aware of newly added files.","url":null,"keywords":"coffeescript watcher coffeelint compiler recursive docco","version":"0.0.4","words":"coffeestand a recursive coffeescript watcher also aware of newly added files. =tomoio coffeescript watcher coffeelint compiler recursive docco","author":"=tomoio","date":"2012-10-22 "},{"name":"coffeestructures","description":"CoffeeScript Data Structures","url":null,"keywords":"data-structures structures coffeescript set sortedset","version":"0.0.1","words":"coffeestructures coffeescript data structures =freefrancisco data-structures structures coffeescript set sortedset","author":"=freefrancisco","date":"2013-07-26 "},{"name":"coffeesurgeon","description":"Static {analysis,slicing,dicing} of your .coffee","url":null,"keywords":"","version":"0.0.3","words":"coffeesurgeon static {analysis,slicing,dicing} of your .coffee =andrewschaaf","author":"=andrewschaaf","date":"2011-11-03 "},{"name":"coffeetalk","description":"a smalltalk esque class browser for coffeescript","url":null,"keywords":"coffeescript smalltalk IDE","version":"0.1.0","words":"coffeetalk a smalltalk esque class browser for coffeescript =shaunxcode coffeescript smalltalk ide","author":"=shaunxcode","date":"2012-06-14 "},{"name":"coffeete","description":"Simple templating with coffee-script string interpolation.","url":null,"keywords":"coffee-script template","version":"0.0.4","words":"coffeete simple templating with coffee-script string interpolation. =icetan coffee-script template","author":"=icetan","date":"2012-08-15 "},{"name":"coffer","description":"Integrated Components","url":null,"keywords":"","version":"0.0.32","words":"coffer integrated components =gdotdesign","author":"=gdotdesign","date":"2013-12-23 "},{"name":"coffess","description":"write JavaScript/Coffeescript, CSS/LESS/SASS in a jch file and the program will automatically compile them to target files","url":null,"keywords":"CoffeeScript LESS SASS autocompile","version":"0.0.3","words":"coffess write javascript/coffeescript, css/less/sass in a jch file and the program will automatically compile them to target files =wangyu0248 coffeescript less sass autocompile","author":"=wangyu0248","date":"2013-11-26 "},{"name":"coffiew","description":"HTML markup written in CoffeeScript.","url":null,"keywords":"coffee view coffiew markup template view coffeescript","version":"0.0.5","words":"coffiew html markup written in coffeescript. =andyzhau coffee view coffiew markup template view coffeescript","author":"=andyzhau","date":"2013-10-30 "},{"name":"coffin","description":"Coffee dsl for aws cloudformation","url":null,"keywords":"coffeescript coffee-script aws cloudformation","version":"0.2.3","words":"coffin coffee dsl for aws cloudformation =chrisfjones coffeescript coffee-script aws cloudformation","author":"=chrisfjones","date":"2013-05-12 "},{"name":"coffy-script","description":"CoffeeScript with a Y.","url":null,"keywords":"javascript language coffeescript coffyscript transpiler compiler asynchronous control flow yield generators","version":"11.6.3","words":"coffy-script coffeescript with a y. =loveencounterflow javascript language coffeescript coffyscript transpiler compiler asynchronous control flow yield generators","author":"=loveencounterflow","date":"2013-11-23 "},{"name":"cofmon","description":"coffee-script shell for mongodb","url":null,"keywords":"","version":"0.0.10","words":"cofmon coffee-script shell for mongodb =rbrcurtis","author":"=rbrcurtis","date":"2014-06-10 "},{"name":"cofy","description":"cofy is utility for convert you object or function in co style..","url":null,"keywords":"cofy co async flow generator coro coroutine","version":"0.1.1","words":"cofy cofy is utility for convert you object or function in co style.. =rocksonzeta cofy co async flow generator coro coroutine","author":"=rocksonzeta","date":"2014-08-23 "},{"name":"cog","description":"Cherry pickable JS functions","url":null,"keywords":"browserify utility cherrypick","version":"1.0.0","words":"cog cherry pickable js functions =damonoehlman browserify utility cherrypick","author":"=damonoehlman","date":"2014-06-27 "},{"name":"cogent","description":"Simpler HTTP requests using co","url":null,"keywords":"","version":"1.0.0","words":"cogent simpler http requests using co =jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","author":"=jongleberry =eivifj =fengmk2 =tjholowaychuk =dead_horse =coderhaoxin","date":"2014-08-15 "},{"name":"coggle","description":"Library for accessing the Coggle API","url":null,"keywords":"coggle api","version":"0.1.6","words":"coggle library for accessing the coggle api =autopulated coggle api","author":"=autopulated","date":"2014-07-29 "},{"name":"coggle-issue-importer","description":"Import Github Issues into Coggle, using the Coggle and Github APIs","url":null,"keywords":"coggle github issues","version":"0.0.1","words":"coggle-issue-importer import github issues into coggle, using the coggle and github apis =autopulated coggle github issues","author":"=autopulated","date":"2014-07-20 "},{"name":"coggle-opml-importer","description":"Web app providing OPML file import into Coggle, using the Coggle API.","url":null,"keywords":"coggle opml","version":"0.0.2","words":"coggle-opml-importer web app providing opml file import into coggle, using the coggle api. =autopulated coggle opml","author":"=autopulated","date":"2014-07-24 "},{"name":"cognate","description":"Replace MS word special characters with ASCII cognates","url":null,"keywords":"encoding word msword character cognate","version":"0.1.2","words":"cognate replace ms word special characters with ascii cognates =prama encoding word msword character cognate","author":"=prama","date":"2014-03-13 "},{"name":"cognilab-bundler","description":"a port of component-bundle which allows standalone in JSON","url":null,"keywords":"","version":"0.1.8","words":"cognilab-bundler a port of component-bundle which allows standalone in json =matchdav","author":"=matchdav","date":"2014-05-15 "},{"name":"cogs","description":"[![Build Status](https://secure.travis-ci.org/caseywebdev/cogs.png)](http://travis-ci.org/caseywebdev/cogs)","url":null,"keywords":"","version":"0.25.4","words":"cogs [![build status](https://secure.travis-ci.org/caseywebdev/cogs.png)](http://travis-ci.org/caseywebdev/cogs) =caseywebdev","author":"=caseywebdev","date":"2014-08-25 "},{"name":"cogstep","description":"a command-line tool for peer-to-peer personal data archiving, synchronization, and accessibility.","url":null,"keywords":"","version":"0.0.7","words":"cogstep a command-line tool for peer-to-peer personal data archiving, synchronization, and accessibility. =bcronin","author":"=bcronin","date":"2013-09-18 "},{"name":"cohesion","description":"Elegant process clustering.","url":null,"keywords":"","version":"0.2.0","words":"cohesion elegant process clustering. =jakeluer","author":"=jakeluer","date":"2013-01-25 "},{"name":"cohesive","description":"Helpful tools for interfacing with the cohesive.io developer and hosting environments","url":null,"keywords":"cohesive.io cohesive","version":"0.3.0-beta","words":"cohesive helpful tools for interfacing with the cohesive.io developer and hosting environments =markuskobler cohesive.io cohesive","author":"=markuskobler","date":"2014-01-15 "},{"name":"cohesive-js","description":"Fast, Functional and Modular JavaScript library designed for a modern web.","url":null,"keywords":"cohesive cohesive.io closure es6","version":"0.5.0","words":"cohesive-js fast, functional and modular javascript library designed for a modern web. =markuskobler cohesive cohesive.io closure es6","author":"=markuskobler","date":"2014-03-20 "},{"name":"cohort","description":"simple build system","url":null,"keywords":"","version":"0.9.6","words":"cohort simple build system =kalisjoshua","author":"=kalisjoshua","date":"2013-02-16 "},{"name":"coiba","description":"a client-side javascript framework","url":null,"keywords":"","version":"0.0.1","words":"coiba a client-side javascript framework =justinsoliz","author":"=justinsoliz","date":"2014-04-23 "},{"name":"coigres-colors","description":"`npm install -g coigres-colors`","url":null,"keywords":"colors function hero","version":"2.0.15","words":"coigres-colors `npm install -g coigres-colors` =rupertqin colors function hero","author":"=rupertqin","date":"2014-02-22 "},{"name":"coil","description":"flow controll module","url":null,"keywords":"async parallel flow stack coil","version":"0.0.2","words":"coil flow controll module =nazomikan async parallel flow stack coil","author":"=nazomikan","date":"2013-06-09 "},{"name":"coim_node","description":"COIMOTION SDK for node.js","url":null,"keywords":"","version":"0.1.1","words":"coim_node coimotion sdk for node.js =coimotion","author":"=coimotion","date":"2014-08-14 "},{"name":"coin","description":"the price board for all kind of coins","url":null,"keywords":"coin","version":"0.0.1","words":"coin the price board for all kind of coins =turing coin","author":"=turing","date":"2013-11-28 "},{"name":"coin-allocator","description":"Tool to automatically rebalance various cryptoins via the cryptsy API","url":null,"keywords":"","version":"0.10.0","words":"coin-allocator tool to automatically rebalance various cryptoins via the cryptsy api =nfriedly","author":"=nfriedly","date":"2014-05-16 "},{"name":"coin-base","description":"A simple wrapper for coinbase's api.","url":null,"keywords":"","version":"0.0.3","words":"coin-base a simple wrapper for coinbase's api. =chapinkapa","author":"=chapinkapa","date":"2014-07-20 "},{"name":"coin-math","description":"Simple functions to convert between the Floating-point and the \"Satoshi\" integer values (monetary amounts).","url":null,"keywords":"bitcoin litecoin coin coins math satoshi cryptocurrency crypto-currency","version":"0.0.1","words":"coin-math simple functions to convert between the floating-point and the \"satoshi\" integer values (monetary amounts). =ypocat bitcoin litecoin coin coins math satoshi cryptocurrency crypto-currency","author":"=ypocat","date":"2014-04-17 "},{"name":"coin0base","description":"A simple wrapper for coinbase's api.","url":null,"keywords":"","version":"0.0.2","words":"coin0base a simple wrapper for coinbase's api. =chapinkapa","author":"=chapinkapa","date":"2014-07-20 "},{"name":"coinage","description":"CoinAge (micro board game) engine","url":null,"keywords":"board game coinage","version":"0.1.1","words":"coinage coinage (micro board game) engine =sergeylukin board game coinage","author":"=sergeylukin","date":"2014-08-05 "},{"name":"coinapi","description":"CoinAPI is a node.js module for communicating with bitcoin and altcoin service providers. It provides a common API for interacting with various providers. Both request and response objects are normalized into a standard format for easy consumption.","url":null,"keywords":"","version":"0.1.1","words":"coinapi coinapi is a node.js module for communicating with bitcoin and altcoin service providers. it provides a common api for interacting with various providers. both request and response objects are normalized into a standard format for easy consumption. =tauren","author":"=tauren","date":"2014-03-17 "},{"name":"coinbase","description":"wrapper for the coinbase bitcoin wallet & exchange API","url":null,"keywords":"coinbase bitcoin wallet","version":"0.1.3","words":"coinbase wrapper for the coinbase bitcoin wallet & exchange api =mateodelnorte coinbase bitcoin wallet","author":"=mateodelnorte","date":"2014-08-21 "},{"name":"coinbase-api","description":"Coinbase API","url":null,"keywords":"bitcoin coinbase","version":"0.2.1","words":"coinbase-api coinbase api =emiliote bitcoin coinbase","author":"=emiliote","date":"2014-09-10 "},{"name":"coinbase-auth","description":"Coinbase API","url":null,"keywords":"","version":"0.0.5","words":"coinbase-auth coinbase api =tmlbl","author":"=tmlbl","date":"2014-03-19 "},{"name":"coinbase-node","description":"Coinbase Bitcoin payment library for Node.js","url":null,"keywords":"bitcoin coinbase api client","version":"0.0.5","words":"coinbase-node coinbase bitcoin payment library for node.js =stevenzeiler bitcoin coinbase api client","author":"=stevenzeiler","date":"2014-01-20 "},{"name":"coinbase-service","description":"Wrapper for the coinbase bitcoin wallet & exchange API","url":null,"keywords":"coinbase bitcoin wallet","version":"0.0.2","words":"coinbase-service wrapper for the coinbase bitcoin wallet & exchange api =alejonext coinbase bitcoin wallet","author":"=alejonext","date":"2013-10-16 "},{"name":"coinchat-client","description":"The coinchat-client is a framework aiding to help writing automated clients for coinchat.org.","url":null,"keywords":"coinchat bot client framework","version":"0.0.4","words":"coinchat-client the coinchat-client is a framework aiding to help writing automated clients for coinchat.org. =sargodarya coinchat bot client framework","author":"=sargodarya","date":"2013-09-10 "},{"name":"coincide","keywords":"","version":[],"words":"coincide","author":"","date":"2014-04-05 "},{"name":"coincident","keywords":"","version":[],"words":"coincident","author":"","date":"2014-04-05 "},{"name":"coind-client","description":"JSON-RPC client for crypto-currency bitcoind-based daemons. Adheres to Node.js/JavaScript callback/control-flow conventions/style.","url":null,"keywords":"bitcoin litecoin bitcoind litecoind altcoin altcoind rpc json-rpc client cryptocurrency crypto-currency","version":"0.0.1","words":"coind-client json-rpc client for crypto-currency bitcoind-based daemons. adheres to node.js/javascript callback/control-flow conventions/style. =ypocat bitcoin litecoin bitcoind litecoind altcoin altcoind rpc json-rpc client cryptocurrency crypto-currency","author":"=ypocat","date":"2014-01-26 "},{"name":"coined","description":"Highlevel wrapper around BCoin","url":null,"keywords":"","version":"0.0.5","words":"coined highlevel wrapper around bcoin =chjj","author":"=chjj","date":"2014-06-17 "},{"name":"coined-uro","description":"Highlevel wrapper around BCoin for Uro","url":null,"keywords":"","version":"0.0.5","words":"coined-uro highlevel wrapper around bcoin for uro =bohan","author":"=bohan","date":"2014-06-20 "},{"name":"coinedup","description":"coinedup.com client for node.js","url":null,"keywords":"coinedup API Bitcoin Litecoin Dogecoin BTC LTC DOGE market","version":"0.0.1","words":"coinedup coinedup.com client for node.js =zalazdi coinedup api bitcoin litecoin dogecoin btc ltc doge market","author":"=zalazdi","date":"2014-03-10 "},{"name":"coinguard","description":"NodeJS API for CoinGuard","url":null,"keywords":"escrow bitcoin coinguard","version":"1.0.0","words":"coinguard nodejs api for coinguard =shripadk escrow bitcoin coinguard","author":"=shripadk","date":"2013-10-31 "},{"name":"coininfo","description":"JavaScript component for crypto currency specific information.","url":null,"keywords":"cryptography crypto coin bitcoin litecoin elliptical curve","version":"0.2.1","words":"coininfo javascript component for crypto currency specific information. =jp =midnightlightning =sidazhang =nadav cryptography crypto coin bitcoin litecoin elliptical curve","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-08-13 "},{"name":"coinjar","description":"Coinjar API (business and personal) client for node.js","url":null,"keywords":"coinjar bitcoin client api javascript npm library node","version":"0.0.3","words":"coinjar coinjar api (business and personal) client for node.js =jimlyndon =coinjar coinjar bitcoin client api javascript npm library node","author":"=jimlyndon =coinjar","date":"2013-10-17 "},{"name":"coinjar-alert","description":"CoinJar price alerts via push notification","url":null,"keywords":"","version":"0.1.0","words":"coinjar-alert coinjar price alerts via push notification =robbieclarken","author":"=robbieclarken","date":"2013-12-18 "},{"name":"coinjoin.js","description":"Javascript module with coinjoin implementation compatible with bitcoinjs-lib","url":null,"keywords":"","version":"0.5.0","words":"coinjoin.js javascript module with coinjoin implementation compatible with bitcoinjs-lib =sembrestels","author":"=sembrestels","date":"2014-07-07 "},{"name":"coinkey","description":"JavaScript component for private keys, public keys, and addresess for crypto currencies such as Bitcoin, Litecoin, and Dogecoin","url":null,"keywords":"cryptography crypto bitcoin litecoin elliptical curve","version":"1.2.0","words":"coinkey javascript component for private keys, public keys, and addresess for crypto currencies such as bitcoin, litecoin, and dogecoin =jp =sidazhang =midnightlightning =nadav cryptography crypto bitcoin litecoin elliptical curve","author":"=jp =sidazhang =midnightlightning =nadav","date":"2014-07-01 "},{"name":"coinkite-javascript","description":"Coinkite API for Javascript and Node.js","url":null,"keywords":"Bitcoin","version":"0.0.1","words":"coinkite-javascript coinkite api for javascript and node.js =imrehg bitcoin","author":"=imrehg","date":"2014-07-29 "},{"name":"coinlens","description":"A suite of minimalist Bitcoin widgets","url":null,"keywords":"coinlens bitcoin widget","version":"0.0.4","words":"coinlens a suite of minimalist bitcoin widgets =qualiabyte coinlens bitcoin widget","author":"=qualiabyte","date":"2014-08-27 "},{"name":"coinmsg","description":"Message signing for Bitcoin and other cryptocurrencies","url":null,"keywords":"bitcoin crypto message signing","version":"0.1.3","words":"coinmsg message signing for bitcoin and other cryptocurrencies =nadav =jp =vbuterin =midnightlightning =sidazhang bitcoin crypto message signing","author":"=nadav =jp =vbuterin =midnightlightning =sidazhang","date":"2014-07-14 "},{"name":"coinproxy","description":"A cli proxy tool specialized in file replacing (fork of nproxy Goddy Zhao (http://goddyzhao.me))","url":null,"keywords":"node.js web proxy fiddler","version":"1.0.5","words":"coinproxy a cli proxy tool specialized in file replacing (fork of nproxy goddy zhao (http://goddyzhao.me)) =albanecmlad node.js web proxy fiddler","author":"=albanecmlad","date":"2013-11-20 "},{"name":"coinpunk-tools","description":"Tools for importing and exporting bitcoin private keys with coinpunk","url":null,"keywords":"coinpunk bitcoin import export key bitcoinjs","version":"0.0.5","words":"coinpunk-tools tools for importing and exporting bitcoin private keys with coinpunk =eugeneware coinpunk bitcoin import export key bitcoinjs","author":"=eugeneware","date":"2014-01-16 "},{"name":"coinscript","description":"Coinscript is an experimental language that compiles to Bitcoin's stack based script language.","url":null,"keywords":"bitcoin scriptpubkey coinscript","version":"0.0.1","words":"coinscript coinscript is an experimental language that compiles to bitcoin's stack based script language. =olalonde bitcoin scriptpubkey coinscript","author":"=olalonde","date":"2014-03-05 "},{"name":"coinsmerch","description":"A node.js module for accepting Bitcoins using Coins Merch","url":null,"keywords":"","version":"1.0.0","words":"coinsmerch a node.js module for accepting bitcoins using coins merch =jhurt","author":"=jhurt","date":"2014-01-17 "},{"name":"coinsmerch-nodejs","description":"A node.js module for accepting Bitcoins using Coins Merch","url":null,"keywords":"","version":"1.0.14","words":"coinsmerch-nodejs a node.js module for accepting bitcoins using coins merch =jhurt","author":"=jhurt","date":"2014-01-17 "},{"name":"coinspot-api","description":"coinspot.com.au API client for node.js","url":null,"keywords":"btc bitcoin litecoin ltc dogecoin doge coinspot","version":"0.1.20","words":"coinspot-api coinspot.com.au api client for node.js =coinspot btc bitcoin litecoin ltc dogecoin doge coinspot","author":"=coinspot","date":"2014-06-12 "},{"name":"coinstring","description":"Create and parse crypto currency addresses and wallet import formats.","url":null,"keywords":"cryptography crypto bitcoin litecoin dogecoin currency cryptocurrency address wif base58 bip32","version":"2.0.0","words":"coinstring create and parse crypto currency addresses and wallet import formats. =jp =midnightlightning =sidazhang =nadav cryptography crypto bitcoin litecoin dogecoin currency cryptocurrency address wif base58 bip32","author":"=jp =midnightlightning =sidazhang =nadav","date":"2014-06-25 "},{"name":"cojade-to-jade","description":"cojade-to-jade ==============","url":null,"keywords":"","version":"1.2.0","words":"cojade-to-jade cojade-to-jade ============== =nami-doc","author":"=nami-doc","date":"2013-07-18 "},{"name":"cojs","description":"goroutines for javascript","url":null,"keywords":"macros macro go goroutine coroutine async sweetjs sweet-macros","version":"0.0.2","words":"cojs goroutines for javascript =francesco_bracchi macros macro go goroutine coroutine async sweetjs sweet-macros","author":"=francesco_bracchi","date":"2014-03-22 "},{"name":"coju","description":"Event based server wrapper that adds a middleware stack. Uses available harmony features.","url":null,"keywords":"Http wrapper ES6 strict","version":"0.0.9","words":"coju event based server wrapper that adds a middleware stack. uses available harmony features. =davemackintosh http wrapper es6 strict","author":"=davemackintosh","date":"2014-06-18 "},{"name":"coju-router","description":"Event based router for coju module","url":null,"keywords":"Http wrapper router","version":"0.0.15","words":"coju-router event based router for coju module =davemackintosh http wrapper router","author":"=davemackintosh","date":"2014-06-18 "},{"name":"coju-static","description":"Serve static content from a coju powered site","url":null,"keywords":"coju static","version":"0.0.1","words":"coju-static serve static content from a coju powered site =davemackintosh coju static","author":"=davemackintosh","date":"2014-05-08 "},{"name":"coke","description":"A full stack MVC framework that speeds up your web development.","url":null,"keywords":"mvc express express mvc connect coke framework","version":"0.24.5","words":"coke a full stack mvc framework that speeds up your web development. =dreamerslab mvc express express mvc connect coke framework","author":"=dreamerslab","date":"2014-09-18 "},{"name":"cokmvc","description":"a simple mvc framework based on express.","url":null,"keywords":"","version":"0.0.7-dev","words":"cokmvc a simple mvc framework based on express. =cokapp","author":"=cokapp","date":"2014-09-18 "},{"name":"col","description":"Tiny simple colour logger","url":null,"keywords":"logging console colours","version":"0.1.0","words":"col tiny simple colour logger =mattyod logging console colours","author":"=mattyod","date":"2014-04-16 "},{"name":"cola","description":"cujo object linking architecture","url":null,"keywords":"data binding data linking rest data cujo","version":"0.1.7","words":"cola cujo object linking architecture =cujojs data binding data linking rest data cujo","author":"=cujojs","date":"2014-05-15 "},{"name":"cola-script","description":"ColaScript translator / parser / mangler / compressor / beautifier toolkit","url":null,"keywords":"","version":"0.5.83","words":"cola-script colascript translator / parser / mangler / compressor / beautifier toolkit =dangreen","author":"=dangreen","date":"2014-07-29 "},{"name":"colander","description":"Simple rule-based filtering","url":null,"keywords":"filtering rules","version":"0.0.1","words":"colander simple rule-based filtering =chesles filtering rules","author":"=chesles","date":"2013-03-09 "},{"name":"cold-sweat","description":"Massage csv data into a specific json format ","url":null,"keywords":"json csv parse","version":"0.0.2","words":"cold-sweat massage csv data into a specific json format =koopa json csv parse","author":"=koopa","date":"2013-05-09 "},{"name":"cole","keywords":"","version":[],"words":"cole","author":"","date":"2014-05-15 "},{"name":"coleccionista","description":"Helper class that streams files one by one.","url":null,"keywords":"stream files collect","version":"0.0.2","words":"coleccionista helper class that streams files one by one. =velocityzen stream files collect","author":"=velocityzen","date":"2013-05-28 "},{"name":"coleman-liau","description":"Formula to detect the ease of reading a text according to the Coleman-Liau index (1975)","url":null,"keywords":"coleman liau index readability formula","version":"0.0.1","words":"coleman-liau formula to detect the ease of reading a text according to the coleman-liau index (1975) =wooorm coleman liau index readability formula","author":"=wooorm","date":"2014-09-15 "},{"name":"colibri","description":"Colibri makes it easy to create REST resources serving MongoDB collections","url":null,"keywords":"mongoose mongo mongodb rest express crud scaffold","version":"0.0.5","words":"colibri colibri makes it easy to create rest resources serving mongodb collections =jsmarkus mongoose mongo mongodb rest express crud scaffold","author":"=jsmarkus","date":"2013-08-30 "},{"name":"colin6618module","description":"colin6618.github.com","url":null,"keywords":"colin6618","version":"0.0.1","words":"colin6618module colin6618.github.com =colin6618 colin6618","author":"=colin6618","date":"2013-09-19 "},{"name":"colingo-ngen","description":"Package generator (structure, changelogs, tests, package.json, etc)","url":null,"keywords":"","version":"1.3.14","words":"colingo-ngen package generator (structure, changelogs, tests, package.json, etc) =raynos","author":"=raynos","date":"2013-06-13 "},{"name":"colinsomepackage","keywords":"","version":[],"words":"colinsomepackage","author":"","date":"2014-05-03 "},{"name":"coll","description":"JavaScript Collection Library for Node.js.","url":null,"keywords":"collection collections list dict dictionary map","version":"0.1.3","words":"coll javascript collection library for node.js. =corymartin collection collections list dict dictionary map","author":"=corymartin","date":"2013-01-19 "},{"name":"collab","description":"Local testing app for Collab service","url":null,"keywords":"","version":"0.0.4","words":"collab local testing app for collab service =crypticswarm","author":"=crypticswarm","date":"2012-04-10 "},{"name":"collaborative_filtering","description":"collaborative filtering algorithms","url":null,"keywords":"collaborative filtering recommendation classify","version":"1.0.0","words":"collaborative_filtering collaborative filtering algorithms =xmen4u collaborative filtering recommendation classify","author":"=xmen4u","date":"2014-09-19 "},{"name":"collaborator","description":"easily add new collaborators to your github repos from the CLI","url":null,"keywords":"","version":"1.0.1","words":"collaborator easily add new collaborators to your github repos from the cli =maxogden","author":"=maxogden","date":"2014-04-23 "},{"name":"collaborator-map","description":"A redis based data structure that maps users and collaborators onto project names","url":null,"keywords":"redis collaborators","version":"0.1.1","words":"collaborator-map a redis based data structure that maps users and collaborators onto project names =binocarlos redis collaborators","author":"=binocarlos","date":"2013-08-26 "},{"name":"collada2gltf","description":"Node wrapper around collada2glTF","url":null,"keywords":"collada gltf","version":"0.0.0","words":"collada2gltf node wrapper around collada2gltf =klokoy collada gltf","author":"=klokoy","date":"2014-04-09 "},{"name":"collage","description":"Framework for interactive collages","url":null,"keywords":"","version":"0.1.1","words":"collage framework for interactive collages =ozanturgut","author":"=ozanturgut","date":"2013-04-20 "},{"name":"collagen-contact","description":"Contact form for the Collagen.js framework","url":null,"keywords":"collagen contact email","version":"0.1.0","words":"collagen-contact contact form for the collagen.js framework =vkareh collagen contact email","author":"=vkareh","date":"2013-04-24 "},{"name":"collagen-couchdb","description":"CouchDB back-end storage for Collagen.js models.","url":null,"keywords":"collagen couchdb storage","version":"0.0.1","words":"collagen-couchdb couchdb back-end storage for collagen.js models. =vkareh collagen couchdb storage","author":"=vkareh","date":"2013-05-15 "},{"name":"collagen-mysql","description":"MySQL back-end storage for Collagen.js models.","url":null,"keywords":"collagen mysql storage","version":"0.0.2","words":"collagen-mysql mysql back-end storage for collagen.js models. =vkareh collagen mysql storage","author":"=vkareh","date":"2013-10-16 "},{"name":"collagen-passport","description":"Integrate the passport authentication framework into Collagen.js","url":null,"keywords":"collagen passport oauth authentication","version":"0.1.2","words":"collagen-passport integrate the passport authentication framework into collagen.js =vkareh collagen passport oauth authentication","author":"=vkareh","date":"2013-11-18 "},{"name":"collagen-salesforce","description":"Salesforce back-end for Collagen.js models.","url":null,"keywords":"collagen salesforce","version":"0.0.1","words":"collagen-salesforce salesforce back-end for collagen.js models. =vkareh collagen salesforce","author":"=vkareh","date":"2013-08-14 "},{"name":"collapse-array","description":"A simple utility for collapsing single-element arrays.","url":null,"keywords":"array collapse","version":"1.0.1","words":"collapse-array a simple utility for collapsing single-element arrays. =michaelrhodes array collapse","author":"=michaelrhodes","date":"2014-04-16 "},{"name":"collapsible","keywords":"","version":[],"words":"collapsible","author":"","date":"2014-04-05 "},{"name":"collapsify","description":"Inlines all of the JavaScripts, stylesheets, images, fonts etc. of an HTML page.","url":null,"keywords":"html stylesheet font css javascript js compile inline mobilize optimize optimization","version":"0.1.6","words":"collapsify inlines all of the javascripts, stylesheets, images, fonts etc. of an html page. =cdata html stylesheet font css javascript js compile inline mobilize optimize optimization","author":"=cdata","date":"2013-11-04 "},{"name":"collate","description":"a .js/.coffee and .css/.less collater","url":null,"keywords":"javascript coffeescript css less minify uglify asset management","version":"0.0.7","words":"collate a .js/.coffee and .css/.less collater =jlewis javascript coffeescript css less minify uglify asset management","author":"=jlewis","date":"2012-12-19 "},{"name":"collatz","url":null,"keywords":"","version":"0.0.1","words":"collatz =partkyle","author":"=partkyle","date":"2012-02-01 "},{"name":"colle","description":"A Nodejs dependency injection library","url":null,"keywords":"node js dependency injection ioc","version":"0.1.5","words":"colle a nodejs dependency injection library =fdelbos node js dependency injection ioc","author":"=fdelbos","date":"2014-04-04 "},{"name":"collect","description":"collect a bunch of streams and wait til they've finished","url":null,"keywords":"collect streams wait await finished stream","version":"0.3.5","words":"collect collect a bunch of streams and wait til they've finished =jonpacker collect streams wait await finished stream","author":"=jonpacker","date":"2013-04-05 "},{"name":"collect-callbacks","description":"Aggregate many event emissions into one","url":null,"keywords":"","version":"1.2.2","words":"collect-callbacks aggregate many event emissions into one =iarna","author":"=iarna","date":"2014-02-21 "},{"name":"collect-events","keywords":"","version":[],"words":"collect-events","author":"","date":"2014-02-18 "},{"name":"collect-feedback","description":"Collect realtime anonymous feedback","url":null,"keywords":"","version":"0.0.2","words":"collect-feedback collect realtime anonymous feedback =juliangruber","author":"=juliangruber","date":"2014-06-30 "},{"name":"collect-js","description":"A JavaScript library for collecting data from tree data structures","url":null,"keywords":"","version":"0.0.4","words":"collect-js a javascript library for collecting data from tree data structures =sunesimonsen","author":"=sunesimonsen","date":"2013-10-27 "},{"name":"collect-over-prototype","description":"Collect a property over the prototype chain","url":null,"keywords":"","version":"0.0.2","words":"collect-over-prototype collect a property over the prototype chain =dminkovsky","author":"=dminkovsky","date":"2014-06-20 "},{"name":"collect-property","description":"Collect property over prototype chain","url":null,"keywords":"chain property prototype","version":"0.1.1","words":"collect-property collect property over prototype chain =julien-f chain property prototype","author":"=julien-f","date":"2014-07-16 "},{"name":"collect-stream","description":"Collect a readable stream's output and errors","url":null,"keywords":"collect stream concat","version":"1.0.0","words":"collect-stream collect a readable stream's output and errors =juliangruber collect stream concat","author":"=juliangruber","date":"2014-08-08 "},{"name":"collectd","description":"A NodeJS module for receiving and parsing the CollectD binary protocol","url":null,"keywords":"","version":"0.0.1","words":"collectd a nodejs module for receiving and parsing the collectd binary protocol =slyons","author":"=slyons","date":"2011-09-08 "},{"name":"collectdout","description":"Periodically send values out to a Collectd server for statistics","url":null,"keywords":"","version":"0.0.4","words":"collectdout periodically send values out to a collectd server for statistics =astro =feraudet","author":"=astro =feraudet","date":"2014-07-11 "},{"name":"collecticon","description":"Bundle multiple fonts into one","keywords":"","version":[],"words":"collecticon bundle multiple fonts into one =etler","author":"=etler","date":"2014-04-05 "},{"name":"collection","description":"Node.js cross-platform native collection library","url":null,"keywords":"collection native util vector set map","version":"0.1.5","words":"collection node.js cross-platform native collection library =tfeng collection native util vector set map","author":"=tfeng","date":"2014-06-07 "},{"name":"collection-diff","description":"collectionDiff takes two arrays of objects and return one array describing the similarities and differences","url":null,"keywords":"array collection diff","version":"1.0.0","words":"collection-diff collectiondiff takes two arrays of objects and return one array describing the similarities and differences =cainus array collection diff","author":"=cainus","date":"2013-03-25 "},{"name":"collection-json","description":"Collection+JSON Client","url":null,"keywords":"","version":"0.2.1","words":"collection-json collection+json client =camshaft","author":"=camshaft","date":"2012-10-17 "},{"name":"collection.js","description":"Collection — минималистичная JavaScript библиотека для работы с коллекциями данных.","url":null,"keywords":"javascript iterator collections","version":"5.2.7","words":"collection.js collection — минималистичная javascript библиотека для работы с коллекциями данных. =kobezzza javascript iterator collections","author":"=kobezzza","date":"2014-09-16 "},{"name":"collection_functions","description":"Provides typical collection/enumerable functions (think underscore.js) - but it's agnostic about storage and iteration details.","url":null,"keywords":"collection underscore array enumerable enumerator iterator","version":"0.0.1","words":"collection_functions provides typical collection/enumerable functions (think underscore.js) - but it's agnostic about storage and iteration details. =sconover collection underscore array enumerable enumerator iterator","author":"=sconover","date":"2011-02-28 "},{"name":"collectioneventemitter","description":"A base class to extend for any class that wants to use both UnderscoreJS array mixins and eventemitter","url":null,"keywords":"event events emitter eventemitter lodash underscore mixin collection","version":"0.0.1","words":"collectioneventemitter a base class to extend for any class that wants to use both underscorejs array mixins and eventemitter =tarunc event events emitter eventemitter lodash underscore mixin collection","author":"=tarunc","date":"2013-07-04 "},{"name":"collectioneventemitter2","description":"A base class to extend for any class that wants to use both UnderscoreJS array mixins and eventemitter2","url":null,"keywords":"event events emitter eventemitter eventemitter2 lodash underscore mixin collection","version":"0.0.1","words":"collectioneventemitter2 a base class to extend for any class that wants to use both underscorejs array mixins and eventemitter2 =tarunc event events emitter eventemitter eventemitter2 lodash underscore mixin collection","author":"=tarunc","date":"2013-07-04 "},{"name":"collectionize","description":"A lightweight collection management library.","url":null,"keywords":"","version":"0.2.5","words":"collectionize a lightweight collection management library. =andrewchilds","author":"=andrewchilds","date":"2014-06-06 "},{"name":"collectionjs","description":"Collection class","url":null,"keywords":"","version":"0.2.3","words":"collectionjs collection class =redfiber","author":"=redfiber","date":"2013-12-24 "},{"name":"collections","description":"data structures with idiomatic JavaScript collection interfaces","url":null,"keywords":"collections data structures observable list set map splay","version":"1.2.1","words":"collections data structures with idiomatic javascript collection interfaces =kriskowal =aadsm =francoisfrisch =marchant collections data structures observable list set map splay","author":"=kriskowal =aadsm =francoisfrisch =marchant","date":"2014-07-30 "},{"name":"collectionsts","description":"collectionsts\r =============","url":null,"keywords":"collections typescript hash hash map generic collection uniquely identifiable","version":"1.0.0","words":"collectionsts collectionsts\r ============= =andrewgaspar collections typescript hash hash map generic collection uniquely identifiable","author":"=andrewgaspar","date":"2013-03-25 "},{"name":"collective","description":"Data synchronization/cache tool for multiple Node.js instances.","url":null,"keywords":"cluster load balancing multi process data synchronization cache","version":"0.3.1","words":"collective data synchronization/cache tool for multiple node.js instances. =arch1t3ct cluster load balancing multi process data synchronization cache","author":"=arch1t3ct","date":"2014-05-23 "},{"name":"collectjs","description":"Collectd's binary wire protocol implementation in NodeJS","url":null,"keywords":"collectd","version":"0.0.2","words":"collectjs collectd's binary wire protocol implementation in nodejs =yarekt collectd","author":"=yarekt","date":"2013-07-24 "},{"name":"collector","description":"ERROR: No README.md file found!","url":null,"keywords":"","version":"0.1.3","words":"collector error: no readme.md file found! =aldobucchi","author":"=aldobucchi","date":"2013-08-05 "},{"name":"collide","description":"Library for compating style and script resources.","url":null,"keywords":"node css less javascript coffeescript","version":"0.0.2","words":"collide library for compating style and script resources. =websecurify node css less javascript coffeescript","author":"=websecurify","date":"2014-07-23 "},{"name":"collide-2d-tilemap","description":"2d tilemap collisions made simple-ish","url":null,"keywords":"collision 2d games aabb tilemap","version":"0.0.1","words":"collide-2d-tilemap 2d tilemap collisions made simple-ish =chrisdickinson collision 2d games aabb tilemap","author":"=chrisdickinson","date":"2013-02-18 "},{"name":"collide-3d-tilemap","description":"3d tilemap collisions made simple-ish","url":null,"keywords":"collision 3d games aabb tilemap","version":"0.0.1","words":"collide-3d-tilemap 3d tilemap collisions made simple-ish =chrisdickinson collision 3d games aabb tilemap","author":"=chrisdickinson","date":"2013-01-21 "},{"name":"collide-motion","description":"collide-motion --------------","url":null,"keywords":"","version":"0.0.2","words":"collide-motion collide-motion -------------- =andytjoslin","author":"=andytjoslin","date":"2014-07-23 "},{"name":"collie-core","keywords":"","version":[],"words":"collie-core","author":"","date":"2014-07-18 "},{"name":"colliejs-device","description":"The device module for Colliejs","url":null,"keywords":"colliejs collie ds zeromq zmq","version":"0.0.1","words":"colliejs-device the device module for colliejs =luanmuniz colliejs collie ds zeromq zmq","author":"=luanmuniz","date":"2014-09-05 "},{"name":"colliejs-server","description":"Collie server","url":null,"keywords":"colliejs collie ds zeromq zmq","version":"0.0.1","words":"colliejs-server collie server =luanmuniz colliejs collie ds zeromq zmq","author":"=luanmuniz","date":"2014-09-05 "},{"name":"collision","description":"SAT collision testing for browsers","url":null,"keywords":"SAT collision testing physics game component","version":"0.1.0","words":"collision sat collision testing for browsers =kael sat collision testing physics game component","author":"=kael","date":"2014-08-23 "},{"name":"colo","description":"colorize string","url":null,"keywords":"colorize string","version":"0.2.0","words":"colo colorize string =yosuke-furukawa colorize string","author":"=yosuke-furukawa","date":"2014-09-15 "},{"name":"colocodo","description":"Syntax highlight for bash, html, javascript,css.","url":null,"keywords":"syntax highlight javascript css html bash","version":"1.0.0","words":"colocodo syntax highlight for bash, html, javascript,css. =switer syntax highlight javascript css html bash","author":"=switer","date":"2014-06-07 "},{"name":"colog","description":"colog - console log with colors","url":null,"keywords":"cli console log colors color colog","version":"1.0.4","words":"colog colog - console log with colors =dariuszp cli console log colors color colog","author":"=dariuszp","date":"2014-04-16 "},{"name":"cologger","description":"Colorful, simple, customizable logger","url":null,"keywords":"color logger log cologger","version":"1.1.2","words":"cologger colorful, simple, customizable logger =einfallstoll color logger log cologger","author":"=einfallstoll","date":"2013-12-06 "},{"name":"cologne-phonetic","description":"Clean and simple regex implentation of Kölner Phonetik, a soundex-like algorithm for German language","url":null,"keywords":"Kölner Phonetik cologne phonetic soundex german","version":"0.0.4","words":"cologne-phonetic clean and simple regex implentation of kölner phonetik, a soundex-like algorithm for german language =maxwellium kölner phonetik cologne phonetic soundex german","author":"=maxwellium","date":"2014-07-06 "},{"name":"colony","description":"In-browser network graphs representing the links between your Node.js code and its dependencies.","url":null,"keywords":"code visualisation require recursive structure codebase visualization","version":"0.0.7","words":"colony in-browser network graphs representing the links between your node.js code and its dependencies. =hughsk code visualisation require recursive structure codebase visualization","author":"=hughsk","date":"2014-02-23 "},{"name":"colony-compiler","description":"Kinda compiles JavaScript to Lua.","url":null,"keywords":"","version":"0.6.20","words":"colony-compiler kinda compiles javascript to lua. =tcr","author":"=tcr","date":"2014-09-05 "},{"name":"colony-compiler-shyp-darwin-x64","description":"Compiled version of \"colony-compiler\" for darwin-x64","url":null,"keywords":"","version":"0.6.17-0","words":"colony-compiler-shyp-darwin-x64 compiled version of \"colony-compiler\" for darwin-x64 =tcr","author":"=tcr","date":"2014-08-11 "},{"name":"colony-compiler-shyp-win32-ia32","description":"Compiled version of \"colony-compiler\" for win32-ia32","url":null,"keywords":"","version":"0.6.17-1","words":"colony-compiler-shyp-win32-ia32 compiled version of \"colony-compiler\" for win32-ia32 =tcr","author":"=tcr","date":"2014-08-11 "},{"name":"colony-compiler-shyp-win32-x64","description":"Compiled version of \"colony-compiler\" for win32-x64","url":null,"keywords":"","version":"0.6.17-0","words":"colony-compiler-shyp-win32-x64 compiled version of \"colony-compiler\" for win32-x64 =tcr","author":"=tcr","date":"2014-08-10 "},{"name":"colony-server","description":"colony server","url":null,"keywords":"","version":"0.0.0","words":"colony-server colony server =juliangruber","author":"=juliangruber","date":"2013-07-10 "},{"name":"colony-shyp-darwin-x64","url":null,"keywords":"","version":"0.3.2","words":"colony-shyp-darwin-x64 =tcr","author":"=tcr","date":"2014-01-15 "},{"name":"colony-shyp-win32-ia32","url":null,"keywords":"","version":"0.3.2","words":"colony-shyp-win32-ia32 =tcr","author":"=tcr","date":"2014-01-15 "},{"name":"colony-shyp-win32-x64","url":null,"keywords":"","version":"0.3.2","words":"colony-shyp-win32-x64 =tcr","author":"=tcr","date":"2014-01-15 "},{"name":"color","description":"Color conversion and manipulation with CSS string support","url":null,"keywords":"color colour css","version":"0.7.1","words":"color color conversion and manipulation with css string support =harth color colour css","author":"=harth","date":"2014-07-23 "},{"name":"color-blind","description":"Simulate color blindness by converting RGB hex codes","url":null,"keywords":"color colour blindness simulation rgb protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","version":"0.1.0","words":"color-blind simulate color blindness by converting rgb hex codes =skratchdot color colour blindness simulation rgb protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","author":"=skratchdot","date":"2014-06-21 "},{"name":"color-cluster","description":"","url":null,"keywords":"","version":"0.1.0","words":"color-cluster =phuu","author":"=phuu","date":"2014-01-13 "},{"name":"color-code","description":"A commandline questionnaire for tests such as The Color Code test","url":null,"keywords":"","version":"0.8.3","words":"color-code a commandline questionnaire for tests such as the color code test =coolaj86","author":"=coolaj86","date":"2012-10-19 "},{"name":"color-commando","description":"Do color calculations while going commando! Command line interface is all anyone ever needed anyway!","url":null,"keywords":"","version":"0.1.3","words":"color-commando do color calculations while going commando! command line interface is all anyone ever needed anyway! =munter","author":"=munter","date":"2012-09-11 "},{"name":"color-component","description":"RGBA / HSLA color manipulation","url":null,"keywords":"color rgba hsla","version":"0.0.1","words":"color-component rgba / hsla color manipulation =tjholowaychuk color rgba hsla","author":"=tjholowaychuk","date":"2012-09-12 "},{"name":"color-console","description":"Print colorful text in console.","url":null,"keywords":"test","version":"0.0.1","words":"color-console print colorful text in console. =shallker-wang test","author":"=shallker-wang","date":"2013-10-22 "},{"name":"color-convert","description":"Plain color conversion functions","url":null,"keywords":"color colour rgb","version":"0.5.0","words":"color-convert plain color conversion functions =harth color colour rgb","author":"=harth","date":"2014-07-21 "},{"name":"color-diff","description":"Implemets the CIEDE2000 color difference algorithm, conversion between RGB and LAB color and mapping all colors in palette X to the closest or most different color in palette Y based on the CIEDE2000 difference.","url":null,"keywords":"color diff color-diff pallette closest convert conversion CIEDE2000","version":"0.1.5","words":"color-diff implemets the ciede2000 color difference algorithm, conversion between rgb and lab color and mapping all colors in palette x to the closest or most different color in palette y based on the ciede2000 difference. =kael =markusn color diff color-diff pallette closest convert conversion ciede2000","author":"=kael =markusn","date":"2014-09-20 "},{"name":"color-difference","description":"Color difference calculator","url":null,"keywords":"color difference RGB Lab CIE76","version":"0.3.3","words":"color-difference color difference calculator =garex color difference rgb lab cie76","author":"=garex","date":"2014-03-15 "},{"name":"color-distance","description":"gets the distance between two colors","url":null,"keywords":"","version":"0.1.0","words":"color-distance gets the distance between two colors =korynunn","author":"=korynunn","date":"2013-10-24 "},{"name":"color-format","description":"color format for log","url":null,"keywords":"color format log","version":"1.0.2","words":"color-format color format for log =jerry-nil color format log","author":"=jerry-nil","date":"2013-01-24 "},{"name":"color-generator","description":"Generates colors based on the golden ratio","url":null,"keywords":"color generate random","version":"0.1.0","words":"color-generator generates colors based on the golden ratio =devongovett color generate random","author":"=devongovett","date":"2014-05-14 "},{"name":"color-graph","description":"Get color graph of canvas","url":null,"keywords":"color","version":"0.0.3","words":"color-graph get color graph of canvas =jonnyscholes color","author":"=jonnyscholes","date":"2014-02-12 "},{"name":"color-harmony","description":"Create color scales by rotating hue","url":null,"keywords":"color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz","version":"0.2.0","words":"color-harmony create color scales by rotating hue =skratchdot color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz","author":"=skratchdot","date":"2014-06-22 "},{"name":"color-log","description":"Simple colorable log. Support inspect objects and single line update","url":null,"keywords":"color console log logging","version":"0.0.2","words":"color-log simple colorable log. support inspect objects and single line update =silvertoad color console log logging","author":"=silvertoad","date":"2013-04-17 "},{"name":"color-logs","description":"Color-logs works as console.log logger on Node.js but with extra data and colors to make easier find the lines on your log files.","url":null,"keywords":"log logs color helper help","version":"0.2.71","words":"color-logs color-logs works as console.log logger on node.js but with extra data and colors to make easier find the lines on your log files. =jesuslg123 log logs color helper help","author":"=jesuslg123","date":"2014-09-08 "},{"name":"color-luminance","description":"bare-bones color luminance functions","url":null,"keywords":"color luma luminance brightness lightness rgb hsl hsv yuv gray grayscale grey greyscale","version":"2.0.1","words":"color-luminance bare-bones color luminance functions =mattdesl color luma luminance brightness lightness rgb hsl hsv yuv gray grayscale grey greyscale","author":"=mattdesl","date":"2014-06-07 "},{"name":"color-marked","description":"markdown parser with highlight and inline code style support, useful for writing email with markdown","url":null,"keywords":"markdown markup html highlight email","version":"0.3.3","words":"color-marked markdown parser with highlight and inline code style support, useful for writing email with markdown =chemzqm markdown markup html highlight email","author":"=chemzqm","date":"2013-09-11 "},{"name":"color-mix","description":"rgba color mixer","url":null,"keywords":"color mixer colormixer rgba","version":"0.4.0","words":"color-mix rgba color mixer =johnnyscript color mixer colormixer rgba","author":"=johnnyscript","date":"2014-01-07 "},{"name":"color-model","description":"Operate colors in popular color models and convert between them","url":null,"keywords":"color model convert rgb xyz hex hsv lab","version":"0.2.1","words":"color-model operate colors in popular color models and convert between them =garex color model convert rgb xyz hex hsv lab","author":"=garex","date":"2014-03-17 "},{"name":"color-namer","description":"Give me a color and I'll name it.","url":null,"keywords":"color colors names rgb hsl hsv lab search tagging image design","version":"0.3.0","words":"color-namer give me a color and i'll name it. =zeke color colors names rgb hsl hsv lab search tagging image design","author":"=zeke","date":"2014-07-20 "},{"name":"color-obj","description":"A Color object to manage those pesky CSS color strings","url":null,"keywords":"color hsl rgb rgba hsla","version":"1.0.1","words":"color-obj a color object to manage those pesky css color strings =adamrenny color hsl rgb rgba hsla","author":"=adamrenny","date":"2014-07-05 "},{"name":"color-parser","description":"CSS color string parser","url":null,"keywords":"color parse parser css","version":"0.1.0","words":"color-parser css color string parser =tjholowaychuk color parse parser css","author":"=tjholowaychuk","date":"2012-12-11 "},{"name":"color-picker","description":"Simple color picker component","url":null,"keywords":"color picker ui","version":"0.0.1","words":"color-picker simple color picker component =tjholowaychuk color picker ui","author":"=tjholowaychuk","date":"2012-09-11 "},{"name":"color-pusher","description":"Dynamic color swatch manipulation for changing multiple elements CSS","url":null,"keywords":"color change css theme angular widget swatch colourlovers","version":"0.1.4","words":"color-pusher dynamic color swatch manipulation for changing multiple elements css =bahmutov color change css theme angular widget swatch colourlovers","author":"=bahmutov","date":"2013-12-09 "},{"name":"color-quantize","description":"Convert colors to websafe / websmart values","url":null,"keywords":"color convert conversion rgb web safe smart websafe websmart web-safe web-smart","version":"0.1.0","words":"color-quantize convert colors to websafe / websmart values =skratchdot color convert conversion rgb web safe smart websafe websmart web-safe web-smart","author":"=skratchdot","date":"2014-06-21 "},{"name":"color-rainbow","description":"Easily generate rainbow colors","url":null,"keywords":"color rainbow","version":"0.0.0","words":"color-rainbow easily generate rainbow colors =granttimmerman color rainbow","author":"=granttimmerman","date":"2014-06-29 "},{"name":"color-scheme","description":"Generate pleasant color schemes","url":null,"keywords":"color scheme generator random picker web","version":"0.0.5","words":"color-scheme generate pleasant color schemes =c0bra color scheme generator random picker web","author":"=c0bra","date":"2013-03-21 "},{"name":"color-slicer","description":"Generate lists of readable text colors.","url":null,"keywords":"colors font thomson","version":"0.8.0","words":"color-slicer generate lists of readable text colors. =bluej100 colors font thomson","author":"=bluej100","date":"2014-09-12 "},{"name":"color-stats","description":"Generate color information based off of the hash of any object (or a valid color string)","url":null,"keywords":"color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz websafe websmart blindness simulation protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","version":"0.3.0","words":"color-stats generate color information based off of the hash of any object (or a valid color string) =skratchdot color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz websafe websmart blindness simulation protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","author":"=skratchdot","date":"2014-06-28 "},{"name":"color-string","description":"Parser and generator for CSS color strings","url":null,"keywords":"color colour rgb css","version":"0.2.1","words":"color-string parser and generator for css color strings =harth color colour rgb css","author":"=harth","date":"2014-07-23 "},{"name":"color-style","description":"avoid string concats when making rgba() colors","url":null,"keywords":"color css string rgb rgba hsl hsla style fillContext strokeContext fill stroke context context2d 2d","version":"1.0.0","words":"color-style avoid string concats when making rgba() colors =mattdesl color css string rgb rgba hsl hsla style fillcontext strokecontext fill stroke context context2d 2d","author":"=mattdesl","date":"2014-07-22 "},{"name":"color-system","description":"transfer colors between color systems","url":null,"keywords":"color system rgb cie lab xyz","version":"0.1.0","words":"color-system transfer colors between color systems =tmcw color system rgb cie lab xyz","author":"=tmcw","date":"2013-09-13 "},{"name":"color-terminal","description":"Control your terminal colours.","url":null,"keywords":"terminal colors text","version":"0.0.3-4","words":"color-terminal control your terminal colours. =forgotten-labors terminal colors text","author":"=forgotten-labors","date":"2012-01-22 "},{"name":"color-test","description":"New Color test module","url":null,"keywords":"colors example","version":"1.0.0","words":"color-test new color test module =anisha.chourasia colors example","author":"=anisha.chourasia","date":"2014-07-18 "},{"name":"color-thief","description":"A script for grabbing the color palette from an image. Uses Javascript and the canvas tag to make it happen.","url":null,"keywords":"","version":"2.1.0","words":"color-thief a script for grabbing the color palette from an image. uses javascript and the canvas tag to make it happen. =jo","author":"=jo","date":"2014-05-23 "},{"name":"color-type","description":"Helper function to detect the color type/model (HEX, RGB, HSL).","url":null,"keywords":"type detect check is color hex rgb hsl","version":"0.1.0","words":"color-type helper function to detect the color type/model (hex, rgb, hsl). =hemanth type detect check is color hex rgb hsl","author":"=hemanth","date":"2014-07-29 "},{"name":"color-util-logs","description":"Date time console logging with color","url":null,"keywords":"","version":"0.0.1","words":"color-util-logs date time console logging with color =digilord","author":"=digilord","date":"2014-02-14 "},{"name":"color2xterm","description":"Change hex or rgb color to xterm (8-bit) color.","url":null,"keywords":"","version":"1.0.0","words":"color2xterm change hex or rgb color to xterm (8-bit) color. =michalbe","author":"=michalbe","date":"2014-07-24 "},{"name":"colorado","description":"ridiculously simple console string styling","url":null,"keywords":"ansi color string","version":"0.3.0","words":"colorado ridiculously simple console string styling =jshanley ansi color string","author":"=jshanley","date":"2014-03-13 "},{"name":"colorama","description":"A library to aid in color manipulation, conversion and transformation.","url":null,"keywords":"color colors colour colours css","version":"1.0.1","words":"colorama a library to aid in color manipulation, conversion and transformation. =dcgauld color colors colour colours css","author":"=dcgauld","date":"2014-03-08 "},{"name":"colorant","description":"A webapp for visualising web colors","url":null,"keywords":"web color hex rgb rgba webapp","version":"1.1.3","words":"colorant a webapp for visualising web colors =cmtegner web color hex rgb rgba webapp","author":"=cmtegner","date":"2014-08-23 "},{"name":"colorbrewer","description":"A shim module of colorbrewer2 by Cythina Brewer for browserify","url":null,"keywords":"colors design visualization cartography svg d3 browserify","version":"0.0.2","words":"colorbrewer a shim module of colorbrewer2 by cythina brewer for browserify =saikocat colors design visualization cartography svg d3 browserify","author":"=saikocat","date":"2014-08-21 "},{"name":"colorchart","description":"Get a color palette of an image in the DOM","url":null,"keywords":"color colors canvas browser browserify","version":"0.0.1","words":"colorchart get a color palette of an image in the dom =anthonyringoet color colors canvas browser browserify","author":"=anthonyringoet","date":"2014-06-27 "},{"name":"colorcode","description":"pattern-based CLI coloring","url":null,"keywords":"","version":"0.0.1","words":"colorcode pattern-based cli coloring =architectd","author":"=architectd","date":"2012-03-12 "},{"name":"colorconverter","description":"Convert between RGB, HSL and HEX color defining with these JavaScript functions under MIT-License","url":null,"keywords":"color hex hsl rgb cmyk hsv","version":"0.1.1","words":"colorconverter convert between rgb, hsl and hex color defining with these javascript functions under mit-license =simonwaldherr color hex hsl rgb cmyk hsv","author":"=simonwaldherr","date":"2014-08-31 "},{"name":"colorconverterjs","description":"Color Conversion between Hex, RGB and CMYK","url":null,"keywords":"","version":"0.1.1","words":"colorconverterjs color conversion between hex, rgb and cmyk =felipesabino","author":"=felipesabino","date":"2013-12-26 "},{"name":"colordifference","description":"0.0.0","url":null,"keywords":"color difference deltae cie2000","version":"0.0.0","words":"colordifference 0.0.0 =lawrencepn color difference deltae cie2000","author":"=lawrencepn","date":"2014-09-12 "},{"name":"colored","description":"colorizes streams/files","url":null,"keywords":"colorize color streams files logs automatic","version":"0.0.15","words":"colored colorizes streams/files =blakmatrix colorize color streams files logs automatic","author":"=blakmatrix","date":"2012-08-12 "},{"name":"colored-console","description":"Colored console logging for Node","url":null,"keywords":"","version":"0.10.0","words":"colored-console colored console logging for node =yuri","author":"=yuri","date":"2014-04-17 "},{"name":"colored-tape","description":"color result of tape","url":null,"keywords":"tap test harness assert browser","version":"1.0.1","words":"colored-tape color result of tape =morishitter tap test harness assert browser","author":"=morishitter","date":"2014-05-06 "},{"name":"coloredcoins","description":"Basic colored coins implementation","url":null,"keywords":"bitcoin crypto finance","version":"0.0.8","words":"coloredcoins basic colored coins implementation =vbuterin bitcoin crypto finance","author":"=vbuterin","date":"2013-10-06 "},{"name":"colorful","description":"colorful if a terminal tool for colors","url":null,"keywords":"color ansi 256color console terminal","version":"2.1.0","words":"colorful colorful if a terminal tool for colors =lepture color ansi 256color console terminal","author":"=lepture","date":"2013-05-22 "},{"name":"colorful-logger","description":"colorful console.log","url":null,"keywords":"console console.log log colorful","version":"0.1.3","words":"colorful-logger colorful console.log =saitodisse console console.log log colorful","author":"=saitodisse","date":"2014-09-20 "},{"name":"colorg","description":"Generate a color styleguide from a .scss file. Based on @wolfr's idea: https://github.com/Wolfr/sass-color-guide","url":null,"keywords":"","version":"0.1.2","words":"colorg generate a color styleguide from a .scss file. based on @wolfr's idea: https://github.com/wolfr/sass-color-guide =bramdevries","author":"=bramdevries","date":"2013-09-21 "},{"name":"colorgrad","description":"Quick and easy linear color mappings","url":null,"keywords":"color luminosity colorarray","version":"0.2.0","words":"colorgrad quick and easy linear color mappings =bpostlethwaite color luminosity colorarray","author":"=bpostlethwaite","date":"2013-01-29 "},{"name":"colorguard","description":"Keep a watchful eye on your css colors","url":null,"keywords":"css colors lint csslint rework","version":"0.2.0","words":"colorguard keep a watchful eye on your css colors =slexaxton css colors lint csslint rework","author":"=slexaxton","date":"2014-08-06 "},{"name":"colorhash","description":"Make blue midnight color hashes from the full visible spectrum","url":null,"keywords":"","version":"0.1.0","words":"colorhash make blue midnight color hashes from the full visible spectrum =thejh","author":"=thejh","date":"2011-11-13 "},{"name":"colorific","description":"Text coloring (with ANSI) for nodejs","url":null,"keywords":"ansi colorize colors color console","version":"0.1.0","words":"colorific text coloring (with ansi) for nodejs =oetjenj ansi colorize colors color console","author":"=oetjenj","date":"2014-04-02 "},{"name":"colorify","description":"a collection of color tools","url":null,"keywords":"color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz websafe websmart blindness simulation protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","version":"0.0.0","words":"colorify a collection of color tools =skratchdot color colour theory harmony harmonies schemes scales shades tints tones analogous complementary triadic tetradic rgb rgba hsl hsla hsv hsva cmyk xyz websafe websmart blindness simulation protanomaly protanopia deuteranomaly deuteranopia tritanomaly tritanopia achromatomaly achromatopsia","author":"=skratchdot","date":"2014-09-16 "},{"name":"coloring","description":"Command Line Text Coloring","url":null,"keywords":"cli colors terminal console","version":"0.1.0","words":"coloring command line text coloring =euforic cli colors terminal console","author":"=euforic","date":"2013-04-26 "},{"name":"colorit","description":"give some colors to your node.js console apps","url":null,"keywords":"nodejs ansi terminal colors console","version":"0.0.1-1","words":"colorit give some colors to your node.js console apps =mdezem nodejs ansi terminal colors console","author":"=mdezem","date":"2013-03-03 "},{"name":"colorize","description":"An expressive interface for ANSI colored strings and terminal output.","url":null,"keywords":"color ansi terminal","version":"0.1.0","words":"colorize an expressive interface for ansi colored strings and terminal output. =mattpat color ansi terminal","author":"=mattpat","date":"2011-04-01 "},{"name":"colorize-str","description":"Use html/css style color codes for your console/terminal output.","url":null,"keywords":"terminal console color colour","version":"1.0.0","words":"colorize-str use html/css style color codes for your console/terminal output. =alfredgodoy terminal console color colour","author":"=alfredgodoy","date":"2014-02-23 "},{"name":"colorize-stream","description":"ANSI colorizing through stream!","url":null,"keywords":"colorize stream ansi colors","version":"0.1.0","words":"colorize-stream ansi colorizing through stream! =jaz303 colorize stream ansi colors","author":"=jaz303","date":"2014-08-28 "},{"name":"colorjoe","description":"Scaleable color picker","url":null,"keywords":"color colour requirejs amd","version":"0.9.6","words":"colorjoe scaleable color picker =bebraw color colour requirejs amd","author":"=bebraw","date":"2014-09-01 "},{"name":"colorjs","description":"Color lib. Supports rgba, hsva, hsla and conversions via a simple API.","url":null,"keywords":"color","version":"0.1.9","words":"colorjs color lib. supports rgba, hsva, hsla and conversions via a simple api. =bebraw color","author":"=bebraw","date":"2012-07-07 "},{"name":"colorlog","description":"Color logger with streaming reader","url":null,"keywords":"log logger color","version":"0.1.1","words":"colorlog color logger with streaming reader =andriy log logger color","author":"=andriy","date":"2011-11-18 "},{"name":"colorlogger","description":"make terminal log colorful and save it to disk","url":null,"keywords":"color terminal log colorlog","version":"0.0.1","words":"colorlogger make terminal log colorful and save it to disk =soufii color terminal log colorlog","author":"=soufii","date":"2014-07-19 "},{"name":"colorly","description":"Comprehensive library of color books from several color systems - implemented in Sass, LESS, Stylus, JSON, and CSV.","url":null,"keywords":"","version":"0.0.2","words":"colorly comprehensive library of color books from several color systems - implemented in sass, less, stylus, json, and csv. =jpederson","author":"=jpederson","date":"2014-06-14 "},{"name":"colormander","description":"Color wrapper for command-line ansi-color, simplifying with HTML tags","url":null,"keywords":"command commander color ansi color cli","version":"0.0.1","words":"colormander color wrapper for command-line ansi-color, simplifying with html tags =domudall command commander color ansi color cli","author":"=domudall","date":"2012-06-07 "},{"name":"colormap","description":"Easily output great looking predefined hex or rgb color maps","url":null,"keywords":"colormap color map color hex rgb color gradient color range color scale plot graph","version":"1.2.2","words":"colormap easily output great looking predefined hex or rgb color maps =bpostlethwaite colormap color map color hex rgb color gradient color range color scale plot graph","author":"=bpostlethwaite","date":"2014-08-25 "},{"name":"colormatch","description":"A module for extracting colors from images and for generating lookup ranges that accept rgb and outputs ranges of rgb values for db lookups. Right now it uses ImageMagik in a child process to reduce the colorspace and return the top colors of an image. Alterntives with node-canvas or an all js jpeg decoder could be used. The latterwith the same js color quantization algorthims that would be needed to reduce the colorspace of the former.","url":null,"keywords":"image indexing color search","version":"0.0.4","words":"colormatch a module for extracting colors from images and for generating lookup ranges that accept rgb and outputs ranges of rgb values for db lookups. right now it uses imagemagik in a child process to reduce the colorspace and return the top colors of an image. alterntives with node-canvas or an all js jpeg decoder could be used. the latterwith the same js color quantization algorthims that would be needed to reduce the colorspace of the former. =soldair image indexing color search","author":"=soldair","date":"2013-05-04 "},{"name":"colorname","description":"Get the name of your color.","url":null,"keywords":"","version":"1.1.0","words":"colorname get the name of your color. =perfectworks","author":"=perfectworks","date":"2014-03-11 "},{"name":"colornames","description":"Map color names to HEX color values.","url":null,"keywords":"","version":"0.0.2","words":"colornames map color names to hex color values. =timoxley","author":"=timoxley","date":"2013-07-30 "},{"name":"colorodo","url":null,"keywords":"","version":"1.0.0","words":"colorodo =vdemedes","author":"=vdemedes","date":"2012-02-01 "},{"name":"colorpalette","description":"Randomly select colors from a range of presets.","url":null,"keywords":"utilities","version":"0.1.5","words":"colorpalette randomly select colors from a range of presets. =vinceallenvince utilities","author":"=vinceallenvince","date":"2014-08-23 "},{"name":"colorplus","description":"A painless way to color your console in node.js","url":null,"keywords":"color plus console ansi","version":"0.2.4","words":"colorplus a painless way to color your console in node.js =pg color plus console ansi","author":"=pg","date":"2013-01-13 "},{"name":"colors","description":"get colors in your node.js console like what","url":null,"keywords":"ansi terminal colors","version":"0.6.2","words":"colors get colors in your node.js console like what =marak ansi terminal colors","author":"=marak","date":"2014-02-11 "},{"name":"colors-256","description":"All xterm-256 colors!","url":null,"keywords":"color cli xterm","version":"1.0.0","words":"colors-256 all xterm-256 colors! =shirokuma color cli xterm","author":"=shirokuma","date":"2013-03-21 "},{"name":"colors-clustering","description":"Colors clustering based on K-means algorithm & CIE76. The seeds are extended color keywords from CSS Color Module Level 3 (W3C Recommendation 07 June 2011).","url":null,"keywords":"color k-means clustering lab CIE67","version":"0.1.1","words":"colors-clustering colors clustering based on k-means algorithm & cie76. the seeds are extended color keywords from css color module level 3 (w3c recommendation 07 june 2011). =zenozeng color k-means clustering lab cie67","author":"=zenozeng","date":"2014-05-08 "},{"name":"colors-gg","description":"get colors in your node.js console like what","url":null,"keywords":"","version":"0.0.0-1","words":"colors-gg get colors in your node.js console like what =goldcome","author":"=goldcome","date":"2013-05-23 "},{"name":"colors-project","keywords":"","version":[],"words":"colors-project","author":"","date":"2014-07-29 "},{"name":"colors-test","description":"An example program using the colors module","url":null,"keywords":"[\"colors\" \"example\"]","version":"0.0.4","words":"colors-test an example program using the colors module =mfarfanr [\"colors\" \"example\"]","author":"=mfarfanr","date":"2014-04-20 "},{"name":"colors-tmpl","description":"Simple templating for applying colors.js to strings","url":null,"keywords":"color colour colours colours colors.js templating templates","version":"0.1.0","words":"colors-tmpl simple templating for applying colors.js to strings =rvagg color colour colours colours colors.js templating templates","author":"=rvagg","date":"2012-11-03 "},{"name":"colors-to-less-operations","description":"Transforms colors to less operations that needs to be applied to the base color to get the desired color","url":null,"keywords":"color less transformation","version":"0.1.1","words":"colors-to-less-operations transforms colors to less operations that needs to be applied to the base color to get the desired color =garex color less transformation","author":"=garex","date":"2014-03-17 "},{"name":"colors.cc","description":"colors for C++","url":null,"keywords":"","version":"0.0.0","words":"colors.cc colors for c++ =divanvisagie","author":"=divanvisagie","date":"2013-09-19 "},{"name":"colors.css","description":"Better colors for the web. A collection of skin classes for faster prototyping and nicer looking sites.","url":null,"keywords":"colors design palette css oocss sass stylus myth less","version":"1.0.0","words":"colors.css better colors for the web. a collection of skin classes for faster prototyping and nicer looking sites. =mrmrs colors design palette css oocss sass stylus myth less","author":"=mrmrs","date":"2014-06-06 "},{"name":"colors.js","description":"A simple color manipulation javascript library.","url":null,"keywords":"colors color","version":"1.2.4","words":"colors.js a simple color manipulation javascript library. =majordan colors color","author":"=majordan","date":"2014-03-30 "},{"name":"colors2","description":"Get colors in your node.js console like what","url":null,"keywords":"ansi terminal colors colors2","version":"2.0.1-1","words":"colors2 get colors in your node.js console like what =avnerner ansi terminal colors colors2","author":"=avnerner","date":"2013-07-28 "},{"name":"colorsafeconsole","description":"A console wrapper to prevent ANSI colors being printed to output streams which aren't TTY","url":null,"keywords":"colors colours coloursafeconsole tty","version":"0.0.4","words":"colorsafeconsole a console wrapper to prevent ansi colors being printed to output streams which aren't tty =cjc colors colours coloursafeconsole tty","author":"=cjc","date":"2012-01-20 "},{"name":"colorspaces","description":"A tiny library for manipulating colors","url":null,"keywords":"color color space CIE RGB stylus","version":"0.1.4","words":"colorspaces a tiny library for manipulating colors =boronine color color space cie rgb stylus","author":"=boronine","date":"2014-04-07 "},{"name":"colortape","description":"Colorize test results of tape/node-tap.","url":null,"keywords":"test color tape tap","version":"0.0.4","words":"colortape colorize test results of tape/node-tap. =shuhei test color tape tap","author":"=shuhei","date":"2014-03-12 "},{"name":"colorvert","description":"Node universal color conversion tool.","url":null,"keywords":"color conversion JSON API node LittleCMS","version":"0.2.0","words":"colorvert node universal color conversion tool. =jpederson color conversion json api node littlecms","author":"=jpederson","date":"2014-06-15 "},{"name":"colorvert-api","description":"Color conversion JSON API","url":null,"keywords":"color conversion JSON API node LittleCMS","version":"1.1.0","words":"colorvert-api color conversion json api =jpederson color conversion json api node littlecms","author":"=jpederson","date":"2014-06-15 "},{"name":"colorx","description":"colorx","url":null,"keywords":"color colors beautiful","version":"0.0.5","words":"colorx colorx =xudafeng color colors beautiful","author":"=xudafeng","date":"2014-06-20 "},{"name":"colorzy","description":"Injects formatting methods into objects","url":null,"keywords":"format color console","version":"1.0.5","words":"colorzy injects formatting methods into objects =dak0rn format color console","author":"=dak0rn","date":"2014-04-16 "},{"name":"colour","description":"A cored, fixed, documented and optimized version of the popular `colors.js`: Get colors in your node.js console like what...","url":null,"keywords":"ansi terminal colors","version":"0.7.1","words":"colour a cored, fixed, documented and optimized version of the popular `colors.js`: get colors in your node.js console like what... =dcode ansi terminal colors","author":"=dcode","date":"2013-05-03 "},{"name":"colour-extractor","description":"Extract colour palettes from images","url":null,"keywords":"","version":"0.2.1","words":"colour-extractor extract colour palettes from images =josip","author":"=josip","date":"2013-02-11 "},{"name":"colour-me-life","description":"NodeJS colour gradient helper","url":null,"keywords":"colour gradient","version":"0.0.2","words":"colour-me-life nodejs colour gradient helper =pablodenadai colour gradient","author":"=pablodenadai","date":"2014-08-11 "},{"name":"colour-proximity","description":"Get a value of the proximity of two hex colours.","url":null,"keywords":"color colour proximity closeness similarity L*a*b* Lab","version":"0.0.2","words":"colour-proximity get a value of the proximity of two hex colours. =gausie color colour proximity closeness similarity l*a*b* lab","author":"=gausie","date":"2013-08-24 "},{"name":"colour.js","description":"Colour manipulation class","url":null,"keywords":"colour color css","version":"1.5.2","words":"colour.js colour manipulation class =tremby colour color css","author":"=tremby","date":"2014-01-29 "},{"name":"coloured","description":"Pretty colours in your terminal.","url":null,"keywords":"","version":"0.2.0","words":"coloured pretty colours in your terminal. =gf3","author":"=gf3","date":"prehistoric"},{"name":"coloured-log","description":"Combines \"coloured\" and \"log.js\" for super simple pretty logging.","url":null,"keywords":"coloured log logger","version":"0.9.7","words":"coloured-log combines \"coloured\" and \"log.js\" for super simple pretty logging. =bentruyman coloured log logger","author":"=bentruyman","date":"2013-05-23 "},{"name":"colourlovers","description":"COLOURlovers for Node.js is a connection library for COLOURlovers API, giving you access to an infinite database of colors, palettes, patterns and a lot more provided by COLOURlovers.","url":null,"keywords":"colourlovers color palettes pattern designer","version":"0.1.1","words":"colourlovers colourlovers for node.js is a connection library for colourlovers api, giving you access to an infinite database of colors, palettes, patterns and a lot more provided by colourlovers. =jpmonette colourlovers color palettes pattern designer","author":"=jpmonette","date":"2013-03-30 "},{"name":"colours","description":"get colors in your node.js console like what","url":null,"keywords":"ansi terminal colors","version":"0.6.0-2","words":"colours get colors in your node.js console like what =fouber ansi terminal colors","author":"=fouber","date":"2013-05-23 "},{"name":"colr","description":"Fast and simple color conversion","url":null,"keywords":"color convert converstion grayscale hex rgb hsv hsl hsb lighten darken","version":"1.2.1","words":"colr fast and simple color conversion =stayradiated color convert converstion grayscale hex rgb hsv hsl hsb lighten darken","author":"=stayradiated","date":"2014-08-30 "},{"name":"colr-convert","description":"Color conversion functions","url":null,"keywords":"color convert hsl hex hsv hsb rgb","version":"1.0.4","words":"colr-convert color conversion functions =stayradiated color convert hsl hex hsv hsb rgb","author":"=stayradiated","date":"2014-08-30 "},{"name":"colsole","description":"Yet another colored console","url":null,"keywords":"console log warn info error color colour colors colours","version":"0.0.2","words":"colsole yet another colored console =bredikhin console log warn info error color colour colors colours","author":"=bredikhin","date":"2014-06-06 "},{"name":"columbo","description":"Framework agnostic, automagical RESTful resource discoverer","url":null,"keywords":"","version":"1.2.0","words":"columbo framework agnostic, automagical restful resource discoverer =achingbrain","author":"=achingbrain","date":"2014-03-29 "},{"name":"column","description":"Column for writting","url":null,"keywords":"Column Press Blog","version":"0.0.2","words":"column column for writting =jacksontian column press blog","author":"=jacksontian","date":"2014-02-11 "},{"name":"column-control","description":"decorate an html table with basic column controls","url":null,"keywords":"table columns","version":"0.1.4","words":"column-control decorate an html table with basic column controls =wunderlink table columns","author":"=wunderlink","date":"2014-04-23 "},{"name":"columnify","description":"Render data in text columns, supports in-column text-wrap.","url":null,"keywords":"column text ansi console terminal wrap table","version":"1.2.1","words":"columnify render data in text columns, supports in-column text-wrap. =timoxley column text ansi console terminal wrap table","author":"=timoxley","date":"2014-08-11 "},{"name":"columnify-wordpress","description":"Creates columns with widgets quickly and painless","url":null,"keywords":"","version":"0.0.1","words":"columnify-wordpress creates columns with widgets quickly and painless =markotom","author":"=markotom","date":"2014-07-12 "},{"name":"columnist","description":"Parses out comma seperated text","url":null,"keywords":"csv text-parsing","version":"0.0.3","words":"columnist parses out comma seperated text =bthesorceror csv text-parsing","author":"=bthesorceror","date":"2013-07-03 "},{"name":"columnize","description":"print data in columns","url":null,"keywords":"","version":"0.0.0","words":"columnize print data in columns =russfrank","author":"=russfrank","date":"2012-05-08 "},{"name":"columnizer","description":"A text formatting utility for printing nice columns in terminal output.","url":null,"keywords":"cli text columns","version":"0.1.0","words":"columnizer a text formatting utility for printing nice columns in terminal output. =henrikjoreteg cli text columns","author":"=henrikjoreteg","date":"2013-09-18 "},{"name":"columnpress","description":"ColumnPress for writting blog","url":null,"keywords":"Column Press Blog","version":"0.0.4","words":"columnpress columnpress for writting blog =jacksontian column press blog","author":"=jacksontian","date":"2014-07-23 "},{"name":"coly","description":"node-coly =========","url":null,"keywords":"coly","version":"0.1.4","words":"coly node-coly ========= =moonwa coly","author":"=moonwa","date":"2014-04-01 "},{"name":"coly-dust","keywords":"","version":[],"words":"coly-dust","author":"","date":"2014-07-12 "},{"name":"coly-view","description":"Template engine for coly","url":null,"keywords":"template engine view","version":"0.1.1","words":"coly-view template engine for coly =moon.wa template engine view","author":"=moon.wa","date":"2014-07-17 "},{"name":"colyn-test-cli","description":"Will be deleting this shortly","url":null,"keywords":"","version":"0.0.1","words":"colyn-test-cli will be deleting this shortly =colyn","author":"=colyn","date":"2013-02-18 "},{"name":"com","description":"com ===","url":null,"keywords":"","version":"0.0.5","words":"com com === =sel","author":"=sel","date":"2013-07-02 "},{"name":"com-fs","description":"file system components","url":null,"keywords":"","version":"0.1.7","words":"com-fs file system components =controls","author":"=controls","date":"2014-02-14 "},{"name":"com-jhc-time","url":null,"keywords":"","version":"0.0.2","words":"com-jhc-time =jhc20","author":"=jhc20","date":"2012-07-09 "},{"name":"com.coder73.demo","description":"Demo Package","url":null,"keywords":"math com.coder73.demo","version":"0.0.0","words":"com.coder73.demo demo package =ballr73 math com.coder73.demo","author":"=ballr73","date":"2014-05-09 "},{"name":"com.coder73.math_example","description":"example","url":null,"keywords":"","version":"0.0.0","words":"com.coder73.math_example example =ballr73","author":"=ballr73","date":"2013-04-08 "},{"name":"com.doersguild.brackets.phplint","description":"`php -l` powered PHP-lint extension for Brackets","url":null,"keywords":"phplint brackets php linting codequality inspection","version":"1.0.2","words":"com.doersguild.brackets.phplint `php -l` powered php-lint extension for brackets =sathvik phplint brackets php linting codequality inspection","author":"=sathvik","date":"2014-02-24 "},{"name":"com.izaakschroeder.async-array","description":"A simple asynchronous array.","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.async-array a simple asynchronous array. =izaakschroeder","author":"=izaakschroeder","date":"2012-04-07 "},{"name":"com.izaakschroeder.avahi","url":null,"keywords":"","version":"0.0.4","words":"com.izaakschroeder.avahi =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.dbus","url":null,"keywords":"","version":"0.0.3","words":"com.izaakschroeder.dbus =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.directory","description":"A file based resource fetcher.","url":null,"keywords":"","version":"0.0.2","words":"com.izaakschroeder.directory a file based resource fetcher. =izaakschroeder","author":"=izaakschroeder","date":"2012-06-03 "},{"name":"com.izaakschroeder.dom","description":"A simple implementation of the DOM.","url":null,"keywords":"","version":"0.0.7","words":"com.izaakschroeder.dom a simple implementation of the dom. =izaakschroeder","author":"=izaakschroeder","date":"2013-12-19 "},{"name":"com.izaakschroeder.elasticsearch","description":"A simple client for ElasticSearch.","url":null,"keywords":"","version":"0.0.3","words":"com.izaakschroeder.elasticsearch a simple client for elasticsearch. =izaakschroeder","author":"=izaakschroeder","date":"2012-06-20 "},{"name":"com.izaakschroeder.log","description":"A simple logging system.","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.log a simple logging system. =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.log.console","description":"A console based logging plugin.","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.log.console a console based logging plugin. =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.presto","description":"A simple web framework for node.js.","url":null,"keywords":"","version":"0.0.3","words":"com.izaakschroeder.presto a simple web framework for node.js. =izaakschroeder","author":"=izaakschroeder","date":"2012-06-03 "},{"name":"com.izaakschroeder.presto.avahi","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.presto.avahi =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.presto.git","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.presto.git =izaakschroeder","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.presto.static-content","url":null,"keywords":"","version":"0.0.2","words":"com.izaakschroeder.presto.static-content =izaakschroeder","author":"=izaakschroeder","date":"2012-06-03 "},{"name":"com.izaakschroeder.secure-token","description":"Make secure tokens.","url":null,"keywords":"","version":"0.0.2","words":"com.izaakschroeder.secure-token make secure tokens. =izaakschroeder","author":"=izaakschroeder","date":"2014-01-12 "},{"name":"com.izaakschroeder.trait","description":"More party.","url":null,"keywords":"","version":"0.0.2","words":"com.izaakschroeder.trait more party. =izaakschroeder","author":"=izaakschroeder","date":"2013-07-02 "},{"name":"com.izaakschroeder.traits","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.traits =izaakschroeder","author":"=izaakschroeder","date":"2012-07-03 "},{"name":"com.izaakschroeder.trueskill","description":"TrueSkill compatible ranking system.","url":null,"keywords":"","version":"0.0.2","words":"com.izaakschroeder.trueskill trueskill compatible ranking system. =izaakschroeder","author":"=izaakschroeder","date":"2013-12-18 "},{"name":"com.izaakschroeder.uuid","description":"UUID generator.","url":null,"keywords":"","version":"0.0.3","words":"com.izaakschroeder.uuid uuid generator. =izaakschroeder","author":"=izaakschroeder","date":"2013-12-18 "},{"name":"com.izaakschroeder.validator","description":"A simple input validation framework.","url":null,"keywords":"validator validation input","version":"0.0.2","words":"com.izaakschroeder.validator a simple input validation framework. =izaakschroeder validator validation input","author":"=izaakschroeder","date":"2012-04-04 "},{"name":"com.izaakschroeder.xml","description":"Party.","url":null,"keywords":"","version":"0.0.1","words":"com.izaakschroeder.xml party. =izaakschroeder","author":"=izaakschroeder","date":"2013-07-02 "},{"name":"com.rk.mypackage","description":"my test for package","url":null,"keywords":"","version":"0.0.1","words":"com.rk.mypackage my test for package =ieyjbai","author":"=ieyjbai","date":"2013-09-09 "},{"name":"com.wernercd.math_example","keywords":"","version":[],"words":"com.wernercd.math_example","author":"","date":"2014-08-13 "},{"name":"com.wernercd.xample.math","keywords":"","version":[],"words":"com.wernercd.xample.math","author":"","date":"2014-08-13 "},{"name":"com.wernercd.xample.math.library","description":"A simple node math library","url":null,"keywords":"math example addition subtraction division fibonacci","version":"0.0.18","words":"com.wernercd.xample.math.library a simple node math library =wernercd math example addition subtraction division fibonacci","author":"=wernercd","date":"2014-08-14 "},{"name":"comand-line-tools-u","description":"some ci utils","url":null,"keywords":"","version":"0.0.1","words":"comand-line-tools-u some ci utils =lyuehh","author":"=lyuehh","date":"2013-03-24 "},{"name":"comandante","description":"spawn() that returns a duplex stream and emits errors with stderr data on non-zero exit codes","url":null,"keywords":"spawn stream duplex stderr exit code non-zero","version":"0.0.1","words":"comandante spawn() that returns a duplex stream and emits errors with stderr data on non-zero exit codes =substack spawn stream duplex stderr exit code non-zero","author":"=substack","date":"2012-10-04 "},{"name":"comb","description":"A framework for node","url":null,"keywords":"OO Object Oriented Collections Tree HashTable Pool Logging Promise Promises Proxy","version":"0.3.6","words":"comb a framework for node =damartin oo object oriented collections tree hashtable pool logging promise promises proxy","author":"=damartin","date":"2014-08-14 "},{"name":"comb-proxy","description":"A framework for node","url":null,"keywords":"comb Proxy","version":"0.0.3","words":"comb-proxy a framework for node =damartin comb proxy","author":"=damartin","date":"2012-09-06 "},{"name":"combigreater","keywords":"","version":[],"words":"combigreater","author":"","date":"2013-07-06 "},{"name":"combilog","description":"Combinatory Logic: Finding and Evaluating Combinators","url":null,"keywords":"combinatory logic combinator rewriting","version":"0.2.0","words":"combilog combinatory logic: finding and evaluating combinators =mafu combinatory logic combinator rewriting","author":"=mafu","date":"2013-12-16 "},{"name":"combinat","url":null,"keywords":"","version":"0.0.3","words":"combinat =shstefanov","author":"=shstefanov","date":"2014-09-19 "},{"name":"combination_gen","description":"Combinations generator (combinatorics) Generates all possible combinations of (n/k) k elements from n elements with no repetitions. Iterate or display combinations.","url":null,"keywords":"","version":"1.0.2","words":"combination_gen combinations generator (combinatorics) generates all possible combinations of (n/k) k elements from n elements with no repetitions. iterate or display combinations. =nzonbi","author":"=nzonbi","date":"2012-02-21 "},{"name":"combinations","description":"find all combinations from array","url":null,"keywords":"combination combo array","version":"0.1.0","words":"combinations find all combinations from array =jga combination combo array","author":"=jga","date":"2012-08-12 "},{"name":"combinator","description":"Find multiple concurrent ')` directive and includes these files.","url":null,"keywords":"gulpplugin script concat","version":"1.0.0","words":"gulp-concat-script parses js files, finds `document.write('')` directive and includes these files. =wenzhixin gulpplugin script concat","author":"=wenzhixin","date":"2014-08-25 "},{"name":"gulp-concat-sourcemap","description":"Concatenate files and generate a source map file","url":null,"keywords":"gulpplugin gulp concat sourcemap","version":"1.3.1","words":"gulp-concat-sourcemap concatenate files and generate a source map file =mikach gulpplugin gulp concat sourcemap","author":"=mikach","date":"2014-07-07 "},{"name":"gulp-concat-sourcemap-bom","description":"Concatenate files and generate a source map file. Remove BOM","url":null,"keywords":"gulpplugin gulp concat sourcemap bom","version":"1.0.0","words":"gulp-concat-sourcemap-bom concatenate files and generate a source map file. remove bom =cwmacdon gulpplugin gulp concat sourcemap bom","author":"=cwmacdon","date":"2014-05-05 "},{"name":"gulp-concat-srcmapster","keywords":"","version":[],"words":"gulp-concat-srcmapster","author":"","date":"2014-06-30 "},{"name":"gulp-concat-util","description":"Gulp task to concat, prepend, append or transform files","url":null,"keywords":"gulp angular","version":"0.4.0","words":"gulp-concat-util gulp task to concat, prepend, append or transform files =mgcrea gulp angular","author":"=mgcrea","date":"2014-08-17 "},{"name":"gulp-concat-vendor","description":"Concatenates external libraries installed by Bower and sorted by their dependencies","url":null,"keywords":"gulpplugin","version":"0.0.4","words":"gulp-concat-vendor concatenates external libraries installed by bower and sorted by their dependencies =patrickpietens gulpplugin","author":"=patrickpietens","date":"2014-09-02 "},{"name":"gulp-cond","description":"Ternary operator for Gulp.","url":null,"keywords":"gulpplugin gulp gulp-plugin condition operator ternary","version":"0.0.2","words":"gulp-cond ternary operator for gulp. =nfroidure gulpplugin gulp gulp-plugin condition operator ternary","author":"=nfroidure","date":"2014-03-29 "},{"name":"gulp-config","description":"Provides Grunt like config support to gulp","url":null,"keywords":"gulp grunt config gulpfriendly","version":"0.2.4","words":"gulp-config provides grunt like config support to gulp =indieisaconcept gulp grunt config gulpfriendly","author":"=indieisaconcept","date":"2014-08-31 "},{"name":"gulp-conflict","description":"Check if files in stream conflict with those in target dir, with option to use new, keep old, show diff, etc.","url":null,"keywords":"gulpplugin yeoman slush dest confirm ask conflict","version":"0.2.0","words":"gulp-conflict check if files in stream conflict with those in target dir, with option to use new, keep old, show diff, etc. =joakimbeng gulpplugin yeoman slush dest confirm ask conflict","author":"=joakimbeng","date":"2014-07-29 "},{"name":"gulp-conkitty","description":"Compile Conkitty Templates","url":null,"keywords":"gulpplugin conkitty templates compile","version":"0.5.11","words":"gulp-conkitty compile conkitty templates =hoho gulpplugin conkitty templates compile","author":"=hoho","date":"2014-09-19 "},{"name":"gulp-connect","description":"Gulp plugin to run a webserver (with LiveReload)","url":null,"keywords":"gulpfriendly connect livereload webserver server","version":"2.0.6","words":"gulp-connect gulp plugin to run a webserver (with livereload) =avevlad gulpfriendly connect livereload webserver server","author":"=avevlad","date":"2014-07-08 "},{"name":"gulp-connect-multi","description":"A fork of gulp-connect with multiple servers support","url":null,"keywords":"deprecated connect livereload open server url chrome browser","version":"1.0.8","words":"gulp-connect-multi a fork of gulp-connect with multiple servers support =rifat deprecated connect livereload open server url chrome browser","author":"=rifat","date":"2014-04-21 "},{"name":"gulp-consolidate","description":"Template engine consolidation for gulp","url":null,"keywords":"gulpplugin","version":"0.1.2","words":"gulp-consolidate template engine consolidation for gulp =timrwood gulpplugin","author":"=timrwood","date":"2014-03-08 "},{"name":"gulp-continuous-concat","description":"Continuously concatenates files (makes gulp-watch useful again for concated files)","url":null,"keywords":"gulpplugin","version":"0.1.1","words":"gulp-continuous-concat continuously concatenates files (makes gulp-watch useful again for concated files) =davewasmer gulpplugin","author":"=davewasmer","date":"2014-02-05 "},{"name":"gulp-contribs","description":"Give your open-source contributors some credit - automatically list them in your readme.md, or anywhere else.","url":null,"keywords":"gulpplugin contributors","version":"0.0.2","words":"gulp-contribs give your open-source contributors some credit - automatically list them in your readme.md, or anywhere else. =shakyshane gulpplugin contributors","author":"=shakyshane","date":"2014-03-02 "},{"name":"gulp-conventional-changelog","keywords":"","version":[],"words":"gulp-conventional-changelog","author":"","date":"2014-06-12 "},{"name":"gulp-convert","description":"Gulp plugin to convert to or from JSON, YAML, XML, PLIST or CSV.","url":null,"keywords":"gulpplugin gulp convert","version":"0.1.0","words":"gulp-convert gulp plugin to convert to or from json, yaml, xml, plist or csv. =doowb gulpplugin gulp convert","author":"=doowb","date":"2014-04-09 "},{"name":"gulp-convert-encoding","description":"Convert files from one encoding to another using iconv-lite.","url":null,"keywords":"gulpplugin iconv iconv-lite convert encoding decoding charset","version":"0.0.1","words":"gulp-convert-encoding convert files from one encoding to another using iconv-lite. =alicemurphy gulpplugin iconv iconv-lite convert encoding decoding charset","author":"=alicemurphy","date":"2014-09-19 "},{"name":"gulp-converter-tjs","description":"Converts new type of OpenCV HaarCascade xml data to tracking.js internal rep","url":null,"keywords":"","version":"0.0.3","words":"gulp-converter-tjs converts new type of opencv haarcascade xml data to tracking.js internal rep =cirocosta","author":"=cirocosta","date":"2014-08-25 "},{"name":"gulp-cooker","description":"a internal build tool","url":null,"keywords":"","version":"0.0.6","words":"gulp-cooker a internal build tool =exolution","author":"=exolution","date":"2014-08-21 "},{"name":"gulp-copy","description":"Plugin copying files to a new destination and using that destionation for other actions","url":null,"keywords":"gulpplugin copy","version":"0.0.2","words":"gulp-copy plugin copying files to a new destination and using that destionation for other actions =janrywang gulpplugin copy","author":"=janrywang","date":"2014-08-12 "},{"name":"gulp-copyright","description":"","url":null,"keywords":"","version":"0.0.0","words":"gulp-copyright =gdi2290","author":"=gdi2290","date":"2014-02-04 "},{"name":"gulp-cortex-handlebars-compiler","description":"Gulp task builder for cortex-handlebars-compiler","url":null,"keywords":"gulp task cortex handlebars neuron","version":"1.0.6","words":"gulp-cortex-handlebars-compiler gulp task builder for cortex-handlebars-compiler =kael gulp task cortex handlebars neuron","author":"=kael","date":"2014-09-04 "},{"name":"gulp-cortex-html-sauce","description":"gulp task for cortex-html-sauce","url":null,"keywords":"cortex css gulp dependencies","version":"0.1.1","words":"gulp-cortex-html-sauce gulp task for cortex-html-sauce =villadora cortex css gulp dependencies","author":"=villadora","date":"2014-07-03 "},{"name":"gulp-cortex-jade-mixins","description":"Common jade mixins for cortex projects.","url":null,"keywords":"gulp plugin cortex jade neuron","version":"0.1.4","words":"gulp-cortex-jade-mixins common jade mixins for cortex projects. =kael gulp plugin cortex jade neuron","author":"=kael","date":"2014-06-05 "},{"name":"gulp-coverage","description":"Instrument and generate code coverage independent of test runner","url":null,"keywords":"coverage code coverage mocha jasmine gulpplugin","version":"0.3.29","words":"gulp-coverage instrument and generate code coverage independent of test runner =dylanb coverage code coverage mocha jasmine gulpplugin","author":"=dylanb","date":"2014-09-20 "},{"name":"gulp-coveralls","description":"Gulp plugin to submit code coverage to Coveralls","url":null,"keywords":"gulpplugin coverage","version":"0.1.3","words":"gulp-coveralls gulp plugin to submit code coverage to coveralls =markdalgleish gulpplugin coverage","author":"=markdalgleish","date":"2014-09-03 "},{"name":"gulp-cram","description":"Assemble resources using cujoJS cram","url":null,"keywords":"gulpplugin cram cujoJS assemble","version":"0.2.0","words":"gulp-cram assemble resources using cujojs cram =bclozel gulpplugin cram cujojs assemble","author":"=bclozel","date":"2014-04-08 "},{"name":"gulp-crash-sound","description":"Play a WAV or MP3 when gulp crashes","url":null,"keywords":"gulp crash error exit sound play gulp-plumber","version":"0.0.1","words":"gulp-crash-sound play a wav or mp3 when gulp crashes =zacbarton gulp crash error exit sound play gulp-plumber","author":"=zacbarton","date":"2014-07-10 "},{"name":"gulp-crass","description":"Css optimize","url":null,"keywords":"gulpplugin optimize css","version":"0.0.1","words":"gulp-crass css optimize =cobaimelan gulpplugin optimize css","author":"=cobaimelan","date":"2014-02-22 "},{"name":"gulp-crystal","description":"gulp tools for crystal build","url":null,"keywords":"","version":"0.0.1","words":"gulp-crystal gulp tools for crystal build =youngjay","author":"=youngjay","date":"2014-04-23 "},{"name":"gulp-cson","description":"Parse cson with gulp","url":null,"keywords":"gulp cson json gulpplugin gulp-plugin","version":"0.0.1","words":"gulp-cson parse cson with gulp =stevelacy gulp cson json gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-03-03 "},{"name":"gulp-cson-safe","description":"Parse cson with gulp","url":null,"keywords":"gulp cson json gulpplugin gulp-plugin","version":"0.0.1","words":"gulp-cson-safe parse cson with gulp =drampelt gulp cson json gulpplugin gulp-plugin","author":"=drampelt","date":"2014-04-16 "},{"name":"gulp-css","description":"Minify css with clean-css.","url":null,"keywords":"gulpplugin css minify css","version":"0.1.0","words":"gulp-css minify css with clean-css. =karoo gulpplugin css minify css","author":"=karoo","date":"2014-09-19 "},{"name":"gulp-css-base64","description":"Gulp's task for transform all resources found in a CSS into base64-encoded data URI strings","url":null,"keywords":"gulpplugin css base64","version":"1.2.5","words":"gulp-css-base64 gulp's task for transform all resources found in a css into base64-encoded data uri strings =zckrs gulpplugin css base64","author":"=zckrs","date":"2014-08-11 "},{"name":"gulp-css-cache-bust","description":"Add query to CSS for cache buster.","url":null,"keywords":"gulpplugin cachebuster","version":"0.0.7","words":"gulp-css-cache-bust add query to css for cache buster. =minodisk gulpplugin cachebuster","author":"=minodisk","date":"2014-09-01 "},{"name":"gulp-css-combo","description":"> Lorem ipsum","url":null,"keywords":"gulpplugin","version":"0.0.0","words":"gulp-css-combo > lorem ipsum =daxingplay gulpplugin","author":"=daxingplay","date":"2014-06-12 "},{"name":"gulp-css-flip","description":"A CSS BiDi flipper gulpjs plugin based on css-flip package","url":null,"keywords":"css ltr rtl bidi flip gulpplugin","version":"0.4.0","words":"gulp-css-flip a css bidi flipper gulpjs plugin based on css-flip package =itaymesh css ltr rtl bidi flip gulpplugin","author":"=itaymesh","date":"2014-04-20 "},{"name":"gulp-css-globbing","description":"A Gulp plugin for globbing CSS @import statements","url":null,"keywords":"gulpplugin css glob","version":"0.1.3","words":"gulp-css-globbing a gulp plugin for globbing css @import statements =jsahlen gulpplugin css glob","author":"=jsahlen","date":"2014-09-18 "},{"name":"gulp-css-rebase-urls","description":"Rebase relative image URLs","url":null,"keywords":"gulpplugin css url","version":"0.0.5","words":"gulp-css-rebase-urls rebase relative image urls =kimjoar gulpplugin css url","author":"=kimjoar","date":"2014-01-23 "},{"name":"gulp-css-sprite","description":"CSS Sprite with spritesmith","url":null,"keywords":"gulpplugin css sprite","version":"0.0.8","words":"gulp-css-sprite css sprite with spritesmith =minodisk gulpplugin css sprite","author":"=minodisk","date":"2014-08-21 "},{"name":"gulp-css-target","description":"Gulp helpers for Toolkit (http://github.com/team-sass/toolkit)","url":null,"keywords":"gulp gulpplugin css rwd target sass","version":"0.1.0","words":"gulp-css-target gulp helpers for toolkit (http://github.com/team-sass/toolkit) =snugug gulp gulpplugin css rwd target sass","author":"=snugug","date":"2014-06-15 "},{"name":"gulp-css-url-adjuster","description":"Adjust urls inside css","url":null,"keywords":"gulpplugin css url image","version":"0.1.1","words":"gulp-css-url-adjuster adjust urls inside css =relaxation gulpplugin css url image","author":"=relaxation","date":"2014-09-11 "},{"name":"gulp-css-validator","description":"Gulp port of the node css-validator plugin","url":null,"keywords":"","version":"0.0.4","words":"gulp-css-validator gulp port of the node css-validator plugin =mgmeyers","author":"=mgmeyers","date":"2014-04-21 "},{"name":"gulp-css-whitespace","description":"Converts white-space significant CSS to normal CSS","url":null,"keywords":"gulp gulpplugin css-whitespace","version":"0.1.2","words":"gulp-css-whitespace converts white-space significant css to normal css =rschmukler gulp gulpplugin css-whitespace","author":"=rschmukler","date":"2014-07-25 "},{"name":"gulp-css2js","description":"Convert CSS into JavaScript. Works with buffers and streams.","url":null,"keywords":"gulpplugin css2js","version":"1.0.2","words":"gulp-css2js convert css into javascript. works with buffers and streams. =fidian gulpplugin css2js","author":"=fidian","date":"2014-07-30 "},{"name":"gulp-cssbeautify","description":"Reindent and reformat CSS","url":null,"keywords":"gulpplugin cssbeautify css formatter","version":"0.1.3","words":"gulp-cssbeautify reindent and reformat css =jonkemp gulpplugin cssbeautify css formatter","author":"=jonkemp","date":"2014-03-29 "},{"name":"gulp-csscomb","description":"CSScomb is a coding style formatter for CSS.","url":null,"keywords":"gulp css csscomb lint linter preprocessor gulpplugin gulp-plugin gulp-csscomb","version":"3.0.2","words":"gulp-csscomb csscomb is a coding style formatter for css. =koistya gulp css csscomb lint linter preprocessor gulpplugin gulp-plugin gulp-csscomb","author":"=koistya","date":"2014-07-23 "},{"name":"gulp-csscss","description":"gulp plugin for running csscss","url":null,"keywords":"gulpplugin css csscss","version":"0.0.2","words":"gulp-csscss gulp plugin for running csscss =morishitter gulpplugin css csscss","author":"=morishitter","date":"2014-03-10 "},{"name":"gulp-csscssfont64","keywords":"","version":[],"words":"gulp-csscssfont64","author":"","date":"2014-03-05 "},{"name":"gulp-cssfont64","description":"Encode base64 data from font-files and store the result in a css file.","url":null,"keywords":"gulpplugin encode base64 font css ttf","version":"0.0.1","words":"gulp-cssfont64 encode base64 data from font-files and store the result in a css file. =247even gulpplugin encode base64 font css ttf","author":"=247even","date":"2014-03-05 "},{"name":"gulp-cssimg","description":"handle background images for css","url":null,"keywords":"","version":"0.1.2","words":"gulp-cssimg handle background images for css =sorrycc","author":"=sorrycc","date":"2014-06-24 "},{"name":"gulp-cssimport","description":"Parses css files, finds `@import` directive and includes these files.","url":null,"keywords":"gulpplugin css import","version":"1.2.3","words":"gulp-cssimport parses css files, finds `@import` directive and includes these files. =iamthes gulpplugin css import","author":"=iamthes","date":"2014-07-14 "},{"name":"gulp-cssjoin","description":"Extend and join css @import loaded file","url":null,"keywords":"gulpplugin css import include extend","version":"0.1.2","words":"gulp-cssjoin extend and join css @import loaded file =suisho gulpplugin css import include extend","author":"=suisho","date":"2014-03-16 "},{"name":"gulp-csslint","description":"CSSLint plugin for gulp","url":null,"keywords":"gulpplugin csslint","version":"0.1.5","words":"gulp-csslint csslint plugin for gulp =lazd gulpplugin csslint","author":"=lazd","date":"2014-08-02 "},{"name":"gulp-csslint-filereporter","description":"File reporter for the gulp-csslint module","url":null,"keywords":"","version":"0.0.3","words":"gulp-csslint-filereporter file reporter for the gulp-csslint module =defoil","author":"=defoil","date":"2014-09-18 "},{"name":"gulp-cssmin","description":"minify css using gulp","url":null,"keywords":"gulpjs gulpplugin min css","version":"0.1.6","words":"gulp-cssmin minify css using gulp =chilijung gulpjs gulpplugin min css","author":"=chilijung","date":"2014-06-18 "},{"name":"gulp-cssnext","description":"Use tomorrow's CSS syntax, today. Via Gulp.","url":null,"keywords":"css preprocessor postprocessor rework postcss autoprefixer gulpplugin","version":"0.3.0","words":"gulp-cssnext use tomorrow's css syntax, today. via gulp. =bloodyowl =moox css preprocessor postprocessor rework postcss autoprefixer gulpplugin","author":"=bloodyowl =moox","date":"2014-08-24 "},{"name":"gulp-csso","description":"Minify CSS with CSSO.","url":null,"keywords":"gulpplugin minify css","version":"0.2.9","words":"gulp-csso minify css with csso. =beneb gulpplugin minify css","author":"=beneb","date":"2014-06-02 "},{"name":"gulp-cssshrink","description":"Run CSS through cssshrink","url":null,"keywords":"gulpplugin cssshrink css minify","version":"0.1.4","words":"gulp-cssshrink run css through cssshrink =torrottum gulpplugin cssshrink css minify","author":"=torrottum","date":"2014-07-29 "},{"name":"gulp-csstojs","description":"Compiles CSS files into JS that can be loaded on demand via requirejs.","url":null,"keywords":"","version":"1.0.1","words":"gulp-csstojs compiles css files into js that can be loaded on demand via requirejs. =dzearing","author":"=dzearing","date":"2014-07-31 "},{"name":"gulp-csv2json","description":"csv to json using gulp","url":null,"keywords":"gulp gulpplugin csv json","version":"0.1.4","words":"gulp-csv2json csv to json using gulp =chilijung gulp gulpplugin csv json","author":"=chilijung","date":"2014-03-14 "},{"name":"gulp-ctags","description":"ctags plugin for gulp","url":null,"keywords":"ctags gulpplugin gulp","version":"0.0.1","words":"gulp-ctags ctags plugin for gulp =daylilyfield ctags gulpplugin gulp","author":"=daylilyfield","date":"2014-09-19 "},{"name":"gulp-cubebox","url":null,"keywords":"","version":"0.0.0","words":"gulp-cubebox =xhowhy","author":"=xhowhy","date":"2014-06-10 "},{"name":"gulp-cwebp","description":"Convert JPG and PNG images to WebP with gulp task.","url":null,"keywords":"","version":"0.1.3","words":"gulp-cwebp convert jpg and png images to webp with gulp task. =1000ch","author":"=1000ch","date":"2014-08-30 "},{"name":"gulp-dalek","description":"Run Dalek tests","url":null,"keywords":"dalek dalekjs gulp-dalek gulp-dalekjs e2e","version":"0.0.1","words":"gulp-dalek run dalek tests =mattcreager dalek dalekjs gulp-dalek gulp-dalekjs e2e","author":"=mattcreager","date":"2014-05-27 "},{"name":"gulp-dart2js","description":"gulp plugin for dart2js","url":null,"keywords":"gulpplugin dart dart2js","version":"0.0.2","words":"gulp-dart2js gulp plugin for dart2js =revathskumar gulpplugin dart dart2js","author":"=revathskumar","date":"2014-01-07 "},{"name":"gulp-data","description":"Generate a data object from a variety of sources: json, front-matter, databases, promises, anything... and set it to the file object for other plugins to consume.","url":null,"keywords":"gulpplugin data json gulp","version":"1.0.2","words":"gulp-data generate a data object from a variety of sources: json, front-matter, databases, promises, anything... and set it to the file object for other plugins to consume. =colynb gulpplugin data json gulp","author":"=colynb","date":"2014-07-30 "},{"name":"gulp-data-uri","description":"convert imgs from css to datauri","url":null,"keywords":"gulpplugin data-uri","version":"0.1.3","words":"gulp-data-uri convert imgs from css to datauri =versoul gulpplugin data-uri","author":"=versoul","date":"2014-03-27 "},{"name":"gulp-debug","description":"Debug vinyl file streams","url":null,"keywords":"gulpplugin debug debugging inspect log logger vinyl file inspect fs","version":"1.0.1","words":"gulp-debug debug vinyl file streams =sindresorhus gulpplugin debug debugging inspect log logger vinyl file inspect fs","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-declare","description":"Safely declare namespaces and set their properties","url":null,"keywords":"gulpplugin declare","version":"0.3.0","words":"gulp-declare safely declare namespaces and set their properties =lazd gulpplugin declare","author":"=lazd","date":"2014-08-15 "},{"name":"gulp-defeatureify","description":"Remove specially flagged feature blocks and debug statements from Javascript using defeatureify [Experimental]","url":null,"keywords":"gulpplugin ember defeatureify debug strip preprocess javascript","version":"0.1.1","words":"gulp-defeatureify remove specially flagged feature blocks and debug statements from javascript using defeatureify [experimental] =jas gulpplugin ember defeatureify debug strip preprocess javascript","author":"=jas","date":"2014-02-16 "},{"name":"gulp-define-module","description":"gulp.js plugin for creating modules","url":null,"keywords":"gulpplugin gulpfriendly amd commonjs node","version":"0.1.1","words":"gulp-define-module gulp.js plugin for creating modules =wbyoung gulpplugin gulpfriendly amd commonjs node","author":"=wbyoung","date":"2014-04-22 "},{"name":"gulp-defs","description":"Gulp plugin for static scope analysis and transpilation of ES6 block scoped const and let variables to ES3 vars","url":null,"keywords":"gulpplugin defs ES6","version":"0.0.1","words":"gulp-defs gulp plugin for static scope analysis and transpilation of es6 block scoped const and let variables to es3 vars =efrafa gulpplugin defs es6","author":"=efrafa","date":"2014-07-18 "},{"name":"gulp-delta","description":"Only pass through changed files by comparing buffer contents","url":null,"keywords":"gulpplugin file files change changed delta newer modified updated buffer contents passthrough","version":"0.1.1","words":"gulp-delta only pass through changed files by comparing buffer contents =stolksdorf gulpplugin file files change changed delta newer modified updated buffer contents passthrough","author":"=stolksdorf","date":"2014-04-30 "},{"name":"gulp-dependency-visualizer","description":"Gulp plugin for js-dependency-visualizer","url":null,"keywords":"","version":"0.1.1","words":"gulp-dependency-visualizer gulp plugin for js-dependency-visualizer =1000ch","author":"=1000ch","date":"2014-07-24 "},{"name":"gulp-deporder","description":"Reorder by dependencies","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-deporder reorder by dependencies =mkleehammer gulpplugin","author":"=mkleehammer","date":"2014-03-10 "},{"name":"gulp-deps","description":"Get the complete list of a files dependencies","url":null,"keywords":"deps gulp watch deps dependencies","version":"0.0.0","words":"gulp-deps get the complete list of a files dependencies =ashaffer88 deps gulp watch deps dependencies","author":"=ashaffer88","date":"2014-03-17 "},{"name":"gulp-deps-order","description":"Sorts files in stream by dependencies using @requires annotation.","url":null,"keywords":"gulpplugin dependency dep order sort","version":"0.2.0","words":"gulp-deps-order sorts files in stream by dependencies using @requires annotation. =nevyk gulpplugin dependency dep order sort","author":"=nevyk","date":"2014-09-16 "},{"name":"gulp-derequire","description":"A Gulp plugin to apply derequire to target Buffer/Stream","url":null,"keywords":"derequire gulpplugin","version":"2.0.0","words":"gulp-derequire a gulp plugin to apply derequire to target buffer/stream =twada derequire gulpplugin","author":"=twada","date":"2014-09-16 "},{"name":"gulp-dest","description":"Wrapper around the vinyl fs dest to unlink deleted files.","url":null,"keywords":"","version":"0.1.1","words":"gulp-dest wrapper around the vinyl fs dest to unlink deleted files. =budjizu","author":"=budjizu","date":"2014-08-05 "},{"name":"gulp-dev","description":"Toggle html comments so that you can enable functionality for dev vs. production.","url":null,"keywords":"gulp gulpplugin development stream","version":"0.0.2","words":"gulp-dev toggle html comments so that you can enable functionality for dev vs. production. =ryannolson gulp gulpplugin development stream","author":"=ryannolson","date":"2014-05-22 "},{"name":"gulp-develop-server","description":"run node.js server and automatically restart for your development.","url":null,"keywords":"gulpplugin gulp server restart express","version":"0.2.0","words":"gulp-develop-server run node.js server and automatically restart for your development. =narirou gulpplugin gulp server restart express","author":"=narirou","date":"2014-09-09 "},{"name":"gulp-developerconsole","description":"A Gulp plugin that injects a console presenting test results into the main page.","url":null,"keywords":"gulpfriendly gulp jshint jasmine developerconsole","version":"0.0.1","words":"gulp-developerconsole a gulp plugin that injects a console presenting test results into the main page. =elifa gulpfriendly gulp jshint jasmine developerconsole","author":"=elifa","date":"2014-02-04 "},{"name":"gulp-devtools","description":"Gulp integration with Chrome Dev Tools","url":null,"keywords":"gulp devtools devtools chrome devtools","version":"0.0.3","words":"gulp-devtools gulp integration with chrome dev tools =niki4810 gulp devtools devtools chrome devtools","author":"=niki4810","date":"2014-07-26 "},{"name":"gulp-diff","description":"Show diffs for files in the stream against those in a target directory","url":null,"keywords":"gulpplugin diff diffs","version":"0.1.4","words":"gulp-diff show diffs for files in the stream against those in a target directory =diff_sky gulpplugin diff diffs","author":"=diff_sky","date":"2014-05-25 "},{"name":"gulp-dir-sync","description":"Synchronizing directories plugin for Gulp.","url":null,"keywords":"gulp gulpplugin sync","version":"0.1.2","words":"gulp-dir-sync synchronizing directories plugin for gulp. =nariyu gulp gulpplugin sync","author":"=nariyu","date":"2014-07-25 "},{"name":"gulp-dir2module","description":"Creates a single browserify/commonjs module that includes all files in a directory.","url":null,"keywords":"gulpplugin browserify dir2module gulp","version":"0.0.2","words":"gulp-dir2module creates a single browserify/commonjs module that includes all files in a directory. =mquinnv gulpplugin browserify dir2module gulp","author":"=mquinnv","date":"2014-06-09 "},{"name":"gulp-directory-map","description":"Convert a buffer of files into a JSON representation of the directory structure.","url":null,"keywords":"gulpplugin json directory files gulp","version":"0.1.0","words":"gulp-directory-map convert a buffer of files into a json representation of the directory structure. =masondesu gulpplugin json directory files gulp","author":"=masondesu","date":"2014-08-18 "},{"name":"gulp-distributor","description":"Plugin for creating various distributions of a package","url":null,"keywords":"gulp gulpplugin gulp-distributor modules amd commonjs es7 browser distro distribution","version":"0.1.0-alpha6","words":"gulp-distributor plugin for creating various distributions of a package =michaelherndon gulp gulpplugin gulp-distributor modules amd commonjs es7 browser distro distribution","author":"=michaelherndon","date":"2014-07-30 "},{"name":"gulp-dmd","description":"gulp plugin for dwarf build","url":null,"keywords":"dwarf","version":"0.1.0","words":"gulp-dmd gulp plugin for dwarf build =miniflycn dwarf","author":"=miniflycn","date":"2014-09-02 "},{"name":"gulp-docco","description":"A docco plugin for Gulp","url":null,"keywords":"gulpplugin docco documentation javascript gulp","version":"0.0.4","words":"gulp-docco a docco plugin for gulp =dmp gulpplugin docco documentation javascript gulp","author":"=dmp","date":"2014-04-16 "},{"name":"gulp-doggy","description":"New gulp-jsdoc modified by myself","url":null,"keywords":"gulpplugin jsdoc javascript gulp-jsdoc","version":"0.0.1","words":"gulp-doggy new gulp-jsdoc modified by myself =kevinkuang gulpplugin jsdoc javascript gulp-jsdoc","author":"=kevinkuang","date":"2014-07-29 "},{"name":"gulp-dom","description":"Gulp plugin for generic DOM manipulation","url":null,"keywords":"gulpplugin dom html","version":"0.1.0","words":"gulp-dom gulp plugin for generic dom manipulation =trygve gulpplugin dom html","author":"=trygve","date":"2014-09-09 "},{"name":"gulp-dom-src","description":"Create a gulp stream from script/link tags in an HTML file.","url":null,"keywords":"gulpplugin html dom","version":"0.1.1","words":"gulp-dom-src create a gulp stream from script/link tags in an html file. =cgross gulpplugin html dom","author":"=cgross","date":"2014-03-17 "},{"name":"gulp-domly","description":"DOMly plugin for gulp","url":null,"keywords":"gulpplugin domly","version":"0.0.1","words":"gulp-domly domly plugin for gulp =lazd gulpplugin domly","author":"=lazd","date":"2014-02-25 "},{"name":"gulp-dot","description":"Gulp plugin to ompile doT.js templates.","url":null,"keywords":"gulpplugin dot","version":"1.5.0","words":"gulp-dot gulp plugin to ompile dot.js templates. =vohof gulpplugin dot","author":"=vohof","date":"2014-02-18 "},{"name":"gulp-dot-precompiler","description":"Gulp plugins for precompilation of doT template engine.","url":null,"keywords":"doT template precompilation gulp plugin gulpplugin gulpfriendly","version":"0.3.0","words":"gulp-dot-precompiler gulp plugins for precompilation of dot template engine. =kentliau dot template precompilation gulp plugin gulpplugin gulpfriendly","author":"=kentliau","date":"2014-02-17 "},{"name":"gulp-dotdot","description":"Gulp plugin for transforming foo..bar(...) notation to foo.bar.bind(foo, ...)","url":null,"keywords":"gulp plugin dotdot bind transform","version":"0.0.0","words":"gulp-dotdot gulp plugin for transforming foo..bar(...) notation to foo.bar.bind(foo, ...) =bahmutov gulp plugin dotdot bind transform","author":"=bahmutov","date":"2014-01-18 "},{"name":"gulp-dotify","description":"Gulp plugin for precompilation of doT templates.","url":null,"keywords":"doT template precompilation gulp plugin gulpplugin","version":"0.1.2","words":"gulp-dotify gulp plugin for precompilation of dot templates. =titarenko dot template precompilation gulp plugin gulpplugin","author":"=titarenko","date":"2014-04-10 "},{"name":"gulp-dotjs-packer","description":"Dotjs packer for Gulp.js","url":null,"keywords":"gulp dotjs","version":"0.0.1","words":"gulp-dotjs-packer dotjs packer for gulp.js =xquezme gulp dotjs","author":"=xquezme","date":"2014-02-06 "},{"name":"gulp-download","description":"Gulp plugin for downloading files via http/https.","url":null,"keywords":"gulpplugin download http https","version":"0.0.1","words":"gulp-download gulp plugin for downloading files via http/https. =metrime gulpplugin download http https","author":"=metrime","date":"2014-02-01 "},{"name":"gulp-download-atom-shell","description":"gulp plugin to download atom-shell","url":null,"keywords":"gulpfriendly atom-shell","version":"0.0.4","words":"gulp-download-atom-shell gulp plugin to download atom-shell =ronn gulpfriendly atom-shell","author":"=ronn","date":"2014-06-10 "},{"name":"gulp-dox","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin dox api documentation","version":"0.0.1","words":"gulp-dox a plugin for gulp =cobaimelan gulpplugin dox api documentation","author":"=cobaimelan","date":"2014-08-16 "},{"name":"gulp-dox-foundation","description":"Gulp plugin to transform js to dox-foundation html.","url":null,"keywords":"gulp-plugin dox dox-foundation","version":"0.0.0","words":"gulp-dox-foundation gulp plugin to transform js to dox-foundation html. =tracker1 gulp-plugin dox dox-foundation","author":"=tracker1","date":"2014-06-27 "},{"name":"gulp-doxdox","description":"Provides Doxdox support for gulp","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-doxdox provides doxdox support for gulp =simplyianm gulpplugin","author":"=simplyianm","date":"2014-08-19 "},{"name":"gulp-doxx","description":"Doxx documentation generator for gulp","url":null,"keywords":"gulp doxx dox documentation","version":"0.0.2","words":"gulp-doxx doxx documentation generator for gulp =filipovsky gulp doxx dox documentation","author":"=filipovsky","date":"2014-09-20 "},{"name":"gulp-dss","description":"A plugin for Gulp to generate UI documentation with DSS Parser","url":null,"keywords":"","version":"0.1.0","words":"gulp-dss a plugin for gulp to generate ui documentation with dss parser =jaysoo","author":"=jaysoo","date":"2014-07-13 "},{"name":"gulp-dum-tpl","description":"A gulp plugin wrapping the DUM templating library.","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-dum-tpl a gulp plugin wrapping the dum templating library. =koglerjs gulpplugin","author":"=koglerjs","date":"2014-04-17 "},{"name":"gulp-dummy-json","description":"Creates dummy test json data from dummy-json templates (with dependencies)","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-dummy-json creates dummy test json data from dummy-json templates (with dependencies) =jsbuzz gulpplugin","author":"=jsbuzz","date":"2014-06-23 "},{"name":"gulp-durandal","description":"A gulp plugin for building durandaljs projects.","url":null,"keywords":"gulpplugin gulp durandal knockout build builder generate jquery require requirejs almond","version":"1.1.5","words":"gulp-durandal a gulp plugin for building durandaljs projects. =danikenan =vzaidman gulpplugin gulp durandal knockout build builder generate jquery require requirejs almond","author":"=danikenan =vzaidman","date":"2014-07-12 "},{"name":"gulp-duration","description":"Track the duration of parts of your gulp tasks","url":null,"keywords":"gulpplugin duration counter timer","version":"0.0.0","words":"gulp-duration track the duration of parts of your gulp tasks =hughsk gulpplugin duration counter timer","author":"=hughsk","date":"2014-02-23 "},{"name":"gulp-dust","description":"Precompile Dust templates","url":null,"keywords":"gulpplugin dust dustjs template templates view views precompile compile","version":"1.0.1","words":"gulp-dust precompile dust templates =sindresorhus gulpplugin dust dustjs template templates view views precompile compile","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-dust-compile-render","description":"A gulp task to compile and render dust templates based on a provided context object.","url":null,"keywords":"","version":"0.1.9","words":"gulp-dust-compile-render a gulp task to compile and render dust templates based on a provided context object. =cellarise","author":"=cellarise","date":"2014-08-28 "},{"name":"gulp-dust-html","description":"Render dust templates in HTML","url":null,"keywords":"gulpplugin dust dustjs template templates view views render html compile","version":"0.0.2","words":"gulp-dust-html render dust templates in html =framp gulpplugin dust dustjs template templates view views render html compile","author":"=framp","date":"2014-07-10 "},{"name":"gulp-dust-render","description":"Render Dust templates.","url":null,"keywords":"dust template gulpplugin","version":"0.0.2","words":"gulp-dust-render render dust templates. =popham dust template gulpplugin","author":"=popham","date":"2014-05-14 "},{"name":"gulp-dustin","description":"Gulp plugin for dustin","url":null,"keywords":"dust dustin template compile render gulpplugin","version":"1.0.4","words":"gulp-dustin gulp plugin for dustin =tunderdomb dust dustin template compile render gulpplugin","author":"=tunderdomb","date":"2014-08-28 "},{"name":"gulp-dwebp","description":"Convert WebP images to PNG with gulp task.","url":null,"keywords":"","version":"0.1.3","words":"gulp-dwebp convert webp images to png with gulp task. =1000ch","author":"=1000ch","date":"2014-08-30 "},{"name":"gulp-dynamic","description":"A plugin to import fragmented files within other","url":null,"keywords":"","version":"1.2.0","words":"gulp-dynamic a plugin to import fragmented files within other =alexandref93","author":"=alexandref93","date":"2014-08-29 "},{"name":"gulp-dynamo","description":"Helps you generate your gulp.js file, so you can concentrate on building awesome apps","url":null,"keywords":"dynamo gulp gulp.js file generator","version":"0.1.0","words":"gulp-dynamo helps you generate your gulp.js file, so you can concentrate on building awesome apps =tcarlsen dynamo gulp gulp.js file generator","author":"=tcarlsen","date":"2014-02-07 "},{"name":"gulp-eco","description":"Precompile ECO templates into JavaScript","url":null,"keywords":"gulpplugin gulpfriendly eco transform transformer template templates view views precompile compile","version":"0.0.2","words":"gulp-eco precompile eco templates into javascript =fluxsaas gulpplugin gulpfriendly eco transform transformer template templates view views precompile compile","author":"=fluxsaas","date":"2014-05-24 "},{"name":"gulp-eco-template","description":"Render eco templates within gulp tasks","url":null,"keywords":"gulp eco coffeescript templating","version":"0.1.0","words":"gulp-eco-template render eco templates within gulp tasks =macario gulp eco coffeescript templating","author":"=macario","date":"2014-05-17 "},{"name":"gulp-ect","description":"Gulp plugin to compile ect.js template engine.","url":null,"keywords":"gulpfriendly ect ect.js template templating engine html javascript","version":"1.3.1","words":"gulp-ect gulp plugin to compile ect.js template engine. =avevlad gulpfriendly ect ect.js template templating engine html javascript","author":"=avevlad","date":"2014-03-18 "},{"name":"gulp-ect-compile","description":"Gulp plugin to compile ect.js templates.","url":null,"keywords":"gulpfriendly ect ect.js template templating engine compiler html javascript","version":"0.0.2","words":"gulp-ect-compile gulp plugin to compile ect.js templates. =fluxsaas gulpfriendly ect ect.js template templating engine compiler html javascript","author":"=fluxsaas","date":"2014-06-09 "},{"name":"gulp-ect-compiler","keywords":"","version":[],"words":"gulp-ect-compiler","author":"","date":"2014-06-09 "},{"name":"gulp-edit","description":"Edit files with gulp","url":null,"keywords":"gulpplugin edit modify","version":"0.0.1","words":"gulp-edit edit files with gulp =fritx gulpplugin edit modify","author":"=fritx","date":"2014-09-11 "},{"name":"gulp-ejs","description":"A plugin for Gulp that parses ejs template files","url":null,"keywords":"gulpplugin gulp ejs","version":"0.3.1","words":"gulp-ejs a plugin for gulp that parses ejs template files =rogeriopvl gulpplugin gulp ejs","author":"=rogeriopvl","date":"2014-07-29 "},{"name":"gulp-ejs-precompiler","description":"A plugin for gulp that precompiles ejs templates","url":null,"keywords":"gulp gulpplugin ejs","version":"0.2.0","words":"gulp-ejs-precompiler a plugin for gulp that precompiles ejs templates =churpeau gulp gulpplugin ejs","author":"=churpeau","date":"2014-05-13 "},{"name":"gulp-elasticsearch-indexer","description":"Index json documents in Elastic Search with Gulp","url":null,"keywords":"gulpplugin elasticsearch","version":"0.0.2","words":"gulp-elasticsearch-indexer index json documents in elastic search with gulp =josiah gulpplugin elasticsearch","author":"=josiah","date":"2014-08-16 "},{"name":"gulp-email-marketing-helper","description":"A Gulp task for generating HTML with inline CSS(compiled from LESS) ","url":null,"keywords":"","version":"0.9.0","words":"gulp-email-marketing-helper a gulp task for generating html with inline css(compiled from less) =thelinuxlich","author":"=thelinuxlich","date":"2014-05-22 "},{"name":"gulp-embedlr","description":"A gulp plugin for embedding a livereload snippet into html files","url":null,"keywords":"gulpplugin livereload","version":"0.5.2","words":"gulp-embedlr a gulp plugin for embedding a livereload snippet into html files =mollerse gulpplugin livereload","author":"=mollerse","date":"2014-01-15 "},{"name":"gulp-ember-emblem","description":"Gulp task for Emblem.js templates with Ember","url":null,"keywords":"gulpplugin gulpfriendly ember emblem handlebars","version":"0.1.1","words":"gulp-ember-emblem gulp task for emblem.js templates with ember =wbyoung gulpplugin gulpfriendly ember emblem handlebars","author":"=wbyoung","date":"2014-03-12 "},{"name":"gulp-ember-handlebars","description":"Ember Handlebars plugin for gulp","url":null,"keywords":"gulpplugin handlebars ember","version":"0.6.0","words":"gulp-ember-handlebars ember handlebars plugin for gulp =jonbuffington gulpplugin handlebars ember","author":"=jonbuffington","date":"2014-08-15 "},{"name":"gulp-ember-order","description":"Reorder a stream of files based on their ember dependencies.","url":null,"keywords":"","version":"0.0.5","words":"gulp-ember-order reorder a stream of files based on their ember dependencies. =s1985","author":"=s1985","date":"2014-08-11 "},{"name":"gulp-ember-rocks-traceur","description":"A Gulp plugin. Compile ES6 script on the fly using traceur-compiler for ember-rocks","url":null,"keywords":"gulpplugin traceur rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 ES.next harmony compiler transpiler ember-rocks","version":"0.0.1","words":"gulp-ember-rocks-traceur a gulp plugin. compile es6 script on the fly using traceur-compiler for ember-rocks =alexferreira gulpplugin traceur rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 es.next harmony compiler transpiler ember-rocks","author":"=alexferreira","date":"2014-08-22 "},{"name":"gulp-ember-templates","description":"Gulp plugin for compiling emberjs templates","url":null,"keywords":"gulpplugin ember templates handlebars","version":"0.5.2","words":"gulp-ember-templates gulp plugin for compiling emberjs templates =swelham gulpplugin ember templates handlebars","author":"=swelham","date":"2014-07-03 "},{"name":"gulp-emblem","description":"Emblem.js plugin for gulp","url":null,"keywords":"gulpplugin handlebars emblem","version":"0.0.0","words":"gulp-emblem emblem.js plugin for gulp =silvinci gulpplugin handlebars emblem","author":"=silvinci","date":"2014-01-06 "},{"name":"gulp-encrypt","description":"A simple gulp plugin to encrypt files","url":null,"keywords":"gulpplugin encrypt","version":"0.2.0","words":"gulp-encrypt a simple gulp plugin to encrypt files =charliedowler gulpplugin encrypt","author":"=charliedowler","date":"2014-09-07 "},{"name":"gulp-entity-convert","description":"Converts Unicode characters to HTML and CSS entities","url":null,"keywords":"gulpplugin entity-convert entity convert entities conversion html css unicode utf-8 utf8 character code charcode encoding encode","version":"0.0.1","words":"gulp-entity-convert converts unicode characters to html and css entities =louh gulpplugin entity-convert entity convert entities conversion html css unicode utf-8 utf8 character code charcode encoding encode","author":"=louh","date":"2014-03-19 "},{"name":"gulp-env","description":"Add env vars from a .env file to your process.env","url":null,"keywords":"gulp gulp-env env process.env","version":"0.2.0","words":"gulp-env add env vars from a .env file to your process.env =russmatney gulp gulp-env env process.env","author":"=russmatney","date":"2014-09-12 "},{"name":"gulp-enyo-builder","description":"build enyo applications and components with gulpjs","url":null,"keywords":"gulpplugin gulp enyo","version":"0.0.5","words":"gulp-enyo-builder build enyo applications and components with gulpjs =dmikeyanderson gulpplugin gulp enyo","author":"=dmikeyanderson","date":"2014-05-30 "},{"name":"gulp-eol","description":"Replace or append EOL end of file","url":null,"keywords":"gulpplugin eol crlf newline","version":"0.1.1","words":"gulp-eol replace or append eol end of file =fritx gulpplugin eol crlf newline","author":"=fritx","date":"2014-09-06 "},{"name":"gulp-es3ify","description":"Gulp plugin to convert ES5 syntax to be ES3-compatible","url":null,"keywords":"gulpplugin es3ify","version":"0.0.0","words":"gulp-es3ify gulp plugin to convert es5 syntax to be es3-compatible =jussi-kalliokoski gulpplugin es3ify","author":"=jussi-kalliokoski","date":"2014-08-27 "},{"name":"gulp-es6-module-jstransform","description":"Transpile ES6 modules to CommonJS with es6-module-jstransform.","url":null,"keywords":"gulp-plugin gulpplugin ecmascript ecmascript6 es5 es6 harmony jstransform module transpiler","version":"0.1.0","words":"gulp-es6-module-jstransform transpile es6 modules to commonjs with es6-module-jstransform. =schnittstabil gulp-plugin gulpplugin ecmascript ecmascript6 es5 es6 harmony jstransform module transpiler","author":"=schnittstabil","date":"2014-06-26 "},{"name":"gulp-es6-module-transpiler","description":"Gulp plugin to transpile ES6 module syntax","url":null,"keywords":"gulp plugin es6 module transpile","version":"0.1.3","words":"gulp-es6-module-transpiler gulp plugin to transpile es6 module syntax =ryanseddon gulp plugin es6 module transpile","author":"=ryanseddon","date":"2014-07-12 "},{"name":"gulp-es6-transpiler","description":"Transpile ES6 to ES5","url":null,"keywords":"gulpplugin es5 es6 ecmascript ecmascript6 harmony javascript js transform transformation transpile transpiler convert rewrite syntax codegen desugaring compiler","version":"1.0.0","words":"gulp-es6-transpiler transpile es6 to es5 =sindresorhus gulpplugin es5 es6 ecmascript ecmascript6 harmony javascript js transform transformation transpile transpiler convert rewrite syntax codegen desugaring compiler","author":"=sindresorhus","date":"2014-08-14 "},{"name":"gulp-escodegen","description":"Generate JS from ASTs w/ escodegen","url":null,"keywords":"","version":"0.1.0","words":"gulp-escodegen generate js from asts w/ escodegen =dtao","author":"=dtao","date":"2014-02-14 "},{"name":"gulp-escomplex","description":"Code complexity module for Gulp using escomplex","url":null,"keywords":"gulpplugin gulp complexity escomplex complex","version":"1.0.0","words":"gulp-escomplex code complexity module for gulp using escomplex =jerrysievert gulpplugin gulp complexity escomplex complex","author":"=jerrysievert","date":"2014-08-30 "},{"name":"gulp-escomplex-reporter-html","description":"HTML Reporter for gulp-escomplex","url":null,"keywords":"escomplex reporter html gulpplugin complex complexity reporter","version":"1.0.0","words":"gulp-escomplex-reporter-html html reporter for gulp-escomplex =jerrysievert escomplex reporter html gulpplugin complex complexity reporter","author":"=jerrysievert","date":"2014-08-30 "},{"name":"gulp-escomplex-reporter-json","description":"JSON Reporter for gulp-escomplex","url":null,"keywords":"escomplex reporter json gulpplugin complex complexity reporter","version":"1.0.0","words":"gulp-escomplex-reporter-json json reporter for gulp-escomplex =jerrysievert escomplex reporter json gulpplugin complex complexity reporter","author":"=jerrysievert","date":"2014-08-30 "},{"name":"gulp-esformatter","description":"Beautify JavaScript code with esformatter","url":null,"keywords":"gulpplugin javascript ecmascript js code style conventions ast format formatter beautify beautifier","version":"1.0.0","words":"gulp-esformatter beautify javascript code with esformatter =sindresorhus gulpplugin javascript ecmascript js code style conventions ast format formatter beautify beautifier","author":"=sindresorhus","date":"2014-08-14 "},{"name":"gulp-eslint","description":"A gulp plugin for processing files with eslint","url":null,"keywords":"gulpplugin eslint gulp errors warnings check source code formatter js javascript task lint plugin","version":"0.1.8","words":"gulp-eslint a gulp plugin for processing files with eslint =adametry gulpplugin eslint gulp errors warnings check source code formatter js javascript task lint plugin","author":"=adametry","date":"2014-07-08 "},{"name":"gulp-esmangle","description":"gulp plugin for esmangle minifying task","url":null,"keywords":"","version":"1.1.1","words":"gulp-esmangle gulp plugin for esmangle minifying task =constellation","author":"=constellation","date":"2014-04-17 "},{"name":"gulp-esnext","description":"Transform next-generation JavaScript to today's JavaScript","url":null,"keywords":"gulpplugin esnext rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 ES.next harmony compiler transpiler","version":"1.1.0","words":"gulp-esnext transform next-generation javascript to today's javascript =sindresorhus gulpplugin esnext rewriting transformation syntax codegen desugaring javascript ecmascript language es5 es6 es.next harmony compiler transpiler","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-espiler","keywords":"","version":[],"words":"gulp-espiler","author":"","date":"2014-04-30 "},{"name":"gulp-espower","description":"A gulp plugin for power-assert","url":null,"keywords":"power-assert gulpplugin","version":"0.9.1","words":"gulp-espower a gulp plugin for power-assert =twada power-assert gulpplugin","author":"=twada","date":"2014-09-17 "},{"name":"gulp-esprima","description":"Parse JS to ASTs w/ esprima","url":null,"keywords":"","version":"0.1.0","words":"gulp-esprima parse js to asts w/ esprima =dtao","author":"=dtao","date":"2014-02-14 "},{"name":"gulp-estarify","description":"es-tar plugin for gulp","url":null,"keywords":"gulpplugin gulp adobe extendscript","version":"0.0.1","words":"gulp-estarify es-tar plugin for gulp =nbqx gulpplugin gulp adobe extendscript","author":"=nbqx","date":"2014-05-12 "},{"name":"gulp-este","description":"Gulp tasks for Este.js","url":null,"keywords":"closure coffeescript compiler compress deps devstack dicontainer es6 este google gulpfriendly isomorphic minify objectobserve pointerevents react stylus unittests","version":"1.0.8","words":"gulp-este gulp tasks for este.js =steida closure coffeescript compiler compress deps devstack dicontainer es6 este google gulpfriendly isomorphic minify objectobserve pointerevents react stylus unittests","author":"=steida","date":"2014-08-27 "},{"name":"gulp-every-todo","keywords":"","version":[],"words":"gulp-every-todo","author":"","date":"2014-04-16 "},{"name":"gulp-example-to-test","description":"Turn code examples into testcases.","url":null,"keywords":"","version":"0.1.0","words":"gulp-example-to-test turn code examples into testcases. =jasperwoudenberg","author":"=jasperwoudenberg","date":"2014-08-23 "},{"name":"gulp-exec","description":"exec plugin for gulp","url":null,"keywords":"gulpplugin exec","version":"2.1.0","words":"gulp-exec exec plugin for gulp =robrich gulpplugin exec","author":"=robrich","date":"2014-07-22 "},{"name":"gulp-execsyncs","description":"gulp plugin for execSync","url":null,"keywords":"execsyncs exec sync execSync gulp gulp-execsyncs","version":"0.1.1","words":"gulp-execsyncs gulp plugin for execsync =yosuke-furukawa execsyncs exec sync execsync gulp gulp-execsyncs","author":"=yosuke-furukawa","date":"2014-08-17 "},{"name":"gulp-exit","description":"Terminates gulp task.","url":null,"keywords":"gulp gulpplugin exit terminate","version":"0.0.2","words":"gulp-exit terminates gulp task. =dreame4 gulp gulpplugin exit terminate","author":"=dreame4","date":"2014-03-29 "},{"name":"gulp-expand-template-url","description":"Expand the template url of your angular templates","url":null,"keywords":"gulp-plugin angularjs replace expand templates template-url templateUrl","version":"0.0.1","words":"gulp-expand-template-url expand the template url of your angular templates =guzart gulp-plugin angularjs replace expand templates template-url templateurl","author":"=guzart","date":"2014-03-28 "},{"name":"gulp-expand-url","description":"Expands a url inside a file using the file relative path.","url":null,"keywords":"gulpplugin replace expand url expandurl","version":"0.0.2","words":"gulp-expand-url expands a url inside a file using the file relative path. =guzart gulpplugin replace expand url expandurl","author":"=guzart","date":"2014-04-09 "},{"name":"gulp-expect-file","description":"Expect files in pipes for gulp.js","url":null,"keywords":"gulpplugin test expect","version":"0.0.7","words":"gulp-expect-file expect files in pipes for gulp.js =kotas gulpplugin test expect","author":"=kotas","date":"2014-06-09 "},{"name":"gulp-express","description":"gulp plugin for express, connect","url":null,"keywords":"gulp express livereload server","version":"0.1.0","words":"gulp-express gulp plugin for express, connect =yucc2008 gulp express livereload server","author":"=yucc2008","date":"2014-09-17 "},{"name":"gulp-express-serice","description":"Express development and debugging, restart it","url":null,"keywords":"gulpplugin Express","version":"1.0.2","words":"gulp-express-serice express development and debugging, restart it =colee gulpplugin express","author":"=colee","date":"2014-03-15 "},{"name":"gulp-express-service","description":"Express development and debugging, restart it","url":null,"keywords":"gulpplugin Express gulp-express express-service","version":"1.2.3","words":"gulp-express-service express development and debugging, restart it =colee gulpplugin express gulp-express express-service","author":"=colee","date":"2014-04-07 "},{"name":"gulp-ext","description":"> File extension utility","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-ext > file extension utility =floatdrop gulpplugin","author":"=floatdrop","date":"2014-05-03 "},{"name":"gulp-ext-replace","description":"Small gulp plugin to change a file's extension","url":null,"keywords":"extension file replace gulp","version":"0.1.0","words":"gulp-ext-replace small gulp plugin to change a file's extension =tjeastmond extension file replace gulp","author":"=tjeastmond","date":"2014-05-23 "},{"name":"gulp-extend","description":"A gulp plugin to extend (merge) JSON contents","url":null,"keywords":"gulpplugin extend merge gulp","version":"0.2.0","words":"gulp-extend a gulp plugin to extend (merge) json contents =adamayres gulpplugin extend merge gulp","author":"=adamayres","date":"2014-07-08 "},{"name":"gulp-extract-sourcemap","description":"Gulp Task to strips an inline source into its own file and updates the original file to reference the new external source map","url":null,"keywords":"gulp gulpplugin sourcemaps javascript browserify","version":"0.1.1","words":"gulp-extract-sourcemap gulp task to strips an inline source into its own file and updates the original file to reference the new external source map =shonny.ua gulp gulpplugin sourcemaps javascript browserify","author":"=shonny.ua","date":"2014-07-22 "},{"name":"gulp-faster-browserify","description":"Faster browserify builds with dependency caching","url":null,"keywords":"gulpplugin gulpfriendly browserify","version":"0.2.1","words":"gulp-faster-browserify faster browserify builds with dependency caching =robrichard gulpplugin gulpfriendly browserify","author":"=robrichard","date":"2014-04-11 "},{"name":"gulp-fb","description":"gulp-fb\r =======","url":null,"keywords":"","version":"0.0.3","words":"gulp-fb gulp-fb\r ======= =jare","author":"=jare","date":"2014-09-15 "},{"name":"gulp-fcsh","description":"A gulp plugin for fcsh","url":null,"keywords":"gulpplugin actionscript fcsh","version":"0.0.4","words":"gulp-fcsh a gulp plugin for fcsh =youpy gulpplugin actionscript fcsh","author":"=youpy","date":"2014-05-22 "},{"name":"gulp-fest-hardcore","description":"js, lua, Xslate templator","url":null,"keywords":"gulpplugin","version":"0.1.10","words":"gulp-fest-hardcore js, lua, xslate templator =ikuznetsov gulpplugin","author":"=ikuznetsov","date":"2014-09-15 "},{"name":"gulp-file","description":"Create vinyl files from a string or buffer and insert into the Gulp pipeline.","url":null,"keywords":"gulp plugin string buffer file vinyl","version":"0.1.0","words":"gulp-file create vinyl files from a string or buffer and insert into the gulp pipeline. =amingoia gulp plugin string buffer file vinyl","author":"=amingoia","date":"2014-05-01 "},{"name":"gulp-file-activity","description":"Display activity of gulp streams as they are passed around","url":null,"keywords":"gulpplugin file activity debug gzip","version":"0.0.2","words":"gulp-file-activity display activity of gulp streams as they are passed around =rnijveld gulpplugin file activity debug gzip","author":"=rnijveld","date":"2014-06-08 "},{"name":"gulp-file-builder","description":"Replace custom tokens with the content of a file.","url":null,"keywords":"gulpplugin file replace token template","version":"0.1.0","words":"gulp-file-builder replace custom tokens with the content of a file. =fuzzysockets gulpplugin file replace token template","author":"=fuzzysockets","date":"2014-08-31 "},{"name":"gulp-file-cache","description":"gulp plugin. Create a cache that filter files in your stream that haven't changed since last run","url":null,"keywords":"gulpplugin cache","version":"0.0.1","words":"gulp-file-cache gulp plugin. create a cache that filter files in your stream that haven't changed since last run =pgherveou gulpplugin cache","author":"=pgherveou","date":"2014-04-01 "},{"name":"gulp-file-contents-to-json","description":"Slurp in some files, output a JSON representation of their contents.","url":null,"keywords":"","version":"0.1.2","words":"gulp-file-contents-to-json slurp in some files, output a json representation of their contents. =briangonzalez","author":"=briangonzalez","date":"2014-09-09 "},{"name":"gulp-file-include","description":"a gulp plugin for file include","url":null,"keywords":"gulpplugin file include replace gulp plugin","version":"0.5.1","words":"gulp-file-include a gulp plugin for file include =coderhaoxin gulpplugin file include replace gulp plugin","author":"=coderhaoxin","date":"2014-09-04 "},{"name":"gulp-file-includer","description":"A file include plugin for gulp","url":null,"keywords":"gulpplugin file includer include inject gulp plugin","version":"1.0.0","words":"gulp-file-includer a file include plugin for gulp =pictela gulpplugin file includer include inject gulp plugin","author":"=pictela","date":"2014-08-28 "},{"name":"gulp-file-insert","description":"Replace custom tokens by files content","url":null,"keywords":"gulpplugin file replace token template","version":"1.0.2","words":"gulp-file-insert replace custom tokens by files content =jbdemonte gulpplugin file replace token template","author":"=jbdemonte","date":"2014-04-25 "},{"name":"gulp-file-list","keywords":"","version":[],"words":"gulp-file-list","author":"","date":"2014-02-21 "},{"name":"gulp-file-parser","description":"easier way to parse file with gulp","url":null,"keywords":"","version":"0.0.1","words":"gulp-file-parser easier way to parse file with gulp =gyson","author":"=gyson","date":"2014-07-04 "},{"name":"gulp-file-to-js","description":"Gulp plugin to convert a file into a JavaScript represention.","url":null,"keywords":"gulp plugin javascript js","version":"0.0.2","words":"gulp-file-to-js gulp plugin to convert a file into a javascript represention. =coswind gulp plugin javascript js","author":"=coswind","date":"2014-04-03 "},{"name":"gulp-file-tree","description":"A gulp plugin for amalgamating a stream of files into a file tree","url":null,"keywords":"gulpplugin gulp-file-tree file-tree vartree filetree file tree gulp directory","version":"0.1.0","words":"gulp-file-tree a gulp plugin for amalgamating a stream of files into a file tree =iamcdonald gulpplugin gulp-file-tree file-tree vartree filetree file tree gulp directory","author":"=iamcdonald","date":"2014-06-28 "},{"name":"gulp-file2js","description":"Convert files to JavaScript modules","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-file2js convert files to javascript modules =ooflorent gulpplugin","author":"=ooflorent","date":"2014-07-21 "},{"name":"gulp-filelist","description":"Convert list of file paths in current stream to a JSON file.","url":null,"keywords":"gulp gulpplugin","version":"0.1.0","words":"gulp-filelist convert list of file paths in current stream to a json file. =cjroth gulp gulpplugin","author":"=cjroth","date":"2014-09-01 "},{"name":"gulp-filelog","description":"A gulp plugin that logs out the file names in the stream. Displays a count and if empty. Useful for debugging.","url":null,"keywords":"gulpplugin filelog debug count empty log gulp","version":"0.2.0","words":"gulp-filelog a gulp plugin that logs out the file names in the stream. displays a count and if empty. useful for debugging. =adamayres gulpplugin filelog debug count empty log gulp","author":"=adamayres","date":"2014-02-02 "},{"name":"gulp-filename-media-query","description":"Wrap CSS files with media queries indicated by their names","url":null,"keywords":"gulpplugin css media query","version":"1.2.1","words":"gulp-filename-media-query wrap css files with media queries indicated by their names =taig gulpplugin css media query","author":"=taig","date":"2014-06-16 "},{"name":"gulp-filenames","description":"Register every filename that has passed through","url":null,"keywords":"gulpplugin","version":"1.2.0","words":"gulp-filenames register every filename that has passed through =johnydays gulpplugin","author":"=johnydays","date":"2014-09-11 "},{"name":"gulp-filesize","description":"Logs filesizes in human readable Strings","url":null,"keywords":"gulpplugin filesize size","version":"0.0.6","words":"gulp-filesize logs filesizes in human readable strings =metrime gulpplugin filesize size","author":"=metrime","date":"2014-02-01 "},{"name":"gulp-filetree","description":"Compute file tree and add as property","url":null,"keywords":"gulpplugin gulpfriendly","version":"0.0.3","words":"gulp-filetree compute file tree and add as property =wires gulpplugin gulpfriendly","author":"=wires","date":"2014-06-09 "},{"name":"gulp-filter","description":"Filter files in a vinyl stream","url":null,"keywords":"gulpplugin filter ignore file files match minimatch glob globbing","version":"1.0.2","words":"gulp-filter filter files in a vinyl stream =sindresorhus gulpplugin filter ignore file files match minimatch glob globbing","author":"=sindresorhus","date":"2014-09-08 "},{"name":"gulp-filter-by","description":"Filter files by checking the file itself","url":null,"keywords":"gulpplugin filter gulp-filter match ignore include","version":"1.2.0","words":"gulp-filter-by filter files by checking the file itself =dualcyclone gulpplugin filter gulp-filter match ignore include","author":"=dualcyclone","date":"2014-09-10 "},{"name":"gulp-finger","description":"Gulp plugin for writing files fingerprints","url":null,"keywords":"gulpplugin fingerprint static files","version":"0.1.0","words":"gulp-finger gulp plugin for writing files fingerprints =arnaud00 gulpplugin fingerprint static files","author":"=arnaud00","date":"2014-08-12 "},{"name":"gulp-fingerprint","description":"Rename assets with fingerprinted assets","url":null,"keywords":"asset assetpipeline fingerprint gulpplugin manifest pipeline regex rename streams vinyl","version":"0.3.2","words":"gulp-fingerprint rename assets with fingerprinted assets =vincentmac asset assetpipeline fingerprint gulpplugin manifest pipeline regex rename streams vinyl","author":"=vincentmac","date":"2014-07-29 "},{"name":"gulp-fix-sourcemap-file","description":"Fix file property in file.sourceMap","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-fix-sourcemap-file fix file property in file.sourcemap =churpeau gulpplugin","author":"=churpeau","date":"2014-08-02 "},{"name":"gulp-fix-windows-source-maps","description":"Converts path delimiters in embedded source maps built with Windows from backslashes to forward slashes","url":null,"keywords":"gulpplugin coffeescript javascript","version":"0.1.1","words":"gulp-fix-windows-source-maps converts path delimiters in embedded source maps built with windows from backslashes to forward slashes =smrq gulpplugin coffeescript javascript","author":"=smrq","date":"2014-03-06 "},{"name":"gulp-fixmyjs","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin fixmyjs jshint linting","version":"0.0.10","words":"gulp-fixmyjs a plugin for gulp =kcherkashin gulpplugin fixmyjs jshint linting","author":"=kcherkashin","date":"2014-04-27 "},{"name":"gulp-fixtures2js","description":"Convert your fixtures into a JS object for use in tests.","url":null,"keywords":"gulpplugin fixture testing","version":"0.0.1","words":"gulp-fixtures2js convert your fixtures into a js object for use in tests. =jussi-kalliokoski gulpplugin fixture testing","author":"=jussi-kalliokoski","date":"2014-05-27 "},{"name":"gulp-flashcc-createjs-dataurl","description":"Converted to DataURL, the images of manifest in output from Flash CC for CreateJS.","url":null,"keywords":"gulpplugin flashcc createjs","version":"0.0.3","words":"gulp-flashcc-createjs-dataurl converted to dataurl, the images of manifest in output from flash cc for createjs. =dameleon gulpplugin flashcc createjs","author":"=dameleon","date":"2014-07-08 "},{"name":"gulp-flatten","description":"remove or replace relative path for files","url":null,"keywords":"gulpplugin gulp flatten relative path","version":"0.0.3","words":"gulp-flatten remove or replace relative path for files =armed gulpplugin gulp flatten relative path","author":"=armed","date":"2014-09-10 "},{"name":"gulp-flex-svg","description":"flex-svg plugin for gulp","url":null,"keywords":"gulpplugin svg flexible responsive width height","version":"0.1.4","words":"gulp-flex-svg flex-svg plugin for gulp =shinnn gulpplugin svg flexible responsive width height","author":"=shinnn","date":"2014-05-01 "},{"name":"gulp-flow","description":"(in progress) A plugin for Gulp that provides a workflow to manage tasks. gulp-flow helps to organize and re-use a collection of tasks, it is very well suited to collaboration and scaling the development team.","url":null,"keywords":"","version":"0.0.0","words":"gulp-flow (in progress) a plugin for gulp that provides a workflow to manage tasks. gulp-flow helps to organize and re-use a collection of tasks, it is very well suited to collaboration and scaling the development team. =nicolab","author":"=nicolab","date":"2014-03-29 "},{"name":"gulp-fn","description":"gulp-fn - gulp plugin used in order to run a custom function","url":null,"keywords":"gulp plugin function js javascript","version":"0.0.0","words":"gulp-fn gulp-fn - gulp plugin used in order to run a custom function =thierry.spetebroot gulp plugin function js javascript","author":"=thierry.spetebroot","date":"2014-05-29 "},{"name":"gulp-folder","keywords":"","version":[],"words":"gulp-folder","author":"","date":"2014-06-11 "},{"name":"gulp-folders","description":"Gulp plugin that lets you work with folders and treat them as package names","url":null,"keywords":"gulp folder folders gulp-folder gulp-folders gulpplugin","version":"0.0.4","words":"gulp-folders gulp plugin that lets you work with folders and treat them as package names =hakubo gulp folder folders gulp-folder gulp-folders gulpplugin","author":"=hakubo","date":"2014-06-12 "},{"name":"gulp-fontcustom","description":"A gulp plugin to generate icon fonts with Fontcustom from SVG files.","url":null,"keywords":"gulp gulpplugin fontcustom icon font svg","version":"0.1.0","words":"gulp-fontcustom a gulp plugin to generate icon fonts with fontcustom from svg files. =johanbrook gulp gulpplugin fontcustom icon font svg","author":"=johanbrook","date":"2014-05-25 "},{"name":"gulp-fontgen","description":"Generator of browser fonts and css from ttf or otf files","url":null,"keywords":"gulpplugin font-face fontface font face web-fonts webfonts web ttf otf svg eot css","version":"0.1.3","words":"gulp-fontgen generator of browser fonts and css from ttf or otf files =agentk gulpplugin font-face fontface font face web-fonts webfonts web ttf otf svg eot css","author":"=agentk","date":"2014-03-20 "},{"name":"gulp-fontozzi","description":"An easy way to use Google Fonts in your app","url":null,"keywords":"gulpplugin font google fonts fontozzi","version":"0.0.3","words":"gulp-fontozzi an easy way to use google fonts in your app =basharov gulpplugin font google fonts fontozzi","author":"=basharov","date":"2014-05-26 "},{"name":"gulp-footer","description":"Gulp extension to add footer to file(s) in the pipeline.","url":null,"keywords":"footer gulpplugin eventstream","version":"1.0.5","words":"gulp-footer gulp extension to add footer to file(s) in the pipeline. =tracker1 footer gulpplugin eventstream","author":"=tracker1","date":"2014-07-08 "},{"name":"gulp-for-compass","description":"gulp plugin for compass","url":null,"keywords":"gulpplugin","version":"0.0.2","words":"gulp-for-compass gulp plugin for compass =neekey gulpplugin","author":"=neekey","date":"2014-09-16 "},{"name":"gulp-foreach","description":"Send each file in a stream down its own stream","url":null,"keywords":"gulpplugin forEach split fork divide separate map gulp","version":"0.0.1","words":"gulp-foreach send each file in a stream down its own stream =mariusgundersen gulpplugin foreach split fork divide separate map gulp","author":"=mariusgundersen","date":"2014-05-24 "},{"name":"gulp-foxy-less","description":"Dependency driven stream extender for gulp-less tasks.","url":null,"keywords":"gulpplugin less watcher import dependencies filter","version":"0.1.0","words":"gulp-foxy-less dependency driven stream extender for gulp-less tasks. =mhoyer gulpplugin less watcher import dependencies filter","author":"=mhoyer","date":"2014-09-20 "},{"name":"gulp-freeze","description":"Adds md5 checksum to file names","url":null,"keywords":"md5 gulpplugin","version":"0.0.1","words":"gulp-freeze adds md5 checksum to file names =just-boris md5 gulpplugin","author":"=just-boris","date":"2014-03-23 "},{"name":"gulp-freeze-resources","description":"A resource freezer plugin for gulp","url":null,"keywords":"gulpplugin freeze cache buster css","version":"0.0.4","words":"gulp-freeze-resources a resource freezer plugin for gulp =nyakto gulpplugin freeze cache buster css","author":"=nyakto","date":"2014-06-27 "},{"name":"gulp-frep","description":"A find and replace utility, using Frep. Replace strings or arrays of strings with an array of replacement patterns.","url":null,"keywords":"beautify find replace gulp gulpplugin search match find and replace","version":"0.1.3","words":"gulp-frep a find and replace utility, using frep. replace strings or arrays of strings with an array of replacement patterns. =jonschlinkert beautify find replace gulp gulpplugin search match find and replace","author":"=jonschlinkert","date":"2014-06-13 "},{"name":"gulp-front-matter","description":"Extract front-matter header from files","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-front-matter extract front-matter header from files =naholyr gulpplugin","author":"=naholyr","date":"2014-01-21 "},{"name":"gulp-frontnote","description":"StyleGuide Generator for Gulp","url":null,"keywords":"gulpplugin styleguide less sass css frontnote","version":"0.1.0","words":"gulp-frontnote styleguide generator for gulp =frontainer gulpplugin styleguide less sass css frontnote","author":"=frontainer","date":"2014-09-14 "},{"name":"gulp-fsharp","description":"A Gulp plugin for calling F# scripts","url":null,"keywords":"gulpplugin fsharp f#","version":"0.1.0","words":"gulp-fsharp a gulp plugin for calling f# scripts =mollerse gulpplugin fsharp f#","author":"=mollerse","date":"2014-02-23 "},{"name":"gulp-ftp","description":"Upload files to an FTP-server","url":null,"keywords":"gulpplugin ftp jsftp file files transfer protocol server client upload deploy deployment","version":"1.0.1","words":"gulp-ftp upload files to an ftp-server =sindresorhus gulpplugin ftp jsftp file files transfer protocol server client upload deploy deployment","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-funnel","description":"Join streams into an array","url":null,"keywords":"gulpplugin list files array join","version":"0.1.1","words":"gulp-funnel join streams into an array =mikkolehtinen gulpplugin list files array join","author":"=mikkolehtinen","date":"2014-02-23 "},{"name":"gulp-ga","description":"Inject google analytics into html with Gulp (gulpjs.com)","url":null,"keywords":"gulp google analytics gulpplugin gulp-plugin","version":"0.0.1","words":"gulp-ga inject google analytics into html with gulp (gulpjs.com) =zhhz gulp google analytics gulpplugin gulp-plugin","author":"=zhhz","date":"2014-09-15 "},{"name":"gulp-geojson","description":"convert multipule file format to geojson.","url":null,"keywords":"gulp geo geojson gulpplugin","version":"0.2.0","words":"gulp-geojson convert multipule file format to geojson. =chilijung gulp geo geojson gulpplugin","author":"=chilijung","date":"2014-03-14 "},{"name":"gulp-gh-pages","description":"Gulp plugin to publish to Github pages (gh-pages branch).","url":null,"keywords":"git gulp gulpplugin gh-pages dist github","version":"0.3.4","words":"gulp-gh-pages gulp plugin to publish to github pages (gh-pages branch). =rowoot git gulp gulpplugin gh-pages dist github","author":"=rowoot","date":"2014-09-08 "},{"name":"gulp-gh-pages-ci-compatible","description":"Gulp plugin to publish to Github pages (gh-pages branch).","url":null,"keywords":"git gulp gulpplugin gh-pages dist github","version":"0.3.6","words":"gulp-gh-pages-ci-compatible gulp plugin to publish to github pages (gh-pages branch). =markmiro git gulp gulpplugin gh-pages dist github","author":"=markmiro","date":"2014-09-19 "},{"name":"gulp-git","description":"Git plugin for Gulp (gulpjs.com)","url":null,"keywords":"gulp git gulpgit gulpplugin gulp-plugin","version":"0.5.1","words":"gulp-git git plugin for gulp (gulpjs.com) =stevelacy gulp git gulpgit gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-09-18 "},{"name":"gulp-gitinfo","description":"Plug to fetch git information about local repository","url":null,"keywords":"gulp git info gulpgit gulpplugin gulp-plugin","version":"0.0.4","words":"gulp-gitinfo plug to fetch git information about local repository =optimus-king gulp git info gulpgit gulpplugin gulp-plugin","author":"=optimus-king","date":"2014-05-01 "},{"name":"gulp-gitmodified","description":"A plugin for Gulp to get an object stream of modified files on git.","url":null,"keywords":"gulpplugin git git modified","version":"0.0.4","words":"gulp-gitmodified a plugin for gulp to get an object stream of modified files on git. =mikaelb gulpplugin git git modified","author":"=mikaelb","date":"2014-01-23 "},{"name":"gulp-gitshasuffix","description":"A plugin for Gulp to suffix files with latest commit sha.","url":null,"keywords":"gulpplugin git git sha","version":"0.2.0","words":"gulp-gitshasuffix a plugin for gulp to suffix files with latest commit sha. =mikaelb gulpplugin git git sha","author":"=mikaelb","date":"2014-07-24 "},{"name":"gulp-gitversion","description":"gulp plugin for appending git-version","url":null,"keywords":"gulp plugin for appending git-version","version":"0.0.7","words":"gulp-gitversion gulp plugin for appending git-version =blackbing gulp plugin for appending git-version","author":"=blackbing","date":"2014-05-30 "},{"name":"gulp-gjslint","description":"Gulp task for running gjslint","url":null,"keywords":"gulpplugin lint linter gjslint google closure-linter closure-linter-wrapper","version":"0.1.3","words":"gulp-gjslint gulp task for running gjslint =tomseldon gulpplugin lint linter gjslint google closure-linter closure-linter-wrapper","author":"=tomseldon","date":"2014-09-15 "},{"name":"gulp-glob-html","description":"Add globbing to your HTML","url":null,"keywords":"gulpplugin glob","version":"0.1.0","words":"gulp-glob-html add globbing to your html =gevgeny gulpplugin glob","author":"=gevgeny","date":"2014-09-15 "},{"name":"gulp-gm","description":"Image manipulation with GraphicsMagick for gulp.","url":null,"keywords":"gulpplugin gulpfriendly graphicsmagick image","version":"0.0.7","words":"gulp-gm image manipulation with graphicsmagick for gulp. =normanrz gulpplugin gulpfriendly graphicsmagick image","author":"=normanrz","date":"2014-08-11 "},{"name":"gulp-gm-limit","description":"Limit image sizes with gulp-gm.","url":null,"keywords":"gulpplugin gm limit resize","version":"1.0.2","words":"gulp-gm-limit limit image sizes with gulp-gm. =jsdevel gulpplugin gm limit resize","author":"=jsdevel","date":"2014-06-24 "},{"name":"gulp-gobin","description":"Convert any file into managable Go source code (like go-bindata).","url":null,"keywords":"gulpplugin golang bindata","version":"0.1.2","words":"gulp-gobin convert any file into managable go source code (like go-bindata). =dong gulpplugin golang bindata","author":"=dong","date":"2014-07-02 "},{"name":"gulp-gold","description":"All what I need, to work with brakets.io","url":null,"keywords":"gold brakets","version":"0.0.5","words":"gulp-gold all what i need, to work with brakets.io =ikeagold gold brakets","author":"=ikeagold","date":"2014-09-15 "},{"name":"gulp-google-cdn","description":"Replaces script references with Google CDN ones","url":null,"keywords":"gulpplugin cdn google cdnjs bower html","version":"1.1.0","words":"gulp-google-cdn replaces script references with google cdn ones =sindresorhus gulpplugin cdn google cdnjs bower html","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-gorender","description":"Golang text.Template renderer","url":null,"keywords":"gulpplugin golang template rewriting transformation rendering compiler","version":"0.2.0","words":"gulp-gorender golang text.template renderer =localvoid gulpplugin golang template rewriting transformation rendering compiler","author":"=localvoid","date":"2014-08-20 "},{"name":"gulp-gorilla","description":"Compile gorillascript files","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-gorilla compile gorillascript files =unc0 gulpplugin","author":"=unc0","date":"2014-05-15 "},{"name":"gulp-gotohead","description":"Put into the HEAD CSS or JavaScript codes.","url":null,"keywords":"gulpplugin performance css front-end","version":"1.1.5","words":"gulp-gotohead put into the head css or javascript codes. =belchior gulpplugin performance css front-end","author":"=belchior","date":"2014-09-07 "},{"name":"gulp-gray-matter","description":"Extract gray-matter header from files.","url":null,"keywords":"gulpplugin front-matter gray-matter","version":"1.0.0","words":"gulp-gray-matter extract gray-matter header from files. =jakwings gulpplugin front-matter gray-matter","author":"=jakwings","date":"2014-06-18 "},{"name":"gulp-grep","description":" A gulp plugin for filtering stream objects matching certain conditions","url":null,"keywords":"gulpplugin filter grep","version":"0.1.6","words":"gulp-grep a gulp plugin for filtering stream objects matching certain conditions =demisx gulpplugin filter grep","author":"=demisx","date":"2014-09-10 "},{"name":"gulp-grep-stream","description":"A gulp file stream filtering plugin for Gulp","url":null,"keywords":"gulpplugin grep filter ignore include exclude","version":"0.0.2","words":"gulp-grep-stream a gulp file stream filtering plugin for gulp =floatdrop gulpplugin grep filter ignore include exclude","author":"=floatdrop","date":"2014-01-10 "},{"name":"gulp-groc","description":"A simple gulp plug-in to generate a project's documentation using Groc ","url":null,"keywords":"gulpplugin","version":"0.4.1","words":"gulp-groc a simple gulp plug-in to generate a project's documentation using groc =iamdenny gulpplugin","author":"=iamdenny","date":"2014-08-27 "},{"name":"gulp-group-aggregate","description":"a group and aggregate plugin for gulp (and other streams)","url":null,"keywords":"gulpplugin","version":"0.0.4","words":"gulp-group-aggregate a group and aggregate plugin for gulp (and other streams) =amitport gulpplugin","author":"=amitport","date":"2014-04-28 "},{"name":"gulp-group-css-media-queries","description":"CSS postprocessing: group media queries. Useful for postprocessing preprocessed CSS files.","url":null,"keywords":"gulpplugin css group media queries","version":"1.0.0","words":"gulp-group-css-media-queries css postprocessing: group media queries. useful for postprocessing preprocessed css files. =avaly gulpplugin css group media queries","author":"=avaly","date":"2014-04-11 "},{"name":"gulp-group-files","description":"A gulp plugin for grouping files via an object for further processing","url":null,"keywords":"gulp group files gulpplugin gulp-group gulp-group-files gulp-group-file","version":"0.1.0","words":"gulp-group-files a gulp plugin for grouping files via an object for further processing =vkbansal gulp group files gulpplugin gulp-group gulp-group-files gulp-group-file","author":"=vkbansal","date":"2014-09-01 "},{"name":"gulp-grunt","description":"Run grunt tasks from gulp","url":null,"keywords":"gulpfriendly grunt","version":"0.5.2","words":"gulp-grunt run grunt tasks from gulp =gratimax gulpfriendly grunt","author":"=gratimax","date":"2014-07-17 "},{"name":"gulp-gsub","description":"gsub file content with Gulp (gulpjs.com)","url":null,"keywords":"gulp gsub gulpplugin gulp-plugin","version":"0.0.1","words":"gulp-gsub gsub file content with gulp (gulpjs.com) =zhhz gulp gsub gulpplugin gulp-plugin","author":"=zhhz","date":"2014-09-15 "},{"name":"gulp-gunzip","description":"Uncompress gzip files in your gulp build pipeline","url":null,"keywords":"gulpplugin gulp gzip gunzip","version":"0.0.2","words":"gulp-gunzip uncompress gzip files in your gulp build pipeline =jmerrifield gulpplugin gulp gzip gunzip","author":"=jmerrifield","date":"2014-05-05 "},{"name":"gulp-gzip","description":"Gzip plugin for gulp.","url":null,"keywords":"compress gulpplugin gzip","version":"0.0.8","words":"gulp-gzip gzip plugin for gulp. =jstuckey compress gulpplugin gzip","author":"=jstuckey","date":"2014-04-24 "},{"name":"gulp-gzip2","keywords":"","version":[],"words":"gulp-gzip2","author":"","date":"2014-04-04 "},{"name":"gulp-haml","description":"Gulp plugin for haml","url":null,"keywords":"gulp haml haml-plugin gulpplugin gulp-plugin","version":"0.1.0","words":"gulp-haml gulp plugin for haml =stevelacy gulp haml haml-plugin gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-07-28 "},{"name":"gulp-haml-coffee","description":"Gulp plugin for haml-coffee","url":null,"keywords":"gulp haml haml-coffee haml-plugin gulpplugin gulp-plugin","version":"0.0.6","words":"gulp-haml-coffee gulp plugin for haml-coffee =saschagehlich gulp haml haml-coffee haml-plugin gulpplugin gulp-plugin","author":"=saschagehlich","date":"2014-06-22 "},{"name":"gulp-hamlet-compile","description":"Compile hamlet templates (see: https://github.com/inductor-labs/hamlet)","url":null,"keywords":"gulp gulp-plugin hamlet haml compiler","version":"0.1.0","words":"gulp-hamlet-compile compile hamlet templates (see: https://github.com/inductor-labs/hamlet) =purge gulp gulp-plugin hamlet haml compiler","author":"=purge","date":"2014-07-07 "},{"name":"gulp-hammerdown","description":"Gulp plugin for using hammerdown(A markdown to html generator)","url":null,"keywords":"gulpplugin html markdown md tomarkdown html-md converter hammerdown stream converter hammer writer fluent","version":"0.0.1","words":"gulp-hammerdown gulp plugin for using hammerdown(a markdown to html generator) =tjchaplin gulpplugin html markdown md tomarkdown html-md converter hammerdown stream converter hammer writer fluent","author":"=tjchaplin","date":"2014-04-13 "},{"name":"gulp-handlebars","description":"Handlebars plugin for gulp","url":null,"keywords":"gulpplugin handlebars","version":"3.0.1","words":"gulp-handlebars handlebars plugin for gulp =lazd gulpplugin handlebars","author":"=lazd","date":"2014-09-17 "},{"name":"gulp-handlebars-compiler","description":"Gulp plugin to precompile Handlebars.js templates with same options as the CLI utility","url":null,"keywords":"gulpplugin handlebars compiler hbs","version":"0.0.0","words":"gulp-handlebars-compiler gulp plugin to precompile handlebars.js templates with same options as the cli utility =pasangsherpa gulpplugin handlebars compiler hbs","author":"=pasangsherpa","date":"2014-08-01 "},{"name":"gulp-handlebars-michael","description":"Handlebars plugin for Gulp","url":null,"keywords":"gulpplugin handlebars","version":"0.1.5","words":"gulp-handlebars-michael handlebars plugin for gulp =michaelch gulpplugin handlebars","author":"=michaelch","date":"2014-02-08 "},{"name":"gulp-hash","description":"A gulp plugin for cachebusting files by adding a hash to their name and/or content. Optionally writes a JSON file with mappings from the original filename to the renamed one.","url":null,"keywords":"cache cachebust cache bust gulpplugin","version":"2.0.2","words":"gulp-hash a gulp plugin for cachebusting files by adding a hash to their name and/or content. optionally writes a json file with mappings from the original filename to the renamed one. =mivir cache cachebust cache bust gulpplugin","author":"=mivir","date":"2014-06-25 "},{"name":"gulp-hash-manifest","description":"Creates a manifest of file paths and their hash.","url":null,"keywords":"gulpplugin hash manifest hash-manifest build revisioning","version":"0.0.2","words":"gulp-hash-manifest creates a manifest of file paths and their hash. =drk gulpplugin hash manifest hash-manifest build revisioning","author":"=drk","date":"2014-04-21 "},{"name":"gulp-hash-references","description":"Replaces references (paths) to files according to the specified mapping file.","url":null,"keywords":"cache cachebust cache bust gulpplugin","version":"1.0.2","words":"gulp-hash-references replaces references (paths) to files according to the specified mapping file. =mivir cache cachebust cache bust gulpplugin","author":"=mivir","date":"2014-06-25 "},{"name":"gulp-hash-src","description":"Add hashes to links in HTML/CSS","url":null,"keywords":"gulpplugin","version":"0.0.2","words":"gulp-hash-src add hashes to links in html/css =nmrugg gulpplugin","author":"=nmrugg","date":"2014-05-19 "},{"name":"gulp-hashmap","description":"Create a JSON file of file hashes","url":null,"keywords":"gulpplugin","version":"0.0.2","words":"gulp-hashmap create a json file of file hashes =litek gulpplugin","author":"=litek","date":"2014-03-06 "},{"name":"gulp-hashspace","description":"gulp-hashspace ====================","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-hashspace gulp-hashspace ==================== =ariatemplates gulpplugin","author":"=ariatemplates","date":"2014-06-25 "},{"name":"gulp-hashsum","description":"Generate a checksum file (like shasum, md5sum, ...).","url":null,"keywords":"gulp gulpplugin hash sha1sum shasum md5sum checksum","version":"0.0.4","words":"gulp-hashsum generate a checksum file (like shasum, md5sum, ...). =remko gulp gulpplugin hash sha1sum shasum md5sum checksum","author":"=remko","date":"2014-09-03 "},{"name":"gulp-haste","description":"Gulp plugin for the Haskell to JS compiler","url":null,"keywords":"gulp-friendly","version":"0.0.4","words":"gulp-haste gulp plugin for the haskell to js compiler =vzaccaria gulp-friendly","author":"=vzaccaria","date":"2014-07-15 "},{"name":"gulp-hb","description":"A sane Handlebars Gulp plugin.","url":null,"keywords":"gulp hb hbs handlebars static","version":"0.1.5","words":"gulp-hb a sane handlebars gulp plugin. =shannonmoeller gulp hb hbs handlebars static","author":"=shannonmoeller","date":"2014-05-28 "},{"name":"gulp-hbs-import","description":"Handlebars \"import\" helper plugin for gulp","url":null,"keywords":"gulppluin handlebars hbs import","version":"0.1.2","words":"gulp-hbs-import handlebars \"import\" helper plugin for gulp =zbinlin gulppluin handlebars hbs import","author":"=zbinlin","date":"2014-09-11 "},{"name":"gulp-header","description":"Gulp extension to add header to file(s) in the pipeline.","url":null,"keywords":"header gulpplugin eventstream","version":"1.1.1","words":"gulp-header gulp extension to add header to file(s) in the pipeline. =tracker1 header gulpplugin eventstream","author":"=tracker1","date":"2014-09-16 "},{"name":"gulp-headerfooter","description":"A gulp plugin for adding headers and footers to your files","url":null,"keywords":"gulp gulpplugin gulpfriendly head foot header footer concat concatenate prefix suffix condog","version":"1.0.3","words":"gulp-headerfooter a gulp plugin for adding headers and footers to your files =garrows gulp gulpplugin gulpfriendly head foot header footer concat concatenate prefix suffix condog","author":"=garrows","date":"2014-07-15 "},{"name":"gulp-help","description":"Adds help task to gulp and the ability to provide help text to your custom gulp tasks","url":null,"keywords":"gulp help tasks list gulpfriendly","version":"1.1.0","words":"gulp-help adds help task to gulp and the ability to provide help text to your custom gulp tasks =chmontgomery gulp help tasks list gulpfriendly","author":"=chmontgomery","date":"2014-09-02 "},{"name":"gulp-helptext","description":"pretty helptext for your gulp tasks","url":null,"keywords":"gulp help","version":"0.0.10","words":"gulp-helptext pretty helptext for your gulp tasks =potch gulp help","author":"=potch","date":"2014-06-06 "},{"name":"gulp-hexuglify","description":"Minification plugin for Gulp","url":null,"keywords":"gulpplugin obfuscate minify","version":"0.0.11","words":"gulp-hexuglify minification plugin for gulp =katienazarova gulpplugin obfuscate minify","author":"=katienazarova","date":"2014-09-09 "},{"name":"gulp-highlight","description":"## Install","url":null,"keywords":"gulpplugin highlightjs code syntax","version":"0.0.3","words":"gulp-highlight ## install =johannestroeger gulpplugin highlightjs code syntax","author":"=johannestroeger","date":"2014-03-07 "},{"name":"gulp-hint-not","description":"Gulp plugin for removing jshint comment directives from source code.","url":null,"keywords":"gulp plugin gulp plugin jshint comment directive strip","version":"0.0.3","words":"gulp-hint-not gulp plugin for removing jshint comment directives from source code. =ifandelse gulp plugin gulp plugin jshint comment directive strip","author":"=ifandelse","date":"2014-01-17 "},{"name":"gulp-hjson","description":"Convert Hjson and JSON for gulp","url":null,"keywords":"gulpplugin hjson json config comments hjson parser serializer","version":"0.1.0","words":"gulp-hjson convert hjson and json for gulp =laktak gulpplugin hjson json config comments hjson parser serializer","author":"=laktak","date":"2014-06-28 "},{"name":"gulp-hogan","description":"gulp plugin to compile mustache templates","url":null,"keywords":"mustache hogan convert gulpplugin","version":"1.0.1","words":"gulp-hogan gulp plugin to compile mustache templates =hemanth mustache hogan convert gulpplugin","author":"=hemanth","date":"2014-09-08 "},{"name":"gulp-hogan-compile","description":"A gulp plugin to compile mustache HTML templates to JavaScript functions using hogan.","url":null,"keywords":"gulpplugin templates mustache hogan","version":"0.2.1","words":"gulp-hogan-compile a gulp plugin to compile mustache html templates to javascript functions using hogan. =paulwib gulpplugin templates mustache hogan","author":"=paulwib","date":"2014-03-04 "},{"name":"gulp-hologram","description":"Generate Hologram style guides with Gulp","url":null,"keywords":"gulpplugin","version":"1.1.0","words":"gulp-hologram generate hologram style guides with gulp =rejah gulpplugin","author":"=rejah","date":"2014-08-14 "},{"name":"gulp-hsp-compiler","description":"gulp-hsp-compiler =================","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-hsp-compiler gulp-hsp-compiler ================= =ariatemplates gulpplugin","author":"=ariatemplates","date":"2014-04-29 "},{"name":"gulp-hsp-transpiler","description":"gulp-hsp-transpiler ====================","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-hsp-transpiler gulp-hsp-transpiler ==================== =ariatemplates gulpplugin","author":"=ariatemplates","date":"2014-06-23 "},{"name":"gulp-html-extend","description":"Make it easy to extend html","url":null,"keywords":"gulp html master extend include replace","version":"0.2.0","words":"gulp-html-extend make it easy to extend html =frankfang gulp html master extend include replace","author":"=frankfang","date":"2014-09-16 "},{"name":"gulp-html-extract","description":"Extract HTML text in your gulp pipeline.","url":null,"keywords":"gulp html","version":"0.0.1","words":"gulp-html-extract extract html text in your gulp pipeline. =ryan.roemer gulp html","author":"=ryan.roemer","date":"2014-04-28 "},{"name":"gulp-html-extract-x","description":"Extract HTML text in your gulp pipeline. But for realz this time.","url":null,"keywords":"gulp html","version":"0.0.1","words":"gulp-html-extract-x extract html text in your gulp pipeline. but for realz this time. =cbleslie gulp html","author":"=cbleslie","date":"2014-08-13 "},{"name":"gulp-html-file-to-directory","description":"For prettier URLs foo/bar.html -> foo/bar/index.html","url":null,"keywords":"","version":"0.0.1","words":"gulp-html-file-to-directory for prettier urls foo/bar.html -> foo/bar/index.html =brian-c","author":"=brian-c","date":"2014-05-16 "},{"name":"gulp-html-glob-expansion","description":"Expands glob expressions in HTML resource URLs.","url":null,"keywords":"gulpplugin html glob development","version":"0.1.0","words":"gulp-html-glob-expansion expands glob expressions in html resource urls. =wilsonjackson gulpplugin html glob development","author":"=wilsonjackson","date":"2014-07-10 "},{"name":"gulp-html-i18n","description":"Html i18n","url":null,"keywords":"amd dependency gulpplugin","version":"0.0.6","words":"gulp-html-i18n html i18n =webyom amd dependency gulpplugin","author":"=webyom","date":"2014-07-17 "},{"name":"gulp-html-include","description":"HTML include generator for static assets, e.g., foo.min.js => foo.min.js.html","url":null,"keywords":"gulpplugin include html jsp asset assets static cache version","version":"0.1.4","words":"gulp-html-include html include generator for static assets, e.g., foo.min.js => foo.min.js.html =derekpeterson gulpplugin include html jsp asset assets static cache version","author":"=derekpeterson","date":"2014-08-28 "},{"name":"gulp-html-js-template","description":"Gulp task that converts a html file with template definitions into a js file containing an object with all templates as strings.","url":null,"keywords":"html template js gulpplugin gulpfriendly handlebar underscore microtemplating mustache ejs plates","version":"0.1.4","words":"gulp-html-js-template gulp task that converts a html file with template definitions into a js file containing an object with all templates as strings. =lernetz-mich html template js gulpplugin gulpfriendly handlebar underscore microtemplating mustache ejs plates","author":"=lernetz-mich","date":"2014-09-17 "},{"name":"gulp-html-minifier","description":"Minify HTML with html-minifier.","url":null,"keywords":"gulpplugin html html minifier html minify minify","version":"0.1.5","words":"gulp-html-minifier minify html with html-minifier. =chazelton gulpplugin html html minifier html minify minify","author":"=chazelton","date":"2014-06-24 "},{"name":"gulp-html-optimizer","description":"Optimize html files.","url":null,"keywords":"amd dependency gulpplugin","version":"0.0.22","words":"gulp-html-optimizer optimize html files. =webyom amd dependency gulpplugin","author":"=webyom","date":"2014-07-26 "},{"name":"gulp-html-prettify","description":"HTML Prettify Plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-html-prettify html prettify plugin for gulp =colynb gulpplugin","author":"=colynb","date":"2013-12-14 "},{"name":"gulp-html-rebuild","description":"Rebuild html with htmlparser2.","url":null,"keywords":"gulpplugin htmlparser","version":"0.0.4","words":"gulp-html-rebuild rebuild html with htmlparser2. =minodisk gulpplugin htmlparser","author":"=minodisk","date":"2014-08-07 "},{"name":"gulp-html-rebuilder","keywords":"","version":[],"words":"gulp-html-rebuilder","author":"","date":"2014-08-01 "},{"name":"gulp-html-replace","description":"Replace build blocks in HTML. Like useref but done right.","url":null,"keywords":"gulpplugin html replace","version":"1.3.0","words":"gulp-html-replace replace build blocks in html. like useref but done right. =vfk gulpplugin html replace","author":"=vfk","date":"2014-09-03 "},{"name":"gulp-html-src","description":"Gulp plugin to accept HTML input, and output the linked JavaScript (script tags) and CSS (link tags)","url":null,"keywords":"gulp html script link gulpplugin gulp-plugin","version":"0.2.0","words":"gulp-html-src gulp plugin to accept html input, and output the linked javascript (script tags) and css (link tags) =davegb3 gulp html script link gulpplugin gulp-plugin","author":"=davegb3","date":"2014-05-27 "},{"name":"gulp-html-validator","description":"Validate html with w3.org","url":null,"keywords":"gulp gulpplugin html-validator validate validator","version":"0.0.2","words":"gulp-html-validator validate html with w3.org =hoobdeebla gulp gulpplugin html-validator validate validator","author":"=hoobdeebla","date":"2014-06-05 "},{"name":"gulp-html2jade","description":"gulp plugin to covert HTML to Jade format.","url":null,"keywords":"jade html convert gulpplugin","version":"1.0.0","words":"gulp-html2jade gulp plugin to covert html to jade format. =hemanth jade html convert gulpplugin","author":"=hemanth","date":"2014-09-17 "},{"name":"gulp-html2js","description":"Gulp plugin for converting AngularJS templates to JavaScript","url":null,"keywords":"gulpplugin","version":"0.2.0","words":"gulp-html2js gulp plugin for converting angularjs templates to javascript =fraserxu gulpplugin","author":"=fraserxu","date":"2014-08-27 "},{"name":"gulp-html2jsobject","description":"Convert HTML files to a single javascript object","url":null,"keywords":"gulp html","version":"0.0.1","words":"gulp-html2jsobject convert html files to a single javascript object =zverev gulp html","author":"=zverev","date":"2014-04-02 "},{"name":"gulp-html2kissy","description":"transform html templates to kissy module.","url":null,"keywords":"html2kissy module kissy","version":"0.0.8","words":"gulp-html2kissy transform html templates to kissy module. =taojie html2kissy module kissy","author":"=taojie","date":"2014-06-05 "},{"name":"gulp-html2md","description":"Removes unneeded whitespaces, line-breaks, comments, etc from HTML","url":null,"keywords":"html md gulpplugin","version":"1.0.0","words":"gulp-html2md removes unneeded whitespaces, line-breaks, comments, etc from html =hemanth html md gulpplugin","author":"=hemanth","date":"2014-09-15 "},{"name":"gulp-html2pdf","description":"Export HTML files to PDF","url":null,"keywords":"gulpplugin pdf wkhtmltopdf","version":"0.1.2","words":"gulp-html2pdf export html files to pdf =igor_zoriy gulpplugin pdf wkhtmltopdf","author":"=igor_zoriy","date":"2014-08-18 "},{"name":"gulp-html2string","description":"Converts static HTML templates to JavaScript strings.","url":null,"keywords":"gulp html javascript string conversion","version":"0.1.1","words":"gulp-html2string converts static html templates to javascript strings. =settinghead gulp html javascript string conversion","author":"=settinghead","date":"2014-06-25 "},{"name":"gulp-html2tpl","description":"Convert HTML files into a JS object containing pre-compiled underscore.js templates","url":null,"keywords":"underscore gulpplugin template templates html precompile pre-compile","version":"0.5.0","words":"gulp-html2tpl convert html files into a js object containing pre-compiled underscore.js templates =tjeastmond underscore gulpplugin template templates html precompile pre-compile","author":"=tjeastmond","date":"2014-02-04 "},{"name":"gulp-html2txt","description":"gulp plugin to convert html to text","url":null,"keywords":"html text convert gulpplugin","version":"1.0.0","words":"gulp-html2txt gulp plugin to convert html to text =hemanth html text convert gulpplugin","author":"=hemanth","date":"2014-09-16 "},{"name":"gulp-htmlbuild","description":"Extract content from html documents and replace by build result","url":null,"keywords":"gulpplugin","version":"0.3.0","words":"gulp-htmlbuild extract content from html documents and replace by build result =janpotoms gulpplugin","author":"=janpotoms","date":"2014-09-14 "},{"name":"gulp-htmlclean","description":"Simple and lightweight cleaner that just removes whitespaces, comments, etc. to minify HTML. This differs from others in that this removes whitespaces, line-breaks, etc. as much as possible.","url":null,"keywords":"gulpplugin html clean whitespace line break comment minify remove space lightweight","version":"2.2.2","words":"gulp-htmlclean simple and lightweight cleaner that just removes whitespaces, comments, etc. to minify html. this differs from others in that this removes whitespaces, line-breaks, etc. as much as possible. =anseki gulpplugin html clean whitespace line break comment minify remove space lightweight","author":"=anseki","date":"2014-09-18 "},{"name":"gulp-htmlflattenassets","description":"gulp plugin for flatten assets in html","url":null,"keywords":"","version":"0.1.0","words":"gulp-htmlflattenassets gulp plugin for flatten assets in html =sorrycc","author":"=sorrycc","date":"2014-06-24 "},{"name":"gulp-htmlgroup","description":"gulp plugin for handle group in html","url":null,"keywords":"","version":"0.1.1","words":"gulp-htmlgroup gulp plugin for handle group in html =sorrycc","author":"=sorrycc","date":"2014-06-24 "},{"name":"gulp-htmlhint","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.0.9","words":"gulp-htmlhint a plugin for gulp =bezoerb gulpplugin","author":"=bezoerb","date":"2014-07-22 "},{"name":"gulp-htmlimg","description":"handle images for html","url":null,"keywords":"","version":"0.1.2","words":"gulp-htmlimg handle images for html =sorrycc","author":"=sorrycc","date":"2014-06-24 "},{"name":"gulp-htmlincluder","description":"Gulp plugin for building HTML files into each other. Made for a workflow involving responsive unit testing.","url":null,"keywords":"gulpplugin","version":"0.0.9","words":"gulp-htmlincluder gulp plugin for building html files into each other. made for a workflow involving responsive unit testing. =interneterik gulpplugin","author":"=interneterik","date":"2014-06-25 "},{"name":"gulp-htmlinline","description":"inline script and link for html","url":null,"keywords":"","version":"0.1.1","words":"gulp-htmlinline inline script and link for html =sorrycc","author":"=sorrycc","date":"2014-06-24 "},{"name":"gulp-htmlmin","description":"Minify HTML.","url":null,"keywords":"gulpplugin html html minifier html minify minify","version":"0.2.0","words":"gulp-htmlmin minify html. =jonschlinkert =doowb gulpplugin html html minifier html minify minify","author":"=jonschlinkert =doowb","date":"2014-08-22 "},{"name":"gulp-htmlparser","description":"parse html into js objects with gulp","url":null,"keywords":"gulp gulpplugin gulp-plugin","version":"0.0.2","words":"gulp-htmlparser parse html into js objects with gulp =stevelacy gulp gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-03-02 "},{"name":"gulp-htmlprocessor","description":"Process html files at build time to modify them depending on the release environment","url":null,"keywords":"process html index build buildtime environment target optimize gulpplugin","version":"0.1.1","words":"gulp-htmlprocessor process html files at build time to modify them depending on the release environment =nesk process html index build buildtime environment target optimize gulpplugin","author":"=nesk","date":"2014-09-09 "},{"name":"gulp-htmlrefs","description":"Replaces references of js/css/img to rev version filenames into HTML files.","url":null,"keywords":"gulpplugin htmlrefs","version":"0.1.7","words":"gulp-htmlrefs replaces references of js/css/img to rev version filenames into html files. =rehorn gulpplugin htmlrefs","author":"=rehorn","date":"2014-09-03 "},{"name":"gulp-htmltidy","description":"Node Wrapper for HTML Tidy","url":null,"keywords":"gulpplugin clear css html","version":"0.0.1","words":"gulp-htmltidy node wrapper for html tidy =cobaimelan gulpplugin clear css html","author":"=cobaimelan","date":"2014-02-15 "},{"name":"gulp-htmltojade","description":"Convert html pages to jade templates","url":null,"keywords":"","version":"0.1.1","words":"gulp-htmltojade convert html pages to jade templates =serhey.shmyg","author":"=serhey.shmyg","date":"2014-07-18 "},{"name":"gulp-hub","description":"A gulp plugin to run tasks from multiple gulpfiles","url":null,"keywords":"gulp hub grunt-hub gulp-chug multi gulpplugin","version":"0.6.1","words":"gulp-hub a gulp plugin to run tasks from multiple gulpfiles =frankwallis gulp hub grunt-hub gulp-chug multi gulpplugin","author":"=frankwallis","date":"2014-08-05 "},{"name":"gulp-huxley","description":"Gulp task for node-huxley.","url":null,"keywords":"gulp gulpjs huxley node-huxley gulpplugin","version":"0.1.0","words":"gulp-huxley gulp task for node-huxley. =wombleton gulp gulpjs huxley node-huxley gulpplugin","author":"=wombleton","date":"2014-04-08 "},{"name":"gulp-huxley-runner","keywords":"","version":[],"words":"gulp-huxley-runner","author":"","date":"2014-04-04 "},{"name":"gulp-iced","description":"Compile Iced CoffeeScript files","url":null,"keywords":"gulpplugin","version":"0.0.2","words":"gulp-iced compile iced coffeescript files =stathat gulpplugin","author":"=stathat","date":"2014-02-20 "},{"name":"gulp-iced-coffee","description":"Compile IcedCoffeeScript files","url":null,"keywords":"gulpplugin","version":"1.2.1","words":"gulp-iced-coffee compile icedcoffeescript files =undozen gulpplugin","author":"=undozen","date":"2014-09-05 "},{"name":"gulp-iconfont","description":"Create icon fonts from several SVG icons","url":null,"keywords":"gulpplugin gulp icon font","version":"0.1.2","words":"gulp-iconfont create icon fonts from several svg icons =nfroidure gulpplugin gulp icon font","author":"=nfroidure","date":"2014-08-25 "},{"name":"gulp-iconfont-css","description":"Generate (S)CSS file for icon font created with Gulp","url":null,"keywords":"gulpplugin gulp icon font scss css","version":"0.0.9","words":"gulp-iconfont-css generate (s)css file for icon font created with gulp =backflip gulpplugin gulp icon font scss css","author":"=backflip","date":"2014-03-23 "},{"name":"gulp-iconfontforweb","description":"Create icon fonts from several SVG icons","url":null,"keywords":"gulpplugin gulp icon font","version":"0.1.1","words":"gulp-iconfontforweb create icon fonts from several svg icons =leeqqiang gulpplugin gulp icon font","author":"=leeqqiang","date":"2014-08-13 "},{"name":"gulp-iconv-lite","description":"Iconv Lite","url":null,"keywords":"gulpplugin iconv iconv-lite encoding charset fileencoding","version":"0.0.1","words":"gulp-iconv-lite iconv lite =fiuza gulpplugin iconv iconv-lite encoding charset fileencoding","author":"=fiuza","date":"2014-05-07 "},{"name":"gulp-identity","description":"A gulp plugin that does nothing. Passes the stream/files unchanged.","url":null,"keywords":"gulp gulp-plugin plugin nothing identity","version":"0.1.0","words":"gulp-identity a gulp plugin that does nothing. passes the stream/files unchanged. =soplakanets gulp gulp-plugin plugin nothing identity","author":"=soplakanets","date":"2014-05-08 "},{"name":"gulp-if","description":"Conditionally run a task","url":null,"keywords":"gulpplugin conditional if ternary","version":"1.2.4","words":"gulp-if conditionally run a task =robrich gulpplugin conditional if ternary","author":"=robrich","date":"2014-07-22 "},{"name":"gulp-if-else","description":"[Gulp plugin] Conditional task with \"if\" callback and \"else\" callback (optional): gulp.src(source).pipe( ifElse(condition, ifCallback, elseCallback) )","url":null,"keywords":"gulpplugin conditional if else","version":"1.0.2","words":"gulp-if-else [gulp plugin] conditional task with \"if\" callback and \"else\" callback (optional): gulp.src(source).pipe( ifelse(condition, ifcallback, elsecallback) ) =nicolab gulpplugin conditional if else","author":"=nicolab","date":"2014-08-06 "},{"name":"gulp-ignore","description":"Include or exclude gulp files from the stream based on a condition","url":null,"keywords":"gulpplugin filter minimatch include exclude gulp-filter","version":"1.2.0","words":"gulp-ignore include or exclude gulp files from the stream based on a condition =robrich gulpplugin filter minimatch include exclude gulp-filter","author":"=robrich","date":"2014-07-22 "},{"name":"gulp-imacss","description":"A gulp plugin for using imacss (the image to datauri to CSS transformer).","url":null,"keywords":"gulpplugin imacss datauris css base64","version":"0.2.3","words":"gulp-imacss a gulp plugin for using imacss (the image to datauri to css transformer). =akoenig gulpplugin imacss datauris css base64","author":"=akoenig","date":"2014-02-21 "},{"name":"gulp-image","description":"Optimize PNG, JPG, GIF, SVG images with gulp task.","url":null,"keywords":"compress minify optimize image img jpg jpeg png gif svg gulpplugin","version":"0.4.7","words":"gulp-image optimize png, jpg, gif, svg images with gulp task. =1000ch compress minify optimize image img jpg jpeg png gif svg gulpplugin","author":"=1000ch","date":"2014-09-10 "},{"name":"gulp-image-optimization","description":"Minify PNG, JPEG and GIF images. this is based on https://github.com/sindresorhus/gulp-imagemin with stream-limit implementation","url":null,"keywords":"gulpplugin image-min image img picture photo minify minifier compress png jpg jpeg gif","version":"0.1.3","words":"gulp-image-optimization minify png, jpeg and gif images. this is based on https://github.com/sindresorhus/gulp-imagemin with stream-limit implementation =firetix gulpplugin image-min image img picture photo minify minifier compress png jpg jpeg gif","author":"=firetix","date":"2014-02-11 "},{"name":"gulp-image-preload","description":"image preload for gulp","url":null,"keywords":"gulp gulpplugin image_preload","version":"0.0.3","words":"gulp-image-preload image preload for gulp =lexich gulp gulpplugin image_preload","author":"=lexich","date":"2014-08-05 "},{"name":"gulp-image-resize","description":"Resizing images made easy.","url":null,"keywords":"gulpplugin","version":"0.5.0","words":"gulp-image-resize resizing images made easy. =normanrz gulpplugin","author":"=normanrz","date":"2014-03-13 "},{"name":"gulp-image2cssref","description":"A gulp plugin that takes a bunch of image files and creates a CSS file in which these are referenced as background-images.","url":null,"keywords":"gulpplugin css images background-image","version":"0.1.0","words":"gulp-image2cssref a gulp plugin that takes a bunch of image files and creates a css file in which these are referenced as background-images. =akoenig gulpplugin css images background-image","author":"=akoenig","date":"2014-02-21 "},{"name":"gulp-imagemin","description":"Minify PNG, JPEG, GIF and SVG images","url":null,"keywords":"gulpplugin imagemin image img picture photo minify minifier compress png jpg jpeg gif svg","version":"1.0.1","words":"gulp-imagemin minify png, jpeg, gif and svg images =sindresorhus gulpplugin imagemin image img picture photo minify minifier compress png jpg jpeg gif svg","author":"=sindresorhus","date":"2014-08-24 "},{"name":"gulp-imageoptim","keywords":"","version":[],"words":"gulp-imageoptim","author":"","date":"2014-01-22 "},{"name":"gulp-img64","description":"Convert and replace image-files within your DOM/HTML to base64-encoded data.","url":null,"keywords":"gulpplugin endoding base64 image html DOM","version":"0.0.6","words":"gulp-img64 convert and replace image-files within your dom/html to base64-encoded data. =247even gulpplugin endoding base64 image html dom","author":"=247even","date":"2014-03-06 "},{"name":"gulp-imgsizefix","description":"Fix the IMG tags size (width and height) attributes.","url":null,"keywords":"gulp gulpplugin","version":"1.1.0","words":"gulp-imgsizefix fix the img tags size (width and height) attributes. =atuyl gulp gulpplugin","author":"=atuyl","date":"2014-09-16 "},{"name":"gulp-import","description":"gulp.import('PKGNAME/FILENAME')","url":null,"keywords":"gulpplugin gulpfriendly","version":"0.0.1","words":"gulp-import gulp.import('pkgname/filename') =nak2k gulpplugin gulpfriendly","author":"=nak2k","date":"2014-03-16 "},{"name":"gulp-import-css","description":"Import several css files into a single file, one by one, rebasing urls and inlining @import","url":null,"keywords":"gulpplugin import css","version":"0.1.2","words":"gulp-import-css import several css files into a single file, one by one, rebasing urls and inlining @import =yuguo gulpplugin import css","author":"=yuguo","date":"2014-08-25 "},{"name":"gulp-importjs","description":"Allow @import rules in jsrc files. Files should be relative to the app root.","url":null,"keywords":"importjs","version":"0.1.6","words":"gulp-importjs allow @import rules in jsrc files. files should be relative to the app root. =ronniesan importjs","author":"=ronniesan","date":"2014-05-01 "},{"name":"gulp-imports","description":"Gulp plugin for importing/including files","url":null,"keywords":"gulp plugin gulp plugin gulpplugin file import include combine","version":"0.0.3","words":"gulp-imports gulp plugin for importing/including files =ifandelse gulp plugin gulp plugin gulpplugin file import include combine","author":"=ifandelse","date":"2014-09-17 "},{"name":"gulp-inc","description":"Inject file contents with an include tag and compile using your favorite preprocessor like CoffeeScript, Markdown, Sass, etc.","url":null,"keywords":"gulpplugin gulpfriendly gulp gulp-plugin file include file-include inject inject-content","version":"0.1.1","words":"gulp-inc inject file contents with an include tag and compile using your favorite preprocessor like coffeescript, markdown, sass, etc. =danioso gulpplugin gulpfriendly gulp gulp-plugin file include file-include inject inject-content","author":"=danioso","date":"2014-05-08 "},{"name":"gulp-include","description":"Makes inclusion of files a breeze. Enables functionality similar to that of snockets / sprockets or other file insertion compilation tools.","url":null,"keywords":"gulpplugin","version":"1.0.1","words":"gulp-include makes inclusion of files a breeze. enables functionality similar to that of snockets / sprockets or other file insertion compilation tools. =wiledal gulpplugin","author":"=wiledal","date":"2014-08-20 "},{"name":"gulp-include-helper","description":"Helps you include your assets in html or templates file.","url":null,"keywords":"gulpplugin html include import require assets","version":"0.0.2","words":"gulp-include-helper helps you include your assets in html or templates file. =claud gulpplugin html include import require assets","author":"=claud","date":"2014-06-07 "},{"name":"gulp-include-js","description":"Plugin for Gulp to includes JavaScript files","url":null,"keywords":"","version":"0.1.0","words":"gulp-include-js plugin for gulp to includes javascript files =litiws","author":"=litiws","date":"2014-05-20 "},{"name":"gulp-include-more","description":"gulp plugin to concatenate js files with Sprockets compatible directives","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-include-more gulp plugin to concatenate js files with sprockets compatible directives =beatak gulpplugin","author":"=beatak","date":"2014-08-06 "},{"name":"gulp-include-source","description":"Include scripts and styles into your HTML files automatically.","url":null,"keywords":"gulpplugin html include import require assets","version":"0.0.5","words":"gulp-include-source include scripts and styles into your html files automatically. =gil gulpplugin html include import require assets","author":"=gil","date":"2014-07-28 "},{"name":"gulp-include-templated","description":"gulp-include with a template preprocessor","url":null,"keywords":"gulpplugin","version":"0.2.4","words":"gulp-include-templated gulp-include with a template preprocessor =relaxation gulpplugin","author":"=relaxation","date":"2014-07-07 "},{"name":"gulp-includer","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-includer a plugin for gulp =timrwood gulpplugin","author":"=timrwood","date":"2014-05-12 "},{"name":"gulp-indent","description":"Indent piped files","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-indent indent piped files =johnydays gulpplugin","author":"=johnydays","date":"2014-08-21 "},{"name":"gulp-init","keywords":"","version":[],"words":"gulp-init","author":"","date":"2014-06-04 "},{"name":"gulp-initial-cleaning","description":"Remove folders before starting tasks","url":null,"keywords":"clean gulp","version":"0.0.1","words":"gulp-initial-cleaning remove folders before starting tasks =lucm clean gulp","author":"=lucm","date":"2014-06-22 "},{"name":"gulp-inject","description":"A javascript, stylesheet and webcomponent injection plugin for Gulp, i.e. inject file references into your index.html","url":null,"keywords":"gulpplugin inject stylesheets webcomponents scripts index","version":"1.0.2","words":"gulp-inject a javascript, stylesheet and webcomponent injection plugin for gulp, i.e. inject file references into your index.html =joakimbeng gulpplugin inject stylesheets webcomponents scripts index","author":"=joakimbeng","date":"2014-09-03 "},{"name":"gulp-inject-reload","description":"Injects a Live Reload script into your files","url":null,"keywords":"gulp livereload","version":"0.0.2","words":"gulp-inject-reload injects a live reload script into your files =schmicko gulp livereload","author":"=schmicko","date":"2014-07-28 "},{"name":"gulp-inject-string","description":"Inject snippets in build","url":null,"keywords":"gulpplugin inject insert html snippet","version":"0.0.2","words":"gulp-inject-string inject snippets in build =schmicko gulpplugin inject insert html snippet","author":"=schmicko","date":"2014-08-07 "},{"name":"gulp-inline","description":"Inline styles and scripts into an html file.","url":null,"keywords":"inline gulp gulpplugin gulp inline inline css inline js compress html","version":"0.0.7","words":"gulp-inline inline styles and scripts into an html file. =ashaffer88 inline gulp gulpplugin gulp inline inline css inline js compress html","author":"=ashaffer88","date":"2014-09-07 "},{"name":"gulp-inline-angular-templates","description":"Inline angular templates into an HTML file","url":null,"keywords":"gulpplugin angular templates cache","version":"0.1.5","words":"gulp-inline-angular-templates inline angular templates into an html file =wmluke gulpplugin angular templates cache","author":"=wmluke","date":"2014-09-07 "},{"name":"gulp-inline-base64","description":"Convert assets to inline datauri, ideal to integrate small pictures in your css.","url":null,"keywords":"","version":"0.1.4","words":"gulp-inline-base64 convert assets to inline datauri, ideal to integrate small pictures in your css. =g33klabs","author":"=g33klabs","date":"2014-05-19 "},{"name":"gulp-inline-css","description":"Inline linked css in an html file. Useful for emails.","url":null,"keywords":"gulpplugin inline css html email","version":"1.0.0","words":"gulp-inline-css inline linked css in an html file. useful for emails. =jonkemp gulpplugin inline css html email","author":"=jonkemp","date":"2014-09-05 "},{"name":"gulp-inline-imgurl","description":"modify the image url which is inline in the dom","url":null,"keywords":"","version":"0.1.1","words":"gulp-inline-imgurl modify the image url which is inline in the dom =rubyless","author":"=rubyless","date":"2014-07-31 "},{"name":"gulp-inline-source","description":"Inline flagged js & css sources.","url":null,"keywords":"gulpplugin inline css javascript","version":"0.0.3","words":"gulp-inline-source inline flagged js & css sources. =fmal gulpplugin inline css javascript","author":"=fmal","date":"2014-09-09 "},{"name":"gulp-inlining-node-require","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-inlining-node-require a plugin for gulp =azu gulpplugin","author":"=azu","date":"2014-05-08 "},{"name":"gulp-insert","description":"Append or Prepend a string with gulp","url":null,"keywords":"gulp gulpplugin append insert prepend","version":"0.4.0","words":"gulp-insert append or prepend a string with gulp =rschmukler =nfroidure gulp gulpplugin append insert prepend","author":"=rschmukler =nfroidure","date":"2014-06-29 "},{"name":"gulp-install","description":"Automatically install npm and bower packages if package.json or bower.json is found in the gulp file stream respectively","url":null,"keywords":"gulpplugin bower npm install","version":"0.2.0","words":"gulp-install automatically install npm and bower packages if package.json or bower.json is found in the gulp file stream respectively =joakimbeng gulpplugin bower npm install","author":"=joakimbeng","date":"2014-07-29 "},{"name":"gulp-instrument","description":"Gulp plugin for instrumenting code using jscoverage (or other instrumentation engine).","url":null,"keywords":"gulp coverage jscoverage instrument instrumentation","version":"0.1.0","words":"gulp-instrument gulp plugin for instrumenting code using jscoverage (or other instrumentation engine). =amingoia gulp coverage jscoverage instrument instrumentation","author":"=amingoia","date":"2014-04-22 "},{"name":"gulp-intercept","description":"Intercept Gulp streams and take full control of the content.","url":null,"keywords":"gulpplugin replace intercept swap update stream","version":"0.1.0","words":"gulp-intercept intercept gulp streams and take full control of the content. =khilnani gulpplugin replace intercept swap update stream","author":"=khilnani","date":"2014-02-08 "},{"name":"gulp-intermediate","description":"A gulp helper for tools that need files on disk.","url":null,"keywords":"gulpplugin gulp intermediate filesystem","version":"3.0.1","words":"gulp-intermediate a gulp helper for tools that need files on disk. =robwierzbowski gulpplugin gulp intermediate filesystem","author":"=robwierzbowski","date":"2014-07-27 "},{"name":"gulp-inuit","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.1.1","words":"gulp-inuit a plugin for gulp =brian.lai gulpplugin","author":"=brian.lai","date":"2014-09-19 "},{"name":"gulp-istanbul","description":"Istanbul unit test coverage plugin for gulp.","url":null,"keywords":"gulpplugin coverage istanbul unit test","version":"0.3.1","words":"gulp-istanbul istanbul unit test coverage plugin for gulp. =sboudrias gulpplugin coverage istanbul unit test","author":"=sboudrias","date":"2014-09-16 "},{"name":"gulp-istanbul-custom-reports","description":"Forked from SBoudrias/gulp-Istanbul - Istanbul unit test coverage plugin for gulp with the ability to register custom Istanbul report implementation.","url":null,"keywords":"gulpplugin coverage istanbul unit test","version":"0.1.3","words":"gulp-istanbul-custom-reports forked from sboudrias/gulp-istanbul - istanbul unit test coverage plugin for gulp with the ability to register custom istanbul report implementation. =cellarise gulpplugin coverage istanbul unit test","author":"=cellarise","date":"2014-08-27 "},{"name":"gulp-istanbul-enforcer","description":"Plugin for gulp that enforces coverage thresholds from Istanbul","url":null,"keywords":"gulpplugin karma istanbul coverage","version":"1.0.3","words":"gulp-istanbul-enforcer plugin for gulp that enforces coverage thresholds from istanbul =iainjmitchell gulpplugin karma istanbul coverage","author":"=iainjmitchell","date":"2014-06-05 "},{"name":"gulp-j140","description":"Gulp plugin for j140 - Javascript template engine in 140 bytes, by Jed Schmidt. For browser and node.","url":null,"keywords":"gulpplugin j140 140bytes javascript template engine browser","version":"0.0.2","words":"gulp-j140 gulp plugin for j140 - javascript template engine in 140 bytes, by jed schmidt. for browser and node. =tunnckocore gulpplugin j140 140bytes javascript template engine browser","author":"=tunnckocore","date":"2014-06-21 "},{"name":"gulp-jade","description":"Compile Jade templates","url":null,"keywords":"jade gulpplugin stream compile","version":"0.8.0","words":"gulp-jade compile jade templates =phated jade gulpplugin stream compile","author":"=phated","date":"2014-09-11 "},{"name":"gulp-jade-commonjs","keywords":"","version":[],"words":"gulp-jade-commonjs","author":"","date":"2014-04-08 "},{"name":"gulp-jade-exports","description":"takes all the `exports` blocks from the given jade files to collect information before running the jade task.","url":null,"keywords":"","version":"0.3.1","words":"gulp-jade-exports takes all the `exports` blocks from the given jade files to collect information before running the jade task. =bloodyowl","author":"=bloodyowl","date":"2014-04-23 "},{"name":"gulp-jade-find-affected","description":"Find affected files when changing jade files that are dependencies in other files and pass them through the stream for compilation","url":null,"keywords":"jade gulpplugin","version":"0.1.3","words":"gulp-jade-find-affected find affected files when changing jade files that are dependencies in other files and pass them through the stream for compilation =teltploek jade gulpplugin","author":"=teltploek","date":"2014-09-06 "},{"name":"gulp-jade-inheritance","description":"Rebuild only changed jade files and all it dependencies","url":null,"keywords":"gulpplugin jade jade-inheritance","version":"0.0.4","words":"gulp-jade-inheritance rebuild only changed jade files and all it dependencies =juanfran gulpplugin jade jade-inheritance","author":"=juanfran","date":"2014-09-12 "},{"name":"gulp-jade-php","description":"compile jade php","url":null,"keywords":"jade php gulp","version":"1.0.0","words":"gulp-jade-php compile jade php =oroce jade php gulp","author":"=oroce","date":"2014-07-24 "},{"name":"gulp-jade-react","description":"Compile Jade templates to React components","url":null,"keywords":"gulpplugin","version":"0.2.0","words":"gulp-jade-react compile jade templates to react components =duncanbeevers gulpplugin","author":"=duncanbeevers","date":"2014-03-01 "},{"name":"gulp-jade-usemin","description":"Gulp plugin for running usemin on Jade files","url":null,"keywords":"gulpplugin jade usemin build minify","version":"0.0.3","words":"gulp-jade-usemin gulp plugin for running usemin on jade files =gdi2290 =niftylettuce gulpplugin jade usemin build minify","author":"=gdi2290 =niftylettuce","date":"2014-08-19 "},{"name":"gulp-jade2","description":"Compile Jade templates. Ouput extension can be HTML or whatever you setup","url":null,"keywords":"","version":"0.0.1","words":"gulp-jade2 compile jade templates. ouput extension can be html or whatever you setup =mariust","author":"=mariust","date":"2014-03-07 "},{"name":"gulp-jaded","description":"Compile Jaded files with gulp (gulpjs.com)","url":null,"keywords":"gulp jade jaded gulpplugin gulp-plugin","version":"0.0.4","words":"gulp-jaded compile jaded files with gulp (gulpjs.com) =stevelacy gulp jade jaded gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-02-03 "},{"name":"gulp-jasmine","description":"Run Jasmine tests","url":null,"keywords":"gulpplugin jasmine test testing unit framework runner tdd bdd qunit spec tap","version":"1.0.1","words":"gulp-jasmine run jasmine tests =sindresorhus gulpplugin jasmine test testing unit framework runner tdd bdd qunit spec tap","author":"=sindresorhus","date":"2014-09-14 "},{"name":"gulp-jasmine-node","keywords":"","version":[],"words":"gulp-jasmine-node","author":"","date":"2014-03-26 "},{"name":"gulp-jasmine-phantom","description":"Jasmine 2.0 suite runner, optionally with PhantomJS","url":null,"keywords":"gulpplugin jasmine phantom test testing unit integration framework runner tdd bdd spec","version":"1.0.0","words":"gulp-jasmine-phantom jasmine 2.0 suite runner, optionally with phantomjs =dflynn15 gulpplugin jasmine phantom test testing unit integration framework runner tdd bdd spec","author":"=dflynn15","date":"2014-09-16 "},{"name":"gulp-jasmine2-phantomjs","description":"Run Jasmine tests with PhantomJS","url":null,"keywords":"gulpplugin test jasmine phantomjs","version":"0.1.1","words":"gulp-jasmine2-phantomjs run jasmine tests with phantomjs =sandermak gulpplugin test jasmine phantomjs","author":"=sandermak","date":"2014-07-09 "},{"name":"gulp-javascript-stylus-sprite","description":"Sprites with stylus & spritesmith","url":null,"keywords":"","version":"0.0.4","words":"gulp-javascript-stylus-sprite sprites with stylus & spritesmith =iliakan","author":"=iliakan","date":"2014-07-16 "},{"name":"gulp-javascriptobfuscator","description":"Obfuscate JavasScript via javascriptobfuscator.com. Please DO NOT include any sensitive data.","url":null,"keywords":"gulp gulpplugin obfuscate obfuscator","version":"0.1.1","words":"gulp-javascriptobfuscator obfuscate javasscript via javascriptobfuscator.com. please do not include any sensitive data. =tangkhaiphuong gulp gulpplugin obfuscate obfuscator","author":"=tangkhaiphuong","date":"2014-08-12 "},{"name":"gulp-jedi","description":"Gulp plugin for jedi lang","url":null,"keywords":"gulpplugin jedi template compile","version":"0.0.0","words":"gulp-jedi gulp plugin for jedi lang =nonamesheep gulpplugin jedi template compile","author":"=nonamesheep","date":"2014-07-14 "},{"name":"gulp-jekyll","description":"Compile Jekyll sites with Gulp.","url":null,"keywords":"gulpplugin jekyll compile ruby","version":"0.0.0","words":"gulp-jekyll compile jekyll sites with gulp. =dannygarcia gulpplugin jekyll compile ruby","author":"=dannygarcia","date":"2014-01-19 "},{"name":"gulp-jeml","description":"## Usage ```js var gulp = require('gulp'); var jeml = require('gulp-jeml'); var beautify = require('gulp-beautify');","url":null,"keywords":"","version":"0.0.2","words":"gulp-jeml ## usage ```js var gulp = require('gulp'); var jeml = require('gulp-jeml'); var beautify = require('gulp-beautify'); =gyson","author":"=gyson","date":"2014-07-04 "},{"name":"gulp-jemplate","description":"Compile Template Toolkit templates to JavaScript","url":null,"keywords":"gulpplugin jemplate template-toolkit","version":"0.0.1","words":"gulp-jemplate compile template toolkit templates to javascript =forestbelton gulpplugin jemplate template-toolkit","author":"=forestbelton","date":"2014-05-02 "},{"name":"gulp-jessy","description":"Convert Jessy files to Sass and/or Js","url":null,"keywords":"Jessy Gulp Sass Js","version":"0.1.6","words":"gulp-jessy convert jessy files to sass and/or js =ulflander jessy gulp sass js","author":"=ulflander","date":"2014-09-19 "},{"name":"gulp-jest","description":"Gulp plugin for running your Jest tests","url":null,"keywords":"gulpplugin jest test testing unit framework runner tdd bdd qunit spec tap","version":"0.2.1","words":"gulp-jest gulp plugin for running your jest tests =dakuan gulpplugin jest test testing unit framework runner tdd bdd qunit spec tap","author":"=dakuan","date":"2014-08-20 "},{"name":"gulp-jison","description":"Jison plugin for gulp","url":null,"keywords":"gulpplugin jison","version":"1.0.0","words":"gulp-jison jison plugin for gulp =matteckert gulpplugin jison","author":"=matteckert","date":"2014-03-30 "},{"name":"gulp-jisp","description":"gulp plugin to compile jisp","url":null,"keywords":"gulpplugin","version":"0.0.4","words":"gulp-jisp gulp plugin to compile jisp =mitranim gulpplugin","author":"=mitranim","date":"2014-07-26 "},{"name":"gulp-joycss","description":"gulp-joycss for joycss which generate css sprite","url":null,"keywords":"css sprite gulp gulp-joycss kissy","version":"1.0.0","words":"gulp-joycss gulp-joycss for joycss which generate css sprite =weekeight css sprite gulp gulp-joycss kissy","author":"=weekeight","date":"2014-08-22 "},{"name":"gulp-jquery-closure","description":"Enclose the content with jQuery definition and more","url":null,"keywords":"gulpplugin","version":"1.1.1","words":"gulp-jquery-closure enclose the content with jquery definition and more =jbdemonte gulpplugin","author":"=jbdemonte","date":"2014-04-25 "},{"name":"gulp-js-beautify","description":"JS-Beautify Plugin for Gulp","url":null,"keywords":"gulp js-beautify beautify","version":"0.0.2","words":"gulp-js-beautify js-beautify plugin for gulp =rangle gulp js-beautify beautify","author":"=rangle","date":"2014-05-07 "},{"name":"gulp-js-include","url":null,"keywords":"","version":"0.0.1","words":"gulp-js-include =platdesign","author":"=platdesign","date":"2014-05-23 "},{"name":"gulp-js-prettify","description":"Prettify, format, beautify JavaScript.","url":null,"keywords":"beautify format gulp js-beautify gulpplugin javascript prettify","version":"0.1.0","words":"gulp-js-prettify prettify, format, beautify javascript. =mackers beautify format gulp js-beautify gulpplugin javascript prettify","author":"=mackers","date":"2014-02-19 "},{"name":"gulp-js1k","description":"Gulp plugin for minifying and verifying for js1k","url":null,"keywords":"gulp js1k gulpplugin","version":"0.0.1","words":"gulp-js1k gulp plugin for minifying and verifying for js1k =dunxrion gulp js1k gulpplugin","author":"=dunxrion","date":"2014-02-10 "},{"name":"gulp-js2coffee","description":"gulp plugin to convert js to coffee","url":null,"keywords":"js2coffee coffee js convert gulpplugin","version":"0.0.1","words":"gulp-js2coffee gulp plugin to convert js to coffee =hemanth js2coffee coffee js convert gulpplugin","author":"=hemanth","date":"2014-01-07 "},{"name":"gulp-jsbeautifier","description":"jsbeautifier.org for Gulp","url":null,"keywords":"beautify format gulp js-beautify gulpplugin html beautify html format html indent html prettify prettify beautifier jsbeautifier code-quality javascript beautify css beautify json beautify","version":"0.0.2","words":"gulp-jsbeautifier jsbeautifier.org for gulp =tarunc beautify format gulp js-beautify gulpplugin html beautify html format html indent html prettify prettify beautifier jsbeautifier code-quality javascript beautify css beautify json beautify","author":"=tarunc","date":"2014-05-02 "},{"name":"gulp-jsbeautify","description":"js-beautify plugin for gulp","url":null,"keywords":"gulpplugin","version":"0.1.1","words":"gulp-jsbeautify js-beautify plugin for gulp =sorrycc gulpplugin","author":"=sorrycc","date":"2014-06-05 "},{"name":"gulp-jsclosure","description":"Gulp Plugin that wraps your file in a configurable javascript closure","url":null,"keywords":"gulp javascript closure gulpplugin","version":"0.0.1","words":"gulp-jsclosure gulp plugin that wraps your file in a configurable javascript closure =jshcrowthe gulp javascript closure gulpplugin","author":"=jshcrowthe","date":"2014-07-26 "},{"name":"gulp-jscodesniffer","description":"Gulp plugin for jscodesniffer","url":null,"keywords":"gulpplugin style guide code sniffer build javascript automation","version":"0.0.1","words":"gulp-jscodesniffer gulp plugin for jscodesniffer =jedrichards gulpplugin style guide code sniffer build javascript automation","author":"=jedrichards","date":"2014-03-20 "},{"name":"gulp-jscoverage","description":"JSCoverage instrumentation plugin for Gulp","url":null,"keywords":"gulpplugin gulp cli jscoverage test","version":"0.1.0","words":"gulp-jscoverage jscoverage instrumentation plugin for gulp =yyx990803 gulpplugin gulp cli jscoverage test","author":"=yyx990803","date":"2013-12-28 "},{"name":"gulp-jscpd","description":"Gulp plugin for the copy/paste detector jscpd","url":null,"keywords":"cpd pmd analyze quality copy paste jscpd gulpplugin","version":"0.0.3","words":"gulp-jscpd gulp plugin for the copy/paste detector jscpd =yannickcr cpd pmd analyze quality copy paste jscpd gulpplugin","author":"=yannickcr","date":"2014-06-16 "},{"name":"gulp-jscrambler","description":"Obfuscate your source files using the JScrambler API.","url":null,"keywords":"gulpplugin jscrambler obfuscate protect js javascript","version":"0.1.3","words":"gulp-jscrambler obfuscate your source files using the jscrambler api. =magalhas gulpplugin jscrambler obfuscate protect js javascript","author":"=magalhas","date":"2014-06-23 "},{"name":"gulp-jscrush","description":"Minify files with JSCrush","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-jscrush minify files with jscrush =vfk gulpplugin","author":"=vfk","date":"2014-03-17 "},{"name":"gulp-jscs","description":"Check JavaScript code style with jscs","url":null,"keywords":"gulpplugin jscs javascript ecmascript js code style validate lint ast check checker","version":"1.1.2","words":"gulp-jscs check javascript code style with jscs =sindresorhus =mikesherov gulpplugin jscs javascript ecmascript js code style validate lint ast check checker","author":"=sindresorhus =mikesherov","date":"2014-09-02 "},{"name":"gulp-jsdc","description":"gulp-jsdc ====","url":null,"keywords":"gulp gulpplugin jsdc ecmascript6 es6 to es5","version":"0.2.2","words":"gulp-jsdc gulp-jsdc ==== =army8735 gulp gulpplugin jsdc ecmascript6 es6 to es5","author":"=army8735","date":"2014-08-20 "},{"name":"gulp-jsdoc","description":"A jsdoc plugin for Gulp","url":null,"keywords":"gulpplugin jsdoc documentation javascript gulp","version":"0.1.4","words":"gulp-jsdoc a jsdoc plugin for gulp =dmp gulpplugin jsdoc documentation javascript gulp","author":"=dmp","date":"2014-04-16 "},{"name":"gulp-jsdoc-to-markdown","description":"gulp-jsdoc-to-markdown","url":null,"keywords":"gulpplugin jsdoc markdown generator documentation md","version":"0.1.4","words":"gulp-jsdoc-to-markdown gulp-jsdoc-to-markdown =75lb gulpplugin jsdoc markdown generator documentation md","author":"=75lb","date":"2014-09-09 "},{"name":"gulp-jsdox","description":"Gulp plugin for the JSDox markdown generator for JSDoc","url":null,"keywords":"gulp jsdox jsdoc markdown docblock","version":"0.0.0","words":"gulp-jsdox gulp plugin for the jsdox markdown generator for jsdoc =mrjoelkemp gulp jsdox jsdoc markdown docblock","author":"=mrjoelkemp","date":"2014-08-23 "},{"name":"gulp-jsdox-struct","description":"Launch jsdox-struct npm","url":null,"keywords":"gulp jsdox jsdoc gulpplugin","version":"0.2.1","words":"gulp-jsdox-struct launch jsdox-struct npm =kiwapp gulp jsdox jsdoc gulpplugin","author":"=kiwapp","date":"2014-01-22 "},{"name":"gulp-jsfmt","description":"`gulp` task for `jsfmt`","url":null,"keywords":"gulpplugin jsfmt esformatter","version":"0.2.0","words":"gulp-jsfmt `gulp` task for `jsfmt` =brian.lai gulpplugin jsfmt esformatter","author":"=brian.lai","date":"2014-08-18 "},{"name":"gulp-jsfuck","description":"Fuck JavaScript and obfuscate it using only 6 characters ()+[]!","url":null,"keywords":"gulpplugin","version":"0.2.1","words":"gulp-jsfuck fuck javascript and obfuscate it using only 6 characters ()+[]! =bevacqua gulpplugin","author":"=bevacqua","date":"2014-02-12 "},{"name":"gulp-jshint","description":"JSHint plugin for gulp","url":null,"keywords":"gulpplugin","version":"1.8.4","words":"gulp-jshint jshint plugin for gulp =fractal =spenceralger gulpplugin","author":"=fractal =spenceralger","date":"2014-08-04 "},{"name":"gulp-jshint-cache","description":"Gulp task for fast, cached linting","url":null,"keywords":"gulp jshint lint cache","version":"0.2.0","words":"gulp-jshint-cache gulp task for fast, cached linting =iliakan gulp jshint lint cache","author":"=iliakan","date":"2014-07-21 "},{"name":"gulp-jshint-cached","description":"A cached version of the gulp-jshint task","url":null,"keywords":"gulpplugin","version":"1.4.2","words":"gulp-jshint-cached a cached version of the gulp-jshint task =jgable gulpplugin","author":"=jgable","date":"2014-02-19 "},{"name":"gulp-jshint-file-reporter","description":"A simple reporter for gulp-jshint that writes it's output to a file.","url":null,"keywords":"gulp jshint reporter","version":"0.0.1","words":"gulp-jshint-file-reporter a simple reporter for gulp-jshint that writes it's output to a file. =spenceralger gulp jshint reporter","author":"=spenceralger","date":"2014-05-20 "},{"name":"gulp-jsify","description":"Convert text files into requireable JavaScript modules using jsify","url":null,"keywords":"","version":"0.1.0","words":"gulp-jsify convert text files into requireable javascript modules using jsify =parroit","author":"=parroit","date":"2014-07-30 "},{"name":"gulp-jsify-html-templates","description":"Converts HTML files into JavaScript files and populates them into a variable \"htmlTemplates\" in the global namespace.","url":null,"keywords":"gulpplugin jsify-html-templates gulp-jsify-html-templates","version":"0.1.0","words":"gulp-jsify-html-templates converts html files into javascript files and populates them into a variable \"htmltemplates\" in the global namespace. =craigstjean gulpplugin jsify-html-templates gulp-jsify-html-templates","author":"=craigstjean","date":"2014-05-24 "},{"name":"gulp-jslint","description":"The classic and strict javascript lint-tool for gulp.js","url":null,"keywords":"gulp gulpplugin jslint lint code quality","version":"0.1.7","words":"gulp-jslint the classic and strict javascript lint-tool for gulp.js =karimsa gulp gulpplugin jslint lint code quality","author":"=karimsa","date":"2014-08-27 "},{"name":"gulp-jslint-simple","description":"Run JSLint analysis","url":null,"keywords":"gulpplugin stream lint jslint","version":"1.0.0","words":"gulp-jslint-simple run jslint analysis =pandell =milang gulpplugin stream lint jslint","author":"=pandell =milang","date":"2014-09-09 "},{"name":"gulp-jsmin","description":"minify js using gulp","url":null,"keywords":"gulp gulpplugin min js","version":"0.1.4","words":"gulp-jsmin minify js using gulp =chilijung gulp gulpplugin min js","author":"=chilijung","date":"2014-03-20 "},{"name":"gulp-json-editor","description":"A gulp plugin to edit JSON object","url":null,"keywords":"gulpplugin gulp json","version":"2.0.2","words":"gulp-json-editor a gulp plugin to edit json object =morou gulpplugin gulp json","author":"=morou","date":"2014-02-10 "},{"name":"gulp-json-format","description":"A gulp plugin to parse and format JSON in files.","url":null,"keywords":"gulpplugin json format json format stringify","version":"1.0.0","words":"gulp-json-format a gulp plugin to parse and format json in files. =mivir gulpplugin json format json format stringify","author":"=mivir","date":"2014-07-05 "},{"name":"gulp-json-lint","description":"JSON linter Gulp plugin","url":null,"keywords":"gulp plugin gulpplugin gulpfriendly linter lint json-lint jsonlint","version":"0.0.1","words":"gulp-json-lint json linter gulp plugin =nawitus gulp plugin gulpplugin gulpfriendly linter lint json-lint jsonlint","author":"=nawitus","date":"2014-03-01 "},{"name":"gulp-json-sass","description":"Gulp plugin for turning JSON files into files of scss/sass variable definitions.","url":null,"keywords":"gulp json sass scss css","version":"0.0.2","words":"gulp-json-sass gulp plugin for turning json files into files of scss/sass variable definitions. =rbalicki gulp json sass scss css","author":"=rbalicki","date":"2014-08-08 "},{"name":"gulp-json5","description":"A gulp plugin to convert JSON5 to strict JSON.","url":null,"keywords":"gulp gulpplugin json5 json","version":"0.0.2","words":"gulp-json5 a gulp plugin to convert json5 to strict json. =nechtan gulp gulpplugin json5 json","author":"=nechtan","date":"2014-08-07 "},{"name":"gulp-jsoncombine","description":"A plugin for Gulp to combine several JSON files using a custom function","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-jsoncombine a plugin for gulp to combine several json files using a custom function =reflog gulpplugin","author":"=reflog","date":"2014-04-24 "},{"name":"gulp-jsonlint","description":"A jsonlint plugin for Gulp","url":null,"keywords":"gulpplugin jsonlint json lint","version":"0.1.0","words":"gulp-jsonlint a jsonlint plugin for gulp =rogeriopvl gulpplugin jsonlint json lint","author":"=rogeriopvl","date":"2014-08-23 "},{"name":"gulp-jsonmin","description":"Minifies json files my parsing and re-stringifying it.","url":null,"keywords":"gulpplugin json minify min jsonmin gulp","version":"1.0.2","words":"gulp-jsonmin minifies json files my parsing and re-stringifying it. =englercj gulpplugin json minify min jsonmin gulp","author":"=englercj","date":"2014-08-28 "},{"name":"gulp-jsonminify","description":"Minifies blocks of JSON-like content into valid JSON by removing all whitespace and comments.","url":null,"keywords":"gulpplugin json minify jsonminify gulp","version":"0.0.1","words":"gulp-jsonminify minifies blocks of json-like content into valid json by removing all whitespace and comments. =tcarlsen gulpplugin json minify jsonminify gulp","author":"=tcarlsen","date":"2014-01-24 "},{"name":"gulp-jsrefs","description":"js refs replacement plugin for gulp. find and replace url refencences using md5url function etc.","url":null,"keywords":"gulpplugin usemin","version":"0.0.1","words":"gulp-jsrefs js refs replacement plugin for gulp. find and replace url refencences using md5url function etc. =rehorn gulpplugin usemin","author":"=rehorn","date":"2014-07-12 "},{"name":"gulp-jsss","description":"Compile jsss to CSS","url":null,"keywords":"gulpplugin jsss","version":"0.0.5","words":"gulp-jsss compile jsss to css =watilde gulpplugin jsss","author":"=watilde","date":"2014-08-18 "},{"name":"gulp-jst","description":"Compile underscore templates to a JST file using gulp.","url":null,"keywords":"gulpplugin jst lodash template underscore","version":"0.1.1","words":"gulp-jst compile underscore templates to a jst file using gulp. =rdm gulpplugin jst lodash template underscore","author":"=rdm","date":"2014-01-31 "},{"name":"gulp-jst-concat","description":"Compile underscore/lodash view templates to a single JST file","url":null,"keywords":"gulpplugin jst concat template lodash underscore","version":"0.0.1","words":"gulp-jst-concat compile underscore/lodash view templates to a single jst file =tambourinecoder gulpplugin jst concat template lodash underscore","author":"=tambourinecoder","date":"2014-03-05 "},{"name":"gulp-jst_compiler","description":"Compile jst templates using gulp.","url":null,"keywords":"gulpjst gulp jst_compiler jst","version":"0.7.0","words":"gulp-jst_compiler compile jst templates using gulp. =hcodes gulpjst gulp jst_compiler jst","author":"=hcodes","date":"2014-05-13 "},{"name":"gulp-jstemplate-compile","description":"jstemplate compile plugin for gulp","url":null,"keywords":"gulpplugin jstemplate compile","version":"0.1.5","words":"gulp-jstemplate-compile jstemplate compile plugin for gulp =rehorn gulpplugin jstemplate compile","author":"=rehorn","date":"2014-08-21 "},{"name":"gulp-jstemplater","description":"Compiles all templates into one js variable.","url":null,"keywords":"gulpplugin templates compile jstemplater mustache handlebars","version":"0.0.3","words":"gulp-jstemplater compiles all templates into one js variable. =maxmert gulpplugin templates compile jstemplater mustache handlebars","author":"=maxmert","date":"2014-04-14 "},{"name":"gulp-jstransform","description":"gulp plugin to transform ES6 to ES5","url":null,"keywords":"jstransform ES6 ES5 convert gulpplugin","version":"0.1.1","words":"gulp-jstransform gulp plugin to transform es6 to es5 =hemanth jstransform es6 es5 convert gulpplugin","author":"=hemanth","date":"2014-09-15 "},{"name":"gulp-jsvalidate","description":"Validate JavaScript code and report possible syntax errors","url":null,"keywords":"gulpplugin js javascript syntax errors check lint parse esprima ast source code","version":"1.0.1","words":"gulp-jsvalidate validate javascript code and report possible syntax errors =sindresorhus gulpplugin js javascript syntax errors check lint parse esprima ast source code","author":"=sindresorhus","date":"2014-09-05 "},{"name":"gulp-jsx","description":"Transpile JSX in gulp streams.","url":null,"keywords":"jsx virtual-dom gulp","version":"0.4.0","words":"gulp-jsx transpile jsx in gulp streams. =amingoia jsx virtual-dom gulp","author":"=amingoia","date":"2014-07-14 "},{"name":"gulp-jsxify","description":"gulp plugin to convert html files to react jsx","url":null,"keywords":"gulpplugin react jsx html transform transformer template templates view views precompile compile","version":"0.2.0","words":"gulp-jsxify gulp plugin to convert html files to react jsx =parroit gulpplugin react jsx html transform transformer template templates view views precompile compile","author":"=parroit","date":"2014-06-14 "},{"name":"gulp-juice","description":"process html files through juice to inline CSS","url":null,"keywords":"gulpplugin juice inlinecss","version":"0.0.2","words":"gulp-juice process html files through juice to inline css =imlucas gulpplugin juice inlinecss","author":"=imlucas","date":"2014-02-23 "},{"name":"gulp-juicepress","description":"Gulp plugin for building static blog using juicepress","url":null,"keywords":"gulp plugin gulp plugin juicepress blog builder generator","version":"0.1.0","words":"gulp-juicepress gulp plugin for building static blog using juicepress =garfieldius gulp plugin gulp plugin juicepress blog builder generator","author":"=garfieldius","date":"2014-08-10 "},{"name":"gulp-juicer","description":"gulp for juicer","url":null,"keywords":"gruntplugin","version":"0.1.1","words":"gulp-juicer gulp for juicer =xhowhy gruntplugin","author":"=xhowhy","date":"2014-05-15 "},{"name":"gulp-karma","description":"Karma plugin for gulp","url":null,"keywords":"gulpplugin karma","version":"0.0.4","words":"gulp-karma karma plugin for gulp =lazd gulpplugin karma","author":"=lazd","date":"2014-03-12 "},{"name":"gulp-kclean","description":"kclean gulp plugin","url":null,"keywords":"kissy kclean","version":"0.0.22","words":"gulp-kclean kclean gulp plugin =taojie kissy kclean","author":"=taojie","date":"2014-09-19 "},{"name":"gulp-kd-pistachio-compiler","description":"pistachio compiler for KD's own templates","url":null,"keywords":"","version":"0.1.1","words":"gulp-kd-pistachio-compiler pistachio compiler for kd's own templates =sinan","author":"=sinan","date":"2014-09-16 "},{"name":"gulp-kissy-html2js","description":"KISSY html2js","url":null,"keywords":"","version":"0.0.2","words":"gulp-kissy-html2js kissy html2js =6174","author":"=6174","date":"2014-08-19 "},{"name":"gulp-kissy-xtemplate","description":"> Lorem ipsum","url":null,"keywords":"gulpplugin","version":"0.0.2","words":"gulp-kissy-xtemplate > lorem ipsum =daxingplay gulpplugin","author":"=daxingplay","date":"2014-07-04 "},{"name":"gulp-kit","description":"Integrates node-kit with gulp to compile .kit files","url":null,"keywords":"gulp codekit html node-kit","version":"0.1.1","words":"gulp-kit integrates node-kit with gulp to compile .kit files =lukx gulp codekit html node-kit","author":"=lukx","date":"2014-09-18 "},{"name":"gulp-kmc","description":"kissy module compiler for gulp","url":null,"keywords":"gulp-kmc","version":"0.0.29","words":"gulp-kmc kissy module compiler for gulp =taojie =daxingplay gulp-kmc","author":"=taojie =daxingplay","date":"2014-07-24 "},{"name":"gulp-kmd","description":"kissy module compiler with gulp","url":null,"keywords":"kissy gulp-kmd","version":"1.0.0","words":"gulp-kmd kissy module compiler with gulp =weekeight kissy gulp-kmd","author":"=weekeight","date":"2014-08-22 "},{"name":"gulp-kmt","description":"kissy module compiler for gulp","url":null,"keywords":"gulp-kmt","version":"0.0.0","words":"gulp-kmt kissy module compiler for gulp =taojie gulp-kmt","author":"=taojie","date":"2014-06-25 "},{"name":"gulp-kpc","description":"kpc plugin for gulp","url":null,"keywords":"gulp-plugin gulp","version":"0.5.0","words":"gulp-kpc kpc plugin for gulp =maxbbn gulp-plugin gulp","author":"=maxbbn","date":"2014-08-11 "},{"name":"gulp-kraken","description":"Gulp plugin to optimize all your images with the powerful Kraken.io API","url":null,"keywords":"kraken kraken-io krakenio image img picture photo png jpg jpeg gif minify minifier compress","version":"0.0.1","words":"gulp-kraken gulp plugin to optimize all your images with the powerful kraken.io api =matylla kraken kraken-io krakenio image img picture photo png jpg jpeg gif minify minifier compress","author":"=matylla","date":"2014-09-17 "},{"name":"gulp-kss","description":"Gulp plugin for KSS (Knyle Style Sheets) documentation generation","url":null,"keywords":"kss documentation styleguide generator gulp","version":"0.0.2","words":"gulp-kss gulp plugin for kss (knyle style sheets) documentation generation =philjs kss documentation styleguide generator gulp","author":"=philjs","date":"2014-02-13 "},{"name":"gulp-l10n-extract","description":"Extract localization calls from Code.","url":null,"keywords":"gulp l10n","version":"0.2.0","words":"gulp-l10n-extract extract localization calls from code. =mythmon gulp l10n","author":"=mythmon","date":"2014-07-22 "},{"name":"gulp-lab","description":"Gulp test runner for Lab","url":null,"keywords":"gulp gulpplugin gulpfriendly lab test unit hapi","version":"1.0.0","words":"gulp-lab gulp test runner for lab =otodockal gulp gulpplugin gulpfriendly lab test unit hapi","author":"=otodockal","date":"2014-08-13 "},{"name":"gulp-laravel-validator","description":"Generate PHP validations from short and concise descriptions of the input format.","url":null,"keywords":"gulpplugin laravel validator","version":"1.0.3","words":"gulp-laravel-validator generate php validations from short and concise descriptions of the input format. =ernestoalejo gulpplugin laravel validator","author":"=ernestoalejo","date":"2014-04-02 "},{"name":"gulp-layoutize","description":"Render contents of input files through a templating engine (powered by consolidate.js)","url":null,"keywords":"gulp plugin gulpplugin layoutize templatize template gulp consolidate","version":"0.0.4","words":"gulp-layoutize render contents of input files through a templating engine (powered by consolidate.js) =rowoot gulp plugin gulpplugin layoutize templatize template gulp consolidate","author":"=rowoot","date":"2014-05-20 "},{"name":"gulp-less","description":"Less for Gulp","url":null,"keywords":"gulpplugin gulp less","version":"1.3.6","words":"gulp-less less for gulp =ccowan =fractal gulpplugin gulp less","author":"=ccowan =fractal","date":"2014-09-19 "},{"name":"gulp-less-sourcemap","description":"Less for Gulp with source map generation support","url":null,"keywords":"gulpplugin gulp less sourcemap","version":"1.3.3","words":"gulp-less-sourcemap less for gulp with source map generation support =radist2s gulpplugin gulp less sourcemap","author":"=radist2s","date":"2014-06-07 "},{"name":"gulp-less-templates","description":"Less with templates for Gulp","url":null,"keywords":"gulpplugin gulp less","version":"0.0.3","words":"gulp-less-templates less with templates for gulp =relaxation gulpplugin gulp less","author":"=relaxation","date":"2014-07-03 "},{"name":"gulp-license","description":"Add licenses to gulp streams.","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-license add licenses to gulp streams. =terinjokes gulpplugin","author":"=terinjokes","date":"2014-08-31 "},{"name":"gulp-license-find","keywords":"","version":[],"words":"gulp-license-find","author":"","date":"2014-04-01 "},{"name":"gulp-license-finder","description":"Find licenses of project and dependencies","url":null,"keywords":"gulp gulpplugin license license finder sniffer nlf audit licence checker legal dependency nlf","version":"0.2.0","words":"gulp-license-finder find licenses of project and dependencies =iandotkelly gulp gulpplugin license license finder sniffer nlf audit licence checker legal dependency nlf","author":"=iandotkelly","date":"2014-09-16 "},{"name":"gulp-limit-complexity","description":"Limit complexity in JavaScript projects by failing build if function exceed limits","url":null,"keywords":"","version":"0.0.2","words":"gulp-limit-complexity limit complexity in javascript projects by failing build if function exceed limits =danestuckel","author":"=danestuckel","date":"2014-09-01 "},{"name":"gulp-linker","description":"Autoinsert script tags in an html file","url":null,"keywords":"gulpplugin","version":"0.1.7","words":"gulp-linker autoinsert script tags in an html file =filipsobczak gulpplugin","author":"=filipsobczak","date":"2014-05-12 "},{"name":"gulp-lintspaces","description":"gulp-lintspaces ===============","url":null,"keywords":"gulpplugin validation lint spaces trailingspaces indent indentation newlines eof eol","version":"0.2.2","words":"gulp-lintspaces gulp-lintspaces =============== =cknoetschke gulpplugin validation lint spaces trailingspaces indent indentation newlines eof eol","author":"=cknoetschke","date":"2014-09-18 "},{"name":"gulp-liquid","description":"A gulp plugin to parse liquid template","url":null,"keywords":"gulp plugin liquid-template liquid template","version":"0.1.0","words":"gulp-liquid a gulp plugin to parse liquid template =rowoot gulp plugin liquid-template liquid template","author":"=rowoot","date":"2014-03-12 "},{"name":"gulp-litmus","description":"Send email tests to Litmus","url":null,"keywords":"gulpplugin litmus email testing","version":"0.0.7","words":"gulp-litmus send email tests to litmus =jeremypeter gulpplugin litmus email testing","author":"=jeremypeter","date":"2014-09-04 "},{"name":"gulp-livecss","description":"Gulp module for stream new css to browser and delete previous styles.","url":null,"keywords":"","version":"0.3.0","words":"gulp-livecss gulp module for stream new css to browser and delete previous styles. =wwwsevolod","author":"=wwwsevolod","date":"2014-03-16 "},{"name":"gulp-livereload","description":"Gulp plugin for livereload.","url":null,"keywords":"gulpplugin livereload","version":"2.1.1","words":"gulp-livereload gulp plugin for livereload. =vohof gulpplugin livereload","author":"=vohof","date":"2014-08-22 "},{"name":"gulp-livereload-fixed-tiny-lr","description":"Gulp plugin for livereload.","url":null,"keywords":"gulpplugin livereload","version":"2.1.2","words":"gulp-livereload-fixed-tiny-lr gulp plugin for livereload. =vrtak-cz gulpplugin livereload","author":"=vrtak-cz","date":"2014-09-07 "},{"name":"gulp-livereload-for-was","description":"Live reload for WAS as gulp plugin.","url":null,"keywords":"gulpplugin livereload was jsp tomcat","version":"1.0.2","words":"gulp-livereload-for-was live reload for was as gulp plugin. =iamdenny gulpplugin livereload was jsp tomcat","author":"=iamdenny","date":"2014-08-27 "},{"name":"gulp-livescript","description":"Compile LiveScript to JavaScript for Gulp","url":null,"keywords":"LiveScript gulp gulpplugin","version":"1.0.3","words":"gulp-livescript compile livescript to javascript for gulp =tomchentw livescript gulp gulpplugin","author":"=tomchentw","date":"2014-06-18 "},{"name":"gulp-livingstyleguide","description":"Easily create living style guides with Markdown, Sass/SCSS and Compass using the livingstyleguide gem","url":null,"keywords":"gulp gulpplugin livingstyleguide styleguide scss sass css","version":"0.0.5","words":"gulp-livingstyleguide easily create living style guides with markdown, sass/scss and compass using the livingstyleguide gem =medialwerk =efacilitation =johannesbecker gulp gulpplugin livingstyleguide styleguide scss sass css","author":"=medialwerk =efacilitation =johannesbecker","date":"2014-05-12 "},{"name":"gulp-ljs","description":"Literate Javascript Gulp plugin.","url":null,"keywords":"gulpplugin ljs literate gulp","version":"1.0.1","words":"gulp-ljs literate javascript gulp plugin. =dmonad gulpplugin ljs literate gulp","author":"=dmonad","date":"2014-08-18 "},{"name":"gulp-load","description":"Load gulp task just like grunt.loadTasks.","url":null,"keywords":"gulp gulpplugin","version":"0.1.1","words":"gulp-load load gulp task just like grunt.loadtasks. =popomore gulp gulpplugin","author":"=popomore","date":"2014-01-07 "},{"name":"gulp-load-params","description":"Load gulp task just like grunt.loadTasks and pass parameters through an options object.","url":null,"keywords":"gulp gulpplugin","version":"0.1.3","words":"gulp-load-params load gulp task just like grunt.loadtasks and pass parameters through an options object. =cellarise gulp gulpplugin","author":"=cellarise","date":"2014-08-27 "},{"name":"gulp-load-plugins","description":"Automatically load any gulp plugins in your package.json","url":null,"keywords":"gulpfriendly gulp require load plugins","version":"0.6.0","words":"gulp-load-plugins automatically load any gulp plugins in your package.json =jackfranklin gulpfriendly gulp require load plugins","author":"=jackfranklin","date":"2014-08-25 "},{"name":"gulp-load-tasks","keywords":"","version":[],"words":"gulp-load-tasks","author":"","date":"2014-01-19 "},{"name":"gulp-load-utils","description":"Conveniently wrapped utility functions for working with gulp","url":null,"keywords":"gulp gulpfriendly util","version":"0.0.4","words":"gulp-load-utils conveniently wrapped utility functions for working with gulp =dskrepps gulp gulpfriendly util","author":"=dskrepps","date":"2014-03-07 "},{"name":"gulp-local-screenshots","description":"Make the screenshots of your static html files using phantomjs.","url":null,"keywords":"gulpplugin","version":"1.0.0","words":"gulp-local-screenshots make the screenshots of your static html files using phantomjs. =efrafa gulpplugin","author":"=efrafa","date":"2014-08-24 "},{"name":"gulp-log","description":"log helper for gulp","url":null,"keywords":"gulp gulp-log gulp-debug","version":"0.0.0","words":"gulp-log log helper for gulp =raistlin916 gulp gulp-log gulp-debug","author":"=raistlin916","date":"2014-05-07 "},{"name":"gulp-log-capture","description":"captures logs from any other gulp plugin in the pipe","url":null,"keywords":"gulpplugin log","version":"0.0.6","words":"gulp-log-capture captures logs from any other gulp plugin in the pipe =sloosch gulpplugin log","author":"=sloosch","date":"2014-04-20 "},{"name":"gulp-logger","description":"Gulp plugin for logging stream stages, transformation and progress","url":null,"keywords":"gulp gulpplugin log logger debug output progress","version":"0.0.2","words":"gulp-logger gulp plugin for logging stream stages, transformation and progress =chrisgreeff gulp gulpplugin log logger debug output progress","author":"=chrisgreeff","date":"2014-08-03 "},{"name":"gulp-logwarn","description":"A plugin that check if you left debug code","url":null,"keywords":"gulpplugin console log warning check debug code configurable plugin","version":"0.0.5","words":"gulp-logwarn a plugin that check if you left debug code =pmcalabrese gulpplugin console log warning check debug code configurable plugin","author":"=pmcalabrese","date":"2014-07-03 "},{"name":"gulp-loopback-sdk-angular","description":"gulp plugin for auto-generating Angular $resource services for LoopBack","url":null,"keywords":"gulpplugin angular loopback","version":"0.1.2","words":"gulp-loopback-sdk-angular gulp plugin for auto-generating angular $resource services for loopback =zimlin gulpplugin angular loopback","author":"=zimlin","date":"2014-09-19 "},{"name":"gulp-lr-snippet","description":"Gulp plugin to insert a Live Reload snippet (and remove it)","url":null,"keywords":"","version":"0.0.1","words":"gulp-lr-snippet gulp plugin to insert a live reload snippet (and remove it) =callumlocke","author":"=callumlocke","date":"2014-02-20 "},{"name":"gulp-macros","description":"sweetjs macros for gulp","url":null,"keywords":"cli","version":"0.2.2","words":"gulp-macros sweetjs macros for gulp =schtoeffel cli","author":"=schtoeffel","date":"2014-08-05 "},{"name":"gulp-mail","description":"Send mails with gulp","url":null,"keywords":"gulpplugin mail send","version":"0.0.1","words":"gulp-mail send mails with gulp =fritx gulpplugin mail send","author":"=fritx","date":"2014-09-11 "},{"name":"gulp-mailgun","description":"Send emails though mailgun as part of your build","url":null,"keywords":"gulpplugin gulpjs mailgun","version":"0.0.4","words":"gulp-mailgun send emails though mailgun as part of your build =davidturner gulpplugin gulpjs mailgun","author":"=davidturner","date":"2014-07-28 "},{"name":"gulp-make-css-url-version","description":"replace version for images in css files","url":null,"keywords":"gulpplugin image version css","version":"0.0.3","words":"gulp-make-css-url-version replace version for images in css files =qinjia gulpplugin image version css","author":"=qinjia","date":"2014-08-28 "},{"name":"gulp-manifest","description":"Generate HTML5 Cache Manifest files","url":null,"keywords":"gulp gulpplugin html5 manifest","version":"0.0.6","words":"gulp-manifest generate html5 cache manifest files =hillmanov gulp gulpplugin html5 manifest","author":"=hillmanov","date":"2014-07-14 "},{"name":"gulp-map","description":"(A)synchronous mapping and filtering of object streams","url":null,"keywords":"gulpplugin gulpfriendly","version":"0.0.2","words":"gulp-map (a)synchronous mapping and filtering of object streams =wires gulpplugin gulpfriendly","author":"=wires","date":"2014-06-09 "},{"name":"gulp-markdown","description":"Markdown to HTML","url":null,"keywords":"gulpplugin markdown marked md compile convert markup html","version":"1.0.0","words":"gulp-markdown markdown to html =sindresorhus gulpplugin markdown marked md compile convert markup html","author":"=sindresorhus","date":"2014-08-14 "},{"name":"gulp-markdown-code","description":"Extract code parts and concat them together from markdown","url":null,"keywords":"LiveScript gulp gulpplugin markdown","version":"0.0.3","words":"gulp-markdown-code extract code parts and concat them together from markdown =tomchentw livescript gulp gulpplugin markdown","author":"=tomchentw","date":"2014-02-20 "},{"name":"gulp-markdown-livereload","description":"Markdown to HTML","url":null,"keywords":"gulpplugin markdown marked md compile livereload lr html","version":"1.0.0","words":"gulp-markdown-livereload markdown to html =i5ting gulpplugin markdown marked md compile livereload lr html","author":"=i5ting","date":"2014-08-29 "},{"name":"gulp-markdown-pdf","description":"Markdown to PDF","url":null,"keywords":"gulpplugin markdown marked md compile convert markup pdf template phantomjs","version":"1.0.1","words":"gulp-markdown-pdf markdown to pdf =sindresorhus gulpplugin markdown marked md compile convert markup pdf template phantomjs","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-markdown-to-json","description":"Parse Markdown + YAML, compile Markdown to HTML, wrap it all up in JSON.","url":null,"keywords":"gulp gulpplugin markdown yaml marked frontmatter json solidus documentation","version":"0.2.1","words":"gulp-markdown-to-json parse markdown + yaml, compile markdown to html, wrap it all up in json. =pushred gulp gulpplugin markdown yaml marked frontmatter json solidus documentation","author":"=pushred","date":"2014-08-19 "},{"name":"gulp-markdox","description":"Generate Markdown documentation with markdox","url":null,"keywords":"gulpplugin markdox markdown documentation gulp","version":"0.1.0","words":"gulp-markdox generate markdown documentation with markdox =gberger gulpplugin markdox markdown documentation gulp","author":"=gberger","date":"2014-02-27 "},{"name":"gulp-marked","description":"Convert markdown to html with marked.","url":null,"keywords":"gulpplugin","version":"0.2.0","words":"gulp-marked convert markdown to html with marked. =t8g gulpplugin","author":"=t8g","date":"2014-01-08 "},{"name":"gulp-marked-man","description":"A gulp plugin that converts markdown files to man pages.","url":null,"keywords":"","version":"0.3.1","words":"gulp-marked-man a gulp plugin that converts markdown files to man pages. =jsdevel","author":"=jsdevel","date":"2014-06-25 "},{"name":"gulp-markup-transformer","description":"Transform source with markup-transformer.","url":null,"keywords":"ascii art html stylesheet javascript","version":"0.0.1","words":"gulp-markup-transformer transform source with markup-transformer. =manse ascii art html stylesheet javascript","author":"=manse","date":"2014-08-23 "},{"name":"gulp-match","description":"Does a vinyl file match a condition?","url":null,"keywords":"gulpfriendly conditional if minimatch","version":"0.2.0","words":"gulp-match does a vinyl file match a condition? =robrich gulpfriendly conditional if minimatch","author":"=robrich","date":"2014-07-22 "},{"name":"gulp-mau","description":"Mau plugin for gulp.","url":null,"keywords":"mau peaches","version":"0.0.5","words":"gulp-mau mau plugin for gulp. =kunhualqk mau peaches","author":"=kunhualqk","date":"2014-06-11 "},{"name":"gulp-maven-deploy","description":"Simple gulp plugin for the maven-deploy module","url":null,"keywords":"maven gulp gulp-plugin deploy","version":"0.1.2","words":"gulp-maven-deploy simple gulp plugin for the maven-deploy module =leftiefriele maven gulp gulp-plugin deploy","author":"=leftiefriele","date":"2014-08-29 "},{"name":"gulp-mc-inline-css","description":"Gulp plugin to send HTML to Mail Chimp's Inline CSS API","url":null,"keywords":"gulpplugin mailchimp css email","version":"0.1.6","words":"gulp-mc-inline-css gulp plugin to send html to mail chimp's inline css api =jayzawrotny gulpplugin mailchimp css email","author":"=jayzawrotny","date":"2014-02-14 "},{"name":"gulp-md5","description":"add md5 to filename","url":null,"keywords":"gulp gulp-md5","version":"0.0.1","words":"gulp-md5 add md5 to filename =raistlin916 gulp gulp-md5","author":"=raistlin916","date":"2014-05-22 "},{"name":"gulp-mdox","description":"Convert and insert Markdown from JavaScript sources","url":null,"keywords":"gulp markdown documentation api","version":"0.0.2","words":"gulp-mdox convert and insert markdown from javascript sources =ryan.roemer gulp markdown documentation api","author":"=ryan.roemer","date":"2014-04-29 "},{"name":"gulp-mdvars","description":"Extract VarStream metadatas from markdown files.","url":null,"keywords":"gulpplugin gulp markdown varstream metadata","version":"0.0.4","words":"gulp-mdvars extract varstream metadatas from markdown files. =nfroidure gulpplugin gulp markdown varstream metadata","author":"=nfroidure","date":"2014-04-26 "},{"name":"gulp-mediawiki","description":"Upload files as pages to a MediaWiki instance","url":null,"keywords":"mediawiki wiki gulp gulpplugin","version":"0.0.2","words":"gulp-mediawiki upload files as pages to a mediawiki instance =maxkueng mediawiki wiki gulp gulpplugin","author":"=maxkueng","date":"2014-04-30 "},{"name":"gulp-menu","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin menu","version":"0.2.2","words":"gulp-menu a plugin for gulp =iamdenny gulpplugin menu","author":"=iamdenny","date":"2014-09-02 "},{"name":"gulp-micro","description":"Ensure your micro-lib stays micro","url":null,"keywords":"gulpplugin micro filesize file size limit small tiny module library framework","version":"1.0.1","words":"gulp-micro ensure your micro-lib stays micro =sindresorhus gulpplugin micro filesize file size limit small tiny module library framework","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-min","description":"压缩js,css,图片","url":null,"keywords":"gulpplugin minify","version":"0.0.1","words":"gulp-min 压缩js,css,图片 =yangruting gulpplugin minify","author":"=yangruting","date":"2014-08-20 "},{"name":"gulp-min-map","description":"gulp plugin for CSS/JS minification mapping using HTML5 data attributes","url":null,"keywords":"gulpplugin gulpfriendly min minification","version":"0.0.2","words":"gulp-min-map gulp plugin for css/js minification mapping using html5 data attributes =jrnewell gulpplugin gulpfriendly min minification","author":"=jrnewell","date":"2014-07-11 "},{"name":"gulp-minerr-strip","description":"Strips minErr error messages from your build.","url":null,"keywords":"gulpplugin minerr ngMinErr minerr-strip","version":"0.0.1-alpha.3","words":"gulp-minerr-strip strips minerr error messages from your build. =llwt gulpplugin minerr ngminerr minerr-strip","author":"=llwt","date":"2014-05-19 "},{"name":"gulp-mini-css","description":"用于压缩css的gulp插件(基于clean-css)","url":null,"keywords":"gulpplugin css minify css","version":"0.0.1","words":"gulp-mini-css 用于压缩css的gulp插件(基于clean-css) =minghe gulpplugin css minify css","author":"=minghe","date":"2014-08-23 "},{"name":"gulp-minifier","description":"Minify HTML, JS, CSS with html-minifier, UglifyJS, CleanCSS.","url":null,"keywords":"html minifier gulpplugin","version":"0.0.6","words":"gulp-minifier minify html, js, css with html-minifier, uglifyjs, cleancss. =webyom html minifier gulpplugin","author":"=webyom","date":"2014-07-16 "},{"name":"gulp-minify","description":"> Minify JavaScript with UglifyJS2.","url":null,"keywords":"","version":"0.0.3","words":"gulp-minify > minify javascript with uglifyjs2. =taojie","author":"=taojie","date":"2014-08-15 "},{"name":"gulp-minify-css","description":"Minify css with clean-css.","url":null,"keywords":"gulpplugin minify css","version":"0.3.10","words":"gulp-minify-css minify css with clean-css. =jonathanepollack gulpplugin minify css","author":"=jonathanepollack","date":"2014-09-19 "},{"name":"gulp-minify-html","description":"Minify html with minimize.","url":null,"keywords":"gulpplugin","version":"0.1.5","words":"gulp-minify-html minify html with minimize. =jonathanepollack gulpplugin","author":"=jonathanepollack","date":"2014-09-03 "},{"name":"gulp-minify-inline","description":"Gulp plugin to uglify inline JS and minify inline CSS","url":null,"keywords":"gulpplugin uglify minify inline js javascript script css style","version":"0.0.1","words":"gulp-minify-inline gulp plugin to uglify inline js and minify inline css =shkuznetsov gulpplugin uglify minify inline js javascript script css style","author":"=shkuznetsov","date":"2014-08-31 "},{"name":"gulp-minify-inline-scripts","description":"minify inline scripts in html files","url":null,"keywords":"gulpplugin inline scripts uglify minify","version":"0.0.1","words":"gulp-minify-inline-scripts minify inline scripts in html files =qinjia gulpplugin inline scripts uglify minify","author":"=qinjia","date":"2014-08-27 "},{"name":"gulp-minisprites","description":"Converts multiple images into a single spritesheet.","url":null,"keywords":"svg png sprites spritesheet","version":"0.1.5","words":"gulp-minisprites converts multiple images into a single spritesheet. =ripe svg png sprites spritesheet","author":"=ripe","date":"2014-09-02 "},{"name":"gulp-mirror","description":"Make a mirror of stream, it's useful that do different transform of the same stream.","url":null,"keywords":"gulp gulpplugin stream mirror plugin","version":"0.3.0","words":"gulp-mirror make a mirror of stream, it's useful that do different transform of the same stream. =popomore gulp gulpplugin stream mirror plugin","author":"=popomore","date":"2014-07-24 "},{"name":"gulp-mixotroph","description":"short-learning-curve text-based preprocessing","url":null,"keywords":"mixotrophic macros","version":"0.0.4","words":"gulp-mixotroph short-learning-curve text-based preprocessing =nathanross mixotrophic macros","author":"=nathanross","date":"2014-08-26 "},{"name":"gulp-mjs","description":"Compiles Metascript files.","url":null,"keywords":"gulpplugin metascript","version":"0.0.9","words":"gulp-mjs compiles metascript files. =bamboo gulpplugin metascript","author":"=bamboo","date":"2014-08-08 "},{"name":"gulp-mjs-conventions","description":"Gulp build conventions for projects using metascript","url":null,"keywords":"","version":"0.0.1","words":"gulp-mjs-conventions gulp build conventions for projects using metascript =mmassi","author":"=mmassi","date":"2014-08-06 "},{"name":"gulp-mkdirp","description":"mkdirp plugin for gulp","url":null,"keywords":"gulpplugin mkdirp clean mkdir directories","version":"0.1.1","words":"gulp-mkdirp mkdirp plugin for gulp =evandarwin gulpplugin mkdirp clean mkdir directories","author":"=evandarwin","date":"2014-09-06 "},{"name":"gulp-mkit","description":"Gulp task for maxmertkit framework package manager","url":null,"keywords":"gulpplugin maxmertkit css sass","version":"0.0.1","words":"gulp-mkit gulp task for maxmertkit framework package manager =maxmert gulpplugin maxmertkit css sass","author":"=maxmert","date":"2014-05-30 "},{"name":"gulp-mobilizer","description":"Mobilizer task for Gulp","url":null,"keywords":"gulp mobilizer","version":"0.0.3","words":"gulp-mobilizer mobilizer task for gulp =mcasimir gulp mobilizer","author":"=mcasimir","date":"2014-08-20 "},{"name":"gulp-mocha","description":"Run Mocha tests","url":null,"keywords":"gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap","version":"1.1.0","words":"gulp-mocha run mocha tests =sindresorhus gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap","author":"=sindresorhus","date":"2014-09-10 "},{"name":"gulp-mocha-browserify-suite","description":"Generates a suite file for Mocha on the fly from a gulp.src glob what you can pass to browserify for bundling","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-mocha-browserify-suite generates a suite file for mocha on the fly from a gulp.src glob what you can pass to browserify for bundling =tarsolya gulpplugin","author":"=tarsolya","date":"2014-04-08 "},{"name":"gulp-mocha-browserify-sweet","description":"Generates a suite file from gulp.src glob on the fly for Browserify/Mocha","url":null,"keywords":"gulp browserify mocha","version":"0.2.1","words":"gulp-mocha-browserify-sweet generates a suite file from gulp.src glob on the fly for browserify/mocha =toranb =computmaxer gulp browserify mocha","author":"=toranb =computmaxer","date":"2014-07-15 "},{"name":"gulp-mocha-co","description":"Run Mocha tests with co generators","url":null,"keywords":"gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap","version":"0.4.1-co.3","words":"gulp-mocha-co run mocha tests with co generators =rafinskipg gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap","author":"=rafinskipg","date":"2014-03-26 "},{"name":"gulp-mocha-phantomjs","description":"run client-side Mocha tests with PhantomJS","url":null,"keywords":"gulpplugin mocha phantomjs test testing framework runner unit spec tdd bdd","version":"0.5.0","words":"gulp-mocha-phantomjs run client-side mocha tests with phantomjs =mrhooray gulpplugin mocha phantomjs test testing framework runner unit spec tdd bdd","author":"=mrhooray","date":"2014-08-16 "},{"name":"gulp-mocha-selenium","description":"Run Selenium tests with wd and Mocha","url":null,"keywords":"gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap selenium","version":"1.0.0","words":"gulp-mocha-selenium run selenium tests with wd and mocha =wookiehangover gulpplugin mocha test testing unit framework runner tdd bdd qunit spec tap selenium","author":"=wookiehangover","date":"2014-08-08 "},{"name":"gulp-modified","description":"Passthrough only changed files","url":null,"keywords":"gulpplugin","version":"0.9.0","words":"gulp-modified passthrough only changed files =anru gulpplugin","author":"=anru","date":"2014-05-29 "},{"name":"gulp-modify","description":"Modify the content of vinyl files with custom callback function.","url":null,"keywords":"gulp gulpplugin modify","version":"0.0.4","words":"gulp-modify modify the content of vinyl files with custom callback function. =medialwerk =johannesbecker =efacilitation gulp gulpplugin modify","author":"=medialwerk =johannesbecker =efacilitation","date":"2014-04-13 "},{"name":"gulp-modou-packager","description":"a gulp plugin can package modou plugin source files into .mpk","url":null,"keywords":"gulpplugin","version":"2.0.0","words":"gulp-modou-packager a gulp plugin can package modou plugin source files into .mpk =howard.zuo gulpplugin","author":"=howard.zuo","date":"2014-08-18 "},{"name":"gulp-module-requirejs","description":"Builds projects using require.js's optimizer for multiple directories","url":null,"keywords":"gulpplugin","version":"0.1.4","words":"gulp-module-requirejs builds projects using require.js's optimizer for multiple directories =weisuke gulpplugin","author":"=weisuke","date":"2014-03-04 "},{"name":"gulp-module-system","description":"Gulp plugin to combine files into a module system. Great for creating browser compatible releases of Node.js libraries","url":null,"keywords":"gulpplugin module system local local-shim brunch","version":"0.0.6","words":"gulp-module-system gulp plugin to combine files into a module system. great for creating browser compatible releases of node.js libraries =kmalakoff gulpplugin module system local local-shim brunch","author":"=kmalakoff","date":"2014-06-29 "},{"name":"gulp-modulex","description":"compile, concat and generate dependencies of modulex modules","url":null,"keywords":"","version":"1.1.0","words":"gulp-modulex compile, concat and generate dependencies of modulex modules =yiminghe","author":"=yiminghe","date":"2014-09-04 "},{"name":"gulp-modulize","description":"Makes working with modulized Gulpfiles in subdirectories a breeze","url":null,"keywords":"gulp","version":"0.0.1","words":"gulp-modulize makes working with modulized gulpfiles in subdirectories a breeze =ssboisen gulp","author":"=ssboisen","date":"2014-06-13 "},{"name":"gulp-modulizr","description":"Build custom Modernizr with gulp","url":null,"keywords":"gulpplugin modernizr","version":"0.0.2","words":"gulp-modulizr build custom modernizr with gulp =maxbublik gulpplugin modernizr","author":"=maxbublik","date":"2014-09-05 "},{"name":"gulp-mox","description":"Gulp plugin for using mox( A markdown javascript documentation generator)","url":null,"keywords":"gulpplugin documentation markdown marked md dox markdup html template","version":"0.0.3","words":"gulp-mox gulp plugin for using mox( a markdown javascript documentation generator) =tjchaplin gulpplugin documentation markdown marked md dox markdup html template","author":"=tjchaplin","date":"2014-04-13 "},{"name":"gulp-mq-remove","description":"Remove all media queries, inlining a default one.","url":null,"keywords":"css media query gulpplugin","version":"0.0.1","words":"gulp-mq-remove remove all media queries, inlining a default one. =kjv css media query gulpplugin","author":"=kjv","date":"2014-06-13 "},{"name":"gulp-msbuild","description":"msbuild plugin for gulp. Inspired by grunt-msbuild.","url":null,"keywords":"gulpplugin msbuild xbuild","version":"0.2.4","words":"gulp-msbuild msbuild plugin for gulp. inspired by grunt-msbuild. =h0ff1 gulpplugin msbuild xbuild","author":"=h0ff1","date":"2014-09-11 "},{"name":"gulp-msx","description":"Precompiles Mithril views which use JSX into JavaScript, using msx","url":null,"keywords":"gulpplugin jsx mithril msx","version":"0.1.0","words":"gulp-msx precompiles mithril views which use jsx into javascript, using msx =insin gulpplugin jsx mithril msx","author":"=insin","date":"2014-03-21 "},{"name":"gulp-msx-logic","description":"Gulp plugin for adding flow logic to Mithril msx templates. Should work for React JSX as well.","url":null,"keywords":"mithril msx react jsx components mixins","version":"0.1.0","words":"gulp-msx-logic gulp plugin for adding flow logic to mithril msx templates. should work for react jsx as well. =eddyystop mithril msx react jsx components mixins","author":"=eddyystop","date":"2014-08-01 "},{"name":"gulp-mt2amd","description":"Convert micro template into AMD module.","url":null,"keywords":"amd micro template gulpplugin","version":"0.0.12","words":"gulp-mt2amd convert micro template into amd module. =webyom amd micro template gulpplugin","author":"=webyom","date":"2014-07-17 "},{"name":"gulp-multi-extend","description":"A gulp plugin to extend multiple JSON files","url":null,"keywords":"gulpplugin gulp json extend merge","version":"0.0.1","words":"gulp-multi-extend a gulp plugin to extend multiple json files =tjokimie gulpplugin gulp json extend merge","author":"=tjokimie","date":"2014-07-22 "},{"name":"gulp-multimarkdown","description":"MultiMarkdown to HTML","url":null,"keywords":"gulpplugin multimarkdown md compile convert markup html","version":"0.3.0","words":"gulp-multimarkdown multimarkdown to html =jjlharrison gulpplugin multimarkdown md compile convert markup html","author":"=jjlharrison","date":"2014-07-25 "},{"name":"gulp-multinject","description":"Inject scripts, stylesheets and more into templates and htmls, with support for namespaces","url":null,"keywords":"gulpplugin inject","version":"0.1.0","words":"gulp-multinject inject scripts, stylesheets and more into templates and htmls, with support for namespaces =mariocasciaro gulpplugin inject","author":"=mariocasciaro","date":"2014-02-15 "},{"name":"gulp-mustache","description":"A plugin for Gulp that renders mustache templates into html","url":null,"keywords":"gulpplugin gulp mustache","version":"0.4.0","words":"gulp-mustache a plugin for gulp that renders mustache templates into html =rogeriopvl gulpplugin gulp mustache","author":"=rogeriopvl","date":"2014-08-01 "},{"name":"gulp-mustache-plus","description":"A plugin for Gulp that renders mustache templates","url":null,"keywords":"gulpplugin gulp mustache","version":"1.0.1","words":"gulp-mustache-plus a plugin for gulp that renders mustache templates =jbdemonte gulpplugin gulp mustache","author":"=jbdemonte","date":"2014-04-25 "},{"name":"gulp-mversion","keywords":"","version":[],"words":"gulp-mversion","author":"","date":"2014-01-19 "},{"name":"gulp-mvn-deploy","description":"Simple gulp plugin for the maven-deploy module","url":null,"keywords":"maven gulp gulp-plugin deploy","version":"0.0.2","words":"gulp-mvn-deploy simple gulp plugin for the maven-deploy module =mythx maven gulp gulp-plugin deploy","author":"=mythx","date":"2014-05-23 "},{"name":"gulp-myth","description":"Myth - Postprocessor that polyfills CSS","url":null,"keywords":"gulpplugin myth style stylesheet css postprocess postprocessor rework compile polyfill ponyfill","version":"1.0.1","words":"gulp-myth myth - postprocessor that polyfills css =sindresorhus gulpplugin myth style stylesheet css postprocess postprocessor rework compile polyfill ponyfill","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-myth-css","description":"Gulp Myth CSS polyfill postprocessor plugin","url":null,"keywords":"gulpplugin","version":"0.1.0","words":"gulp-myth-css gulp myth css polyfill postprocessor plugin =worldeggplant gulpplugin","author":"=worldeggplant","date":"2013-12-17 "},{"name":"gulp-nar","description":"Create and extract nar archives","url":null,"keywords":"gulpplugin nar application executable tar tarball archive archiver compress compression file files stream","version":"0.4.0","words":"gulp-nar create and extract nar archives =h2non gulpplugin nar application executable tar tarball archive archiver compress compression file files stream","author":"=h2non","date":"2014-07-30 "},{"name":"gulp-native2ascii","description":"native2ascii plugin for gulp","url":null,"keywords":"gulpplugin gulp native2ascii","version":"0.0.3","words":"gulp-native2ascii native2ascii plugin for gulp =adamme gulpplugin gulp native2ascii","author":"=adamme","date":"2014-09-08 "},{"name":"gulp-natural-sort","description":"Sort stream by path name using a natural sort","url":null,"keywords":"gulpplugin gulpfriendly gulp sort natural sort natural","version":"0.1.0","words":"gulp-natural-sort sort stream by path name using a natural sort =emgeee gulpplugin gulpfriendly gulp sort natural sort natural","author":"=emgeee","date":"2014-08-02 "},{"name":"gulp-nav","description":"gulp plugin to help build navigation elements","url":null,"keywords":"gulpplugin nav directory hierarchy","version":"0.1.4","words":"gulp-nav gulp plugin to help build navigation elements =jessaustin gulpplugin nav directory hierarchy","author":"=jessaustin","date":"2014-09-15 "},{"name":"gulp-nekyll","description":"Jekyll-like gulp build system","url":null,"keywords":"","version":"0.0.2","words":"gulp-nekyll jekyll-like gulp build system =webmakersteve","author":"=webmakersteve","date":"2014-07-30 "},{"name":"gulp-nette-basepath","description":"Parse build blocks in Nette/Latte templates and resolves its Nette's basePath variable.","url":null,"keywords":"gulpplugin html nette latte scripts css optimize concat","version":"0.1.0","words":"gulp-nette-basepath parse build blocks in nette/latte templates and resolves its nette's basepath variable. =quinix gulpplugin html nette latte scripts css optimize concat","author":"=quinix","date":"2014-05-01 "},{"name":"gulp-neuron-builder","description":"Build CMD module to neuron wrapped module","url":null,"keywords":"","version":"0.0.3","words":"gulp-neuron-builder build cmd module to neuron wrapped module =spud","author":"=spud","date":"2014-05-05 "},{"name":"gulp-neuter","description":"Unifies javascript source files in the order you require","url":null,"keywords":"gulp neuter node-neuter","version":"0.1.2","words":"gulp-neuter unifies javascript source files in the order you require =squarewolf gulp neuter node-neuter","author":"=squarewolf","date":"2014-02-26 "},{"name":"gulp-newer","description":"Only pass through newer source files","url":null,"keywords":"gulp gulpplugin newer mtime","version":"0.3.0","words":"gulp-newer only pass through newer source files =tschaub gulp gulpplugin newer mtime","author":"=tschaub","date":"2014-02-15 "},{"name":"gulp-ng-annotate","description":"Add angularjs dependency injection annotations with ng-annotate","url":null,"keywords":"gulpplugin angular angularjs annotate ng-annotate","version":"0.3.3","words":"gulp-ng-annotate add angularjs dependency injection annotations with ng-annotate =kagami gulpplugin angular angularjs annotate ng-annotate","author":"=kagami","date":"2014-09-19 "},{"name":"gulp-ng-autobootstrap","description":"A gulp plugin to automatically create bootstrap files for requiring your angular modules with browserify.","url":null,"keywords":"angular angularjs angular.js browserify","version":"0.1.0","words":"gulp-ng-autobootstrap a gulp plugin to automatically create bootstrap files for requiring your angular modules with browserify. =maximilianschmitt angular angularjs angular.js browserify","author":"=maximilianschmitt","date":"2014-08-23 "},{"name":"gulp-ng-classify","description":"Compile CoffeeScript classes to AngularJS modules","url":null,"keywords":"gulpplugin angular angularjs class coffeescript module","version":"4.0.0","words":"gulp-ng-classify compile coffeescript classes to angularjs modules =carylandholt gulpplugin angular angularjs class coffeescript module","author":"=carylandholt","date":"2014-08-10 "},{"name":"gulp-ng-config","description":"AngularJS configuration generator for a module of constants","url":null,"keywords":"gulp grunt config angular ng gulpfriendly gulpplugin","version":"0.1.7","words":"gulp-ng-config angularjs configuration generator for a module of constants =atticoos gulp grunt config angular ng gulpfriendly gulpplugin","author":"=atticoos","date":"2014-09-18 "},{"name":"gulp-ng-constant","description":"Gulp plugin for dynamic generation of angular constant modules.","url":null,"keywords":"gulp angularjs constant gulpplugin","version":"0.1.1","words":"gulp-ng-constant gulp plugin for dynamic generation of angular constant modules. =guzart gulp angularjs constant gulpplugin","author":"=guzart","date":"2014-07-01 "},{"name":"gulp-ng-deporder","description":"Reorder by angular module dependencies","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-ng-deporder reorder by angular module dependencies =busata gulpplugin","author":"=busata","date":"2014-08-08 "},{"name":"gulp-ng-html2js","description":"A Gulp plugin which generates AngularJS modules, which pre-load your HTML code into the $templateCache. This way AngularJS doesn't need to request the actual HTML files anymore.","url":null,"keywords":"gulpplugin ng-html2js angular html2js angularjs","version":"0.1.8","words":"gulp-ng-html2js a gulp plugin which generates angularjs modules, which pre-load your html code into the $templatecache. this way angularjs doesn't need to request the actual html files anymore. =marklagendijk gulpplugin ng-html2js angular html2js angularjs","author":"=marklagendijk","date":"2014-08-12 "},{"name":"gulp-ng-inject","description":"Add dependencies to your main Angular.js project file automatically","url":null,"keywords":"angular.js modules gulp inject","version":"0.1.0","words":"gulp-ng-inject add dependencies to your main angular.js project file automatically =yagoferrer angular.js modules gulp inject","author":"=yagoferrer","date":"2014-09-17 "},{"name":"gulp-ng-templates","description":"Build all of your angular templates in just one js file using $templateCache provider","url":null,"keywords":"gulpplugin gulp angular angularjs ng html2js templatecache","version":"0.0.2","words":"gulp-ng-templates build all of your angular templates in just one js file using $templatecache provider =victorqueiroz gulpplugin gulp angular angularjs ng html2js templatecache","author":"=victorqueiroz","date":"2014-09-01 "},{"name":"gulp-ng-ts","description":"Compile TypeScript classes to AngularJS modules.","url":null,"keywords":"gulpplugin css prefix rework","version":"0.0.1","words":"gulp-ng-ts compile typescript classes to angularjs modules. =mattduffield gulpplugin css prefix rework","author":"=mattduffield","date":"2014-08-31 "},{"name":"gulp-ngbs-forms","description":"Generate forms using Angular for validations and Bootstrap for styles from short and concise descriptions of the fields.","url":null,"keywords":"gulpplugin bootstrap angular form generator","version":"1.4.1","words":"gulp-ngbs-forms generate forms using angular for validations and bootstrap for styles from short and concise descriptions of the fields. =ernestoalejo gulpplugin bootstrap angular form generator","author":"=ernestoalejo","date":"2014-05-22 "},{"name":"gulp-ngbuild","description":"gulp plugin for ngbuild","url":null,"keywords":"","version":"1.0.2","words":"gulp-ngbuild gulp plugin for ngbuild =galkinrost","author":"=galkinrost","date":"2014-04-17 "},{"name":"gulp-ngcompile","description":"AngularJS assembler with dependency tracking for gulp","url":null,"keywords":"gulpplugin angularjs","version":"0.1.3","words":"gulp-ngcompile angularjs assembler with dependency tracking for gulp =ceymard gulpplugin angularjs","author":"=ceymard","date":"2014-03-14 "},{"name":"gulp-ngconcat","description":"The gulp plugin of easy to use concatination for Angular based projects","url":null,"keywords":"gulp concat angular","version":"0.0.3","words":"gulp-ngconcat the gulp plugin of easy to use concatination for angular based projects =galkinrost gulp concat angular","author":"=galkinrost","date":"2014-05-18 "},{"name":"gulp-nginclude","description":"Gulp task for embedding AngularJS ngInclude elements","url":null,"keywords":"gulp angular","version":"0.4.5","words":"gulp-nginclude gulp task for embedding angularjs nginclude elements =mgcrea gulp angular","author":"=mgcrea","date":"2014-06-16 "},{"name":"gulp-ngmin","description":"Pre-minify AngularJS apps with ngmin","url":null,"keywords":"gulpplugin angular angularjs minify minifier pre-minify annotate ngmin min compress","version":"0.3.0","words":"gulp-ngmin pre-minify angularjs apps with ngmin =sindresorhus gulpplugin angular angularjs minify minifier pre-minify annotate ngmin min compress","author":"=sindresorhus","date":"2014-07-18 "},{"name":"gulp-ngspec","description":"Hard file management for gulp projects","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-ngspec hard file management for gulp projects =greenboxal gulpplugin","author":"=greenboxal","date":"2014-05-01 "},{"name":"gulp-ngtemplate","description":"Gulp task to precompile AngularJS templates with $templateCache","url":null,"keywords":"gulp angular","version":"0.2.3","words":"gulp-ngtemplate gulp task to precompile angularjs templates with $templatecache =mgcrea gulp angular","author":"=mgcrea","date":"2014-06-16 "},{"name":"gulp-ngtemplates","description":"AngularJS template assembler for gulp","url":null,"keywords":"gulpplugin angularjs","version":"0.1.2","words":"gulp-ngtemplates angularjs template assembler for gulp =ceymard gulpplugin angularjs","author":"=ceymard","date":"2014-03-12 "},{"name":"gulp-ngtpl","description":"base on https://github.com/mgcrea/gulp-ngtemplate","url":null,"keywords":"gulp angular","version":"0.0.1","words":"gulp-ngtpl base on https://github.com/mgcrea/gulp-ngtemplate =chrisfan gulp angular","author":"=chrisfan","date":"2014-08-12 "},{"name":"gulp-nice-package","description":"Opinionated package.json validator","url":null,"keywords":"gulp gulpfriendly package.json validate validator","version":"0.0.2","words":"gulp-nice-package opinionated package.json validator =chmontgomery gulp gulpfriendly package.json validate validator","author":"=chmontgomery","date":"2014-08-07 "},{"name":"gulp-nico-prebuild","description":"gulp-nico preBuild","url":null,"keywords":"gulpplugin","version":"0.1.1","words":"gulp-nico-prebuild gulp-nico prebuild =semious gulpplugin","author":"=semious","date":"2014-08-13 "},{"name":"gulp-no-media-queries","description":"Export mediaqueries that match provided max page width","url":null,"keywords":"gulpplugin media queries mediaqueries","version":"0.0.4","words":"gulp-no-media-queries export mediaqueries that match provided max page width =efrafa gulpplugin media queries mediaqueries","author":"=efrafa","date":"2014-06-24 "},{"name":"gulp-nodefy","description":"Convert AMD modules to CommonJS modules","url":null,"keywords":"gulpplugin nodefy","version":"0.0.0","words":"gulp-nodefy convert amd modules to commonjs modules =popham gulpplugin nodefy","author":"=popham","date":"2014-08-20 "},{"name":"gulp-nodemon","description":"A gulp-friendly nodemon wrapper that restarts your app as you develop, and keeps your build system contained to one process.","url":null,"keywords":"gulp nodemon develop server restart automatically watch gulpfriendly","version":"1.0.4","words":"gulp-nodemon a gulp-friendly nodemon wrapper that restarts your app as you develop, and keeps your build system contained to one process. =jacksongariety gulp nodemon develop server restart automatically watch gulpfriendly","author":"=jacksongariety","date":"2014-06-05 "},{"name":"gulp-noder","description":"gulp-noder ==========","url":null,"keywords":"gulpplugin","version":"0.0.3","words":"gulp-noder gulp-noder ========== =ariatemplates gulpplugin","author":"=ariatemplates","date":"2014-07-02 "},{"name":"gulp-nodeunit","description":"Gulp nodeunit runner","url":null,"keywords":"gulp nodeunit","version":"0.0.5","words":"gulp-nodeunit gulp nodeunit runner =kjv gulp nodeunit","author":"=kjv","date":"2014-03-10 "},{"name":"gulp-nodeunit-runner","description":"A nodeunit test runner plugin for Gulp","url":null,"keywords":"gulpplugin nodeunit test testing unit framework runner tdd bdd spec tap","version":"0.2.2","words":"gulp-nodeunit-runner a nodeunit test runner plugin for gulp =baer gulpplugin nodeunit test testing unit framework runner tdd bdd spec tap","author":"=baer","date":"2014-06-24 "},{"name":"gulp-nop","description":"No operation","url":null,"keywords":"gulpplugin nop noop nothing","version":"0.0.3","words":"gulp-nop no operation =hoho gulpplugin nop noop nothing","author":"=hoho","date":"2014-05-23 "},{"name":"gulp-noprotocol","description":"NoProtocol's Best Practices for Gulp","url":null,"keywords":"","version":"0.2.1","words":"gulp-noprotocol noprotocol's best practices for gulp =bfanger","author":"=bfanger","date":"2014-09-18 "},{"name":"gulp-notify","description":"gulp plugin to send messages based on Vinyl Files or Errors to Mac OS X, Linux or Windows node-notifier module. Fallbacks to Growl or simply logging","url":null,"keywords":"gulpplugin notify gulp notification reporter","version":"1.6.0","words":"gulp-notify gulp plugin to send messages based on vinyl files or errors to mac os x, linux or windows node-notifier module. fallbacks to growl or simply logging =mikaelb gulpplugin notify gulp notification reporter","author":"=mikaelb","date":"2014-09-10 "},{"name":"gulp-notify-growl","description":"A custom notifier for gulp-notify to send messages to Growl clients using GNTP","url":null,"keywords":"gulp gulpplugin notify notification growl snarl gntp","version":"1.0.2","words":"gulp-notify-growl a custom notifier for gulp-notify to send messages to growl clients using gntp =yannickcr gulp gulpplugin notify notification growl snarl gntp","author":"=yannickcr","date":"2014-06-10 "},{"name":"gulp-npm","keywords":"","version":[],"words":"gulp-npm","author":"","date":"2014-02-23 "},{"name":"gulp-ntpl","url":null,"keywords":"","version":"0.0.0","words":"gulp-ntpl =xhowhy","author":"=xhowhy","date":"2014-09-14 "},{"name":"gulp-nuget","description":"gulp nuget support to pack and push nuget packages","url":null,"keywords":"gulpplugin nuget deploy","version":"0.0.3","words":"gulp-nuget gulp nuget support to pack and push nuget packages =mckn gulpplugin nuget deploy","author":"=mckn","date":"2014-04-02 "},{"name":"gulp-nuget-mono","keywords":"","version":[],"words":"gulp-nuget-mono","author":"","date":"2014-07-20 "},{"name":"gulp-nunit","description":"nunit test runner for gulp","url":null,"keywords":"gulpplugin","version":"0.0.1","words":"gulp-nunit nunit test runner for gulp =chriscanal gulpplugin","author":"=chriscanal","date":"2014-05-23 "},{"name":"gulp-nunit-runner","description":"A Gulp.js plugin to facilitate the running of NUnit unit tests on .Net assemblies. ","url":null,"keywords":"gulp nunit .net gulpplugin","version":"0.1.2","words":"gulp-nunit-runner a gulp.js plugin to facilitate the running of nunit unit tests on .net assemblies. =keithmorris gulp nunit .net gulpplugin","author":"=keithmorris","date":"2014-09-04 "},{"name":"gulp-nunjucks","description":"Precompile Nunjucks templates","url":null,"keywords":"gulpplugin nunjucks jinja jinja2 django template templating view precompile compile html javascript","version":"1.0.1","words":"gulp-nunjucks precompile nunjucks templates =sindresorhus gulpplugin nunjucks jinja jinja2 django template templating view precompile compile html javascript","author":"=sindresorhus","date":"2014-09-02 "},{"name":"gulp-nunjucks-render","description":"Render Nunjucks templates","url":null,"keywords":"gulpplugin nunjucks template templating view render html javascript","version":"0.1.2","words":"gulp-nunjucks-render render nunjucks templates =carlosl gulpplugin nunjucks template templating view render html javascript","author":"=carlosl","date":"2014-09-02 "},{"name":"gulp-obfuscate","description":"Obfuscate your code.","url":null,"keywords":"gulpplugin gulp-obfuscate gulp regex replace preprocessor obfuscator obfuscate","version":"0.2.9","words":"gulp-obfuscate obfuscate your code. =mikrofusion gulpplugin gulp-obfuscate gulp regex replace preprocessor obfuscator obfuscate","author":"=mikrofusion","date":"2014-09-14 "},{"name":"gulp-obfuscator","description":"Obfuscate node.js projects with gulp","url":null,"keywords":"gulp obfuscate javascript","version":"0.0.0","words":"gulp-obfuscator obfuscate node.js projects with gulp =iandotkelly gulp obfuscate javascript","author":"=iandotkelly","date":"2014-04-03 "},{"name":"gulp-obj","description":"Add user data to File","url":null,"keywords":"gulpplugin object userdata","version":"0.0.3","words":"gulp-obj add user data to file =minodisk gulpplugin object userdata","author":"=minodisk","date":"2014-08-27 "},{"name":"gulp-octet","description":"Gulp plugin for octet - Javascript template engine in just 20 lines.","url":null,"keywords":"gulpplugin javascript template engine abusrdjs absurd","version":"0.0.2","words":"gulp-octet gulp plugin for octet - javascript template engine in just 20 lines. =tunnckocore gulpplugin javascript template engine abusrdjs absurd","author":"=tunnckocore","date":"2014-06-21 "},{"name":"gulp-ondemand-server","description":"Gulp plugin that runs a local server that executes tasks when a page is requested, not when the file changes","url":null,"keywords":"gulpplugin server proxy development on-demand gulp","version":"0.2.0","words":"gulp-ondemand-server gulp plugin that runs a local server that executes tasks when a page is requested, not when the file changes =ernestoalejo gulpplugin server proxy development on-demand gulp","author":"=ernestoalejo","date":"2014-02-13 "},{"name":"gulp-onejs-compiler","description":"Compiles OneJS html templates and generates a variety of output.","url":null,"keywords":"gulpplugin","version":"1.1.3","words":"gulp-onejs-compiler compiles onejs html templates and generates a variety of output. =dzearing gulpplugin","author":"=dzearing","date":"2014-09-12 "},{"name":"gulp-open","description":"Open files and URLs with gulp","url":null,"keywords":"gulp open node-open exec-plugin gulpplugin gulp-plugin","version":"0.2.8","words":"gulp-open open files and urls with gulp =stevelacy gulp open node-open exec-plugin gulpplugin gulp-plugin","author":"=stevelacy","date":"2014-01-20 "},{"name":"gulp-optipng","description":"Lossless compression of PNG images","url":null,"keywords":"png optimize compression minify minifier optimize optipng img image gulpplugin","version":"0.0.2","words":"gulp-optipng lossless compression of png images =ameyp png optimize compression minify minifier optimize optipng img image gulpplugin","author":"=ameyp","date":"2014-03-02 "},{"name":"gulp-order","description":"The gulp plugin `gulp-order` allows you to reorder a stream of files using the same syntax as of `gulp.src`.","url":null,"keywords":"gulp gulpplugin minimatch concat order pipe","version":"1.1.1","words":"gulp-order the gulp plugin `gulp-order` allows you to reorder a stream of files using the same syntax as of `gulp.src`. =sirlantis gulp gulpplugin minimatch concat order pipe","author":"=sirlantis","date":"2014-06-10 "},{"name":"gulp-osws-moduler","description":"Gulp adapter for OSWSModuler.","url":null,"keywords":"gulpplugin","version":"0.2.2","words":"gulp-osws-moduler gulp adapter for oswsmoduler. =opensourcewebstandards gulpplugin","author":"=opensourcewebstandards","date":"2014-09-06 "},{"name":"gulp-out","description":"Output files with patterned output filenames","url":null,"keywords":"Output gulp.dest Dest Output with patterns gulpplugin","version":"0.0.1","words":"gulp-out output files with patterned output filenames =dylanb output gulp.dest dest output with patterns gulpplugin","author":"=dylanb","date":"2014-02-25 "},{"name":"gulp-outliner","description":"HTML Outliner for Gulp - generates a Table of Contents","url":null,"keywords":"gulp gulpplugin toc contents table of contents section article","version":"0.0.5","words":"gulp-outliner html outliner for gulp - generates a table of contents =ear1grey gulp gulpplugin toc contents table of contents section article","author":"=ear1grey","date":"2014-07-31 "},{"name":"gulp-output","description":"Gulp plugin which output filenames.","url":null,"keywords":"gulp gulpplugin filename files template","version":"0.0.1","words":"gulp-output gulp plugin which output filenames. =ahsx gulp gulpplugin filename files template","author":"=ahsx","date":"2014-03-16 "},{"name":"gulp-ozjs","description":"gulp plugin for ozma -- http://ozjs.org/ozma/","url":null,"keywords":"gulpplugin ozjs ozma amd","version":"0.0.3","words":"gulp-ozjs gulp plugin for ozma -- http://ozjs.org/ozma/ =kebot gulpplugin ozjs ozma amd","author":"=kebot","date":"2014-09-04 "},{"name":"gulp-pack-run","description":"Run gulp tasks from json manifest","url":null,"keywords":"gulpfriendly pipe gulp orchestrator","version":"0.1.0","words":"gulp-pack-run run gulp tasks from json manifest =treeskar gulpfriendly pipe gulp orchestrator","author":"=treeskar","date":"2014-07-12 "},{"name":"gulp-packages","description":"gulp package management helper","url":null,"keywords":"gulp gulpfriendly package helper","version":"0.2.0","words":"gulp-packages gulp package management helper =ktty1220 gulp gulpfriendly package helper","author":"=ktty1220","date":"2014-08-30 "},{"name":"gulp-packer","description":"Minify Javascript","url":null,"keywords":"gulpplugin","version":"0.1.1","words":"gulp-packer minify javascript =yanatan16 gulpplugin","author":"=yanatan16","date":"2014-06-09 "},{"name":"gulp-pagemaki","description":"gulp-pagemaki =============","url":null,"keywords":"gulp gulp-plugin static generator markdown html streaming","version":"0.1.0","words":"gulp-pagemaki gulp-pagemaki ============= =rhodesjason gulp gulp-plugin static generator markdown html streaming","author":"=rhodesjason","date":"2014-03-23 "},{"name":"gulp-pako","description":"A gulp plugin to compress (gzip, deflate) files with Pako.","url":null,"keywords":"gulp gulpplugin pako gzip deflate compress zlib","version":"0.1.0","words":"gulp-pako a gulp plugin to compress (gzip, deflate) files with pako. =jameswyse gulp gulpplugin pako gzip deflate compress zlib","author":"=jameswyse","date":"2014-05-20 "},{"name":"gulp-pancakes","description":"Gulp plugin for the Pancakes framework","url":null,"keywords":"gulpplugin","version":"0.0.9","words":"gulp-pancakes gulp plugin for the pancakes framework =jeffwhelpley gulpplugin","author":"=jeffwhelpley","date":"2014-09-02 "},{"name":"gulp-pandoc","description":"Pandoc plugin for gulp.","url":null,"keywords":"gulpplugin pandoc","version":"0.2.0","words":"gulp-pandoc pandoc plugin for gulp. =gummesson gulpplugin pandoc","author":"=gummesson","date":"2014-02-05 "},{"name":"gulp-partial-to-script","description":"Move the content of a partial between ","url":null,"keywords":"gulpplugin template partial html","version":"1.0.3","words":"gulp-partial-to-script move the content of a partial between =dhoko gulpplugin template partial html","author":"=dhoko","date":"2014-01-22 "},{"name":"gulp-path-modifier","description":"Modify relative url of selected elements","url":null,"keywords":"gulpplugin html link","version":"0.0.1","words":"gulp-path-modifier modify relative url of selected elements =othree gulpplugin html link","author":"=othree","date":"2014-03-05 "},{"name":"gulp-path-prefix","description":"Gulp plugin for prefixing paths to assets","url":null,"keywords":"gulp plugin gulp plugin gulpplugin path prefix","version":"0.0.3","words":"gulp-path-prefix gulp plugin for prefixing paths to assets =ifandelse gulp plugin gulp plugin gulpplugin path prefix","author":"=ifandelse","date":"2014-09-19 "},{"name":"gulp-pathmap","description":"Rename files with pathmap. Think of it like `sprintf` for paths.","url":null,"keywords":"gulpplugin gulp-plugin pathmap rename filename basename extname dirname","version":"0.1.0","words":"gulp-pathmap rename files with pathmap. think of it like `sprintf` for paths. =jeremyruppel gulpplugin gulp-plugin pathmap rename filename basename extname dirname","author":"=jeremyruppel","date":"2014-07-24 "},{"name":"gulp-patternlint","description":"A generic pattern lint plugin for gulp","url":null,"keywords":"gulpplugin lint pattern","version":"0.1.4","words":"gulp-patternlint a generic pattern lint plugin for gulp =neagle gulpplugin lint pattern","author":"=neagle","date":"2014-05-07 "},{"name":"gulp-peaches","description":"Peaches plugin for gulp.","url":null,"keywords":"gulpplugin peaches","version":"0.2.1","words":"gulp-peaches peaches plugin for gulp. =sorrycc gulpplugin peaches","author":"=sorrycc","date":"2014-07-24 "},{"name":"gulp-peg","description":"Gulp plugin for compiling PEG grammars","url":null,"keywords":"gulpplugin gulp","version":"0.1.2","words":"gulp-peg gulp plugin for compiling peg grammars =lazutkin gulpplugin gulp","author":"=lazutkin","date":"2014-06-20 "},{"name":"gulp-phantom","description":"phantomjs plugin for gulp","url":null,"keywords":"gulpplugin phantomjs template","version":"0.0.6","words":"gulp-phantom phantomjs plugin for gulp =cognitom gulpplugin phantomjs template","author":"=cognitom","date":"2014-05-24 "},{"name":"gulp-phantomcss","description":"Run your phantomCSS tests with Gulp.","url":null,"keywords":"","version":"0.0.4","words":"gulp-phantomcss run your phantomcss tests with gulp. =dangerdan","author":"=dangerdan","date":"2014-09-09 "},{"name":"gulp-phonegap-build","description":"Build phonegap app via build.phonegap.com","url":null,"keywords":"gulp gulpplugin phonegap","version":"0.1.3","words":"gulp-phonegap-build build phonegap app via build.phonegap.com =marcbuils gulp gulpplugin phonegap","author":"=marcbuils","date":"2014-08-31 "},{"name":"gulp-php","keywords":"","version":[],"words":"gulp-php","author":"","date":"2014-04-03 "},{"name":"gulp-php2html","description":"A plugin for Gulp","url":null,"keywords":"gulpplugin","version":"0.0.8","words":"gulp-php2html a plugin for gulp =bezoerb gulpplugin","author":"=bezoerb","date":"2014-06-23 "},{"name":"gulp-phpcs","description":"PHP Code Sniffer plugin for Gulp","url":null,"keywords":"gulpplugin phpcs","version":"0.2.1","words":"gulp-phpcs php code sniffer plugin for gulp =justblackbird gulpplugin phpcs","author":"=justblackbird","date":"2014-08-11 "},{"name":"gulp-phpspec","description":"PHP PHPSpec plugin for Gulp","url":null,"keywords":"gulpplugin phpspec","version":"0.3.0","words":"gulp-phpspec php phpspec plugin for gulp =codedungeon gulpplugin phpspec","author":"=codedungeon","date":"2014-09-13 "},{"name":"gulp-phpunit","description":"PHPUnit plugin for Gulp","url":null,"keywords":"gulpplugin phpunit","version":"0.6.3","words":"gulp-phpunit phpunit plugin for gulp =codedungeon gulpplugin phpunit","author":"=codedungeon","date":"2014-08-11 "},{"name":"gulp-pipeconsole","description":"Logs any text to console","url":null,"keywords":"gulpplugin console log debug","version":"0.0.1","words":"gulp-pipeconsole logs any text to console =kaok gulpplugin console log debug","author":"=kaok","date":"2014-07-07 "},{"name":"gulp-pipereplace","description":"A string replace plugin for gulp ,can use pipe as replacement","url":null,"keywords":"gulpplugin replace","version":"0.0.2","words":"gulp-pipereplace a string replace plugin for gulp ,can use pipe as replacement =kunhualqk gulpplugin replace","author":"=kunhualqk","date":"2014-08-08 "},{"name":"gulp-pistachio-compiler","description":"Gulp plugin for pistachio compiler","url":null,"keywords":"","version":"0.0.3","words":"gulp-pistachio-compiler gulp plugin for pistachio compiler =sz","author":"=sz","date":"2014-03-17 "},{"name":"gulp-pixrem","description":"Pixrem plugin for gulp.","url":null,"keywords":"css parser postproccessor gulpplugin","version":"0.1.1","words":"gulp-pixrem pixrem plugin for gulp. =gummesson css parser postproccessor gulpplugin","author":"=gummesson","date":"2014-03-16 "},{"name":"gulp-plates","description":"Uses flatiron plates to do DSL-free html templating","url":null,"keywords":"gulpplugin","version":"0.0.5","words":"gulp-plates uses flatiron plates to do dsl-free html templating =007design gulpplugin","author":"=007design","date":"2014-04-01 "},{"name":"gulp-plato","description":"Generate complexity analysis reports","url":null,"keywords":"gulpplugin plato jshint halstead visualize cyclomatic complexity report analysis analyze report","version":"1.0.1","words":"gulp-plato generate complexity analysis reports =sindresorhus =jsoverson gulpplugin plato jshint halstead visualize cyclomatic complexity report analysis analyze report","author":"=sindresorhus =jsoverson","date":"2014-09-02 "},{"name":"gulp-play-usemin","description":"Replaces references to non-optimized scripts or stylesheets into a set of HTML files (or any templates/views).","url":null,"keywords":"gulpplugin usemin","version":"0.0.3-a","words":"gulp-play-usemin replaces references to non-optimized scripts or stylesheets into a set of html files (or any templates/views). =damiya gulpplugin usemin","author":"=damiya","date":"2014-04-04 "},{"name":"gulp-pleeease","description":"Postprocess CSS with ease.","url":null,"keywords":"gulpplugin media queries mediaqueries pleeease","version":"1.0.4","words":"gulp-pleeease postprocess css with ease. =efrafa gulpplugin media queries mediaqueries pleeease","author":"=efrafa","date":"2014-09-03 "},{"name":"gulp-pluck","description":"Pluck function for gulp file properties.","url":null,"keywords":"reduce pluck concatenate gulpplugin","version":"0.0.2","words":"gulp-pluck pluck function for gulp file properties. =jon49 reduce pluck concatenate gulpplugin","author":"=jon49","date":"2014-09-05 "},{"name":"gulp-plug","description":"Plug is a Light Utility around Gulp","url":null,"keywords":"","version":"0.2.4","words":"gulp-plug plug is a light utility around gulp =vbrajon","author":"=vbrajon","date":"2014-08-04 "},{"name":"gulp-plugin-unofficial","description":"An unofficial template for building Gulp plugins","url":null,"keywords":"gulp plugins project template","version":"0.0.2","words":"gulp-plugin-unofficial an unofficial template for building gulp plugins =koglerjs gulp plugins project template","author":"=koglerjs","date":"2014-04-17 "},{"name":"gulp-plumber","description":"Prevent pipe breaking caused by errors from gulp plugins","url":null,"keywords":"gulpplugin","version":"0.6.5","words":"gulp-plumber prevent pipe breaking caused by errors from gulp plugins =floatdrop gulpplugin","author":"=floatdrop","date":"2014-08-25 "},{"name":"gulp-pngmin","description":"Optimize PNG image plugin for Gulp.","url":null,"keywords":"gulp gulpplugin pngquant image","version":"0.1.2","words":"gulp-pngmin optimize png image plugin for gulp. =nariyu gulp gulpplugin pngquant image","author":"=nariyu","date":"2014-09-08 "},{"name":"gulp-po-json","description":"Utility to convert PO files to JSON files with Gulp","url":null,"keywords":"","version":"0.0.2","words":"gulp-po-json utility to convert po files to json files with gulp =ulflander","author":"=ulflander","date":"2014-08-13 "},{"name":"gulp-po2angular","description":"Gulp plugin to convert .po files to JSON for use with angular-gettext","url":null,"keywords":"gulpplugin po gettext angular angular-gettext","version":"0.1.1","words":"gulp-po2angular gulp plugin to convert .po files to json for use with angular-gettext =gabegorelick gulpplugin po gettext angular angular-gettext","author":"=gabegorelick","date":"2014-02-25 "},{"name":"gulp-po2json","description":"Gulp plugin to convert gettext .po files to JSON","url":null,"keywords":"gulpplugin po gettext","version":"0.1.0","words":"gulp-po2json gulp plugin to convert gettext .po files to json =gabegorelick gulpplugin po gettext","author":"=gabegorelick","date":"2014-02-21 "},{"name":"gulp-pogo","description":"Compile PogoScript files","url":null,"keywords":"gulpplugin pogo","version":"1.1.1","words":"gulp-pogo compile pogoscript files =dereke gulpplugin pogo","author":"=dereke","date":"2014-06-13 "},{"name":"gulp-poole","description":"Gulp Tasks for Mr. Poole, the Jekyll Generator","url":null,"keywords":"gulp gulpplugin jekyll","version":"0.2.2","words":"gulp-poole gulp tasks for mr. poole, the jekyll generator =iamcarrico gulp gulpplugin jekyll","author":"=iamcarrico","date":"2014-09-02 "},{"name":"gulp-postcss","description":"PostCSS gulp plugin","url":null,"keywords":"gulpplugin postcss css","version":"2.0.0","words":"gulp-postcss postcss gulp plugin =unsoundscapes gulpplugin postcss css","author":"=unsoundscapes","date":"2014-09-20 "},{"name":"gulp-power-doctest","description":"gulp plugin for power-doctest.","url":null,"keywords":"gulp gulpplugin testing","version":"0.2.1","words":"gulp-power-doctest gulp plugin for power-doctest. =azu gulp gulpplugin testing","author":"=azu","date":"2014-03-22 "},{"name":"gulp-prefix","description":"Implementation of html-prefixer for gulp","url":null,"keywords":"gulpplugin prefix replace path tag html css script url","version":"0.0.11","words":"gulp-prefix implementation of html-prefixer for gulp =007design gulpplugin prefix replace path tag html css script url","author":"=007design","date":"2014-08-28 "},{"name":"gulp-premailer","description":"A gulp module using Premailer to bring CSS styles inline when developing HTML emails.","url":null,"keywords":"gulpplugin premailer css inliner","version":"0.3.0","words":"gulp-premailer a gulp module using premailer to bring css styles inline when developing html emails. =justin713 gulpplugin premailer css inliner","author":"=justin713","date":"2014-08-04 "},{"name":"gulp-preprocess","description":"Gulp plugin to preprocess HTML, JavaScript, and other files based on custom context or environment configuration","url":null,"keywords":"gulpplugin gulp-plugin preprocessor html javascript coffeescript debug environment ENV conditional include exclude ifdef ifndef echo","version":"1.1.1","words":"gulp-preprocess gulp plugin to preprocess html, javascript, and other files based on custom context or environment configuration =jas gulpplugin gulp-plugin preprocessor html javascript coffeescript debug environment env conditional include exclude ifdef ifndef echo","author":"=jas","date":"2014-06-18 "},{"name":"gulp-prettify","description":"Prettify, format, beautify HTML.","url":null,"keywords":"beautify code format gulp gulpplugin html indent js-beautify prettify","version":"0.3.0","words":"gulp-prettify prettify, format, beautify html. =jonschlinkert =doowb beautify code format gulp gulpplugin html indent js-beautify prettify","author":"=jonschlinkert =doowb","date":"2014-08-16 "},{"name":"gulp-pretty-data","description":"Gulp plugin to minify or prettify xml, json, css, sql","url":null,"keywords":"gulpplugin pretty data data minify minify prettify data prettify xml json css sql","version":"0.1.1","words":"gulp-pretty-data gulp plugin to minify or prettify xml, json, css, sql =neilcarpenter gulpplugin pretty data data minify minify prettify data prettify xml json css sql","author":"=neilcarpenter","date":"2014-08-26 "},{"name":"gulp-print","description":"Prints names of files to the console so that you can see what's in the pipe.","url":null,"keywords":"gulpplugin log print","version":"1.1.0","words":"gulp-print prints names of files to the console so that you can see what's in the pipe. =alexgorbatchev gulpplugin log print","author":"=alexgorbatchev","date":"2014-06-10 "},{"name":"gulp-processhtml","description":"Process html files at build time to modify them as you wish","url":null,"keywords":"gulpplugin","version":"0.0.6","words":"gulp-processhtml process html files at build time to modify them as you wish =jcastelain gulpplugin","author":"=jcastelain","date":"2014-08-30 "},{"name":"gulp-progeny","description":"Gulp plugin for dependencies building","url":null,"keywords":"gulpplugin dependencies incremental building compile","version":"0.0.7","words":"gulp-progeny gulp plugin for dependencies building =nonamesheep gulpplugin dependencies incremental building compile","author":"=nonamesheep","date":"2014-09-01 "},{"name":"gulp-project-template","description":"A gulp web app template","url":null,"keywords":"gulp template javascript","version":"0.0.4","words":"gulp-project-template a gulp web app template =bernardogfilho gulp template javascript","author":"=bernardogfilho","date":"2014-02-08 "},{"name":"gulp-prompt","description":"Add interactive console prompts to gulp","url":null,"keywords":"gulpplugin prompt","version":"0.1.1","words":"gulp-prompt add interactive console prompts to gulp =freyskeyd gulpplugin prompt","author":"=freyskeyd","date":"2014-03-20 "},{"name":"gulp-properties","description":"Parse properties files into JS object","url":null,"keywords":"gulpplugin properties","version":"1.0.1","words":"gulp-properties parse properties files into js object =dragosh gulpplugin properties","author":"=dragosh","date":"2014-07-21 "},{"name":"gulp-property-merge","description":"Property merge","url":null,"keywords":"html minifier gulpplugin","version":"0.0.3","words":"gulp-property-merge property merge =webyom html minifier gulpplugin","author":"=webyom","date":"2014-07-15 "},{"name":"gulp-protector","description":"``` var gulp = require('gulp'); var protector = require('gulp-protector');","url":null,"keywords":"gulp gulpplugin","version":"0.0.1","words":"gulp-protector ``` var gulp = require('gulp'); var protector = require('gulp-protector'); =poying gulp gulpplugin","author":"=poying","date":"2014-03-05 "},{"name":"gulp-protractor","description":"A helper for protactor and gulp","url":null,"keywords":"gulpfriendly protactor","version":"0.0.11","words":"gulp-protractor a helper for protactor and gulp =steffen gulpfriendly protactor","author":"=steffen","date":"2014-07-01 "},{"name":"gulp-protractor-qa","description":"Gulp Protractor QA warns you on the fly whether all element() selectors could be found or not within your AngularJS view files.","url":null,"keywords":"gulpplugin protractor webdriver e2e tests angularjs","version":"0.1.17","words":"gulp-protractor-qa gulp protractor qa warns you on the fly whether all element() selectors could be found or not within your angularjs view files. =ramonvictor gulpplugin protractor webdriver e2e tests angularjs","author":"=ramonvictor","date":"2014-04-24 "},{"name":"gulp-prune-html","description":"Prune HTML based on CSS selectors","url":null,"keywords":"html prune gulpplugin","version":"0.0.1","words":"gulp-prune-html prune html based on css selectors =hemanth html prune gulpplugin","author":"=hemanth","date":"2014-01-05 "},{"name":"gulp-pseudo-i18n","description":"Gulp plugin to generate pseudo translation from GNU gettext POT files","url":null,"keywords":"gulpplugin gettext pseudo i18n","version":"0.1.1","words":"gulp-pseudo-i18n gulp plugin to generate pseudo translation from gnu gettext pot files =wp7pass gulpplugin gettext pseudo i18n","author":"=wp7pass","date":"2014-09-17 "},{"name":"gulp-pseudoconcat-js","description":"Transform javascript files into