cruds = (connectionString) ->
    mongodb = require "mongodb"
    express = require "express"CRUDS aims to provide a fast and easy way to create and expose mongodb collections for crud functionality through a RESTful interface and websockets. It also provides subscribe unsubscribe methods for real-time applications.
CRUDS depends on express and socket.io to create the REST and Websocket endpoints. The REST is fully compatible with backbone.js models. All code is released under the MIT license and can be found on github
Install with npm npm install cruds
In your express app cruds = require("cruds")(<optional mongodb connection string>)
Set endpoints with cruds.set(name, app?, socketio?)
The 'cruds.set' function will create a socket.io namespace for the passed in name and a REST interface under '/name' of which both are optional.
cruds = (connectionString) ->
    mongodb = require "mongodb"
    express = require "express"_connect(callback) is a helper funtion to connect to mongodb and to cache the connection. Multiple calls to connect will in this way not produce more connections then one call to connect. The callback function will receive the mongo database instance object.
    _mdb = null
    _connect = (callback) ->
        if _mdb
            callback _mdb
            return
        connectionString = "mongodb://localhost:27017/Entity" if not connectionString
        mongodb.MongoClient.connect connectionString,  { native_parser: true, auto_reconnect: true }, (err, db) =>
            if !err
                _mdb = db
                callback _mdb
    class EntityCreate an Entity by passing it a name. The RESTful endpoints will be created at '/#{@name}' and the socket.io namespace will also use the passed in name for the created entity.
        constructor: (@name) ->Handle module internal events with on and trigger.
        listeners: {}
        on: (eventType, callback) ->
            if @listeners[eventType]
                @listeners[eventType].push callback
            else
                @listeners[eventType] = [callback]
        trigger: (eventType, args...) ->
            list = @listeners[eventType]
            if list
                args.unshift eventType
                for listener in list
                    listener args...exists(query, callback) is a helper function to check if any results exists with the given query. The callback will be called with true if it exists and with false otherwise.
        exists: (query, callback) ->
            _connect (mdb) =>
                mdb.collection @name, (err, col) ->
                    td = col.find(query, {_id: 1}).limit 1
                    td.count true, (err, count) ->
                        callback count is 1The CRUDS module exposes functions to do simple crud calls to mongodb collections.
The create function takes the following arguments
        create: (doc, args...) ->
            callback = args.pop() or () ->
            source = if args.length then args.shift() else null
            _connect (mdb) =>
                mdb.collection @name, (err, col) =>
                    if !err
                        cb = (err, results) =>
                            callback err, results, source
                            @trigger 'create', results, source
                        col.insert doc, cb
                    else
                        callback err, colThe update function will update the queried document with the key value pairs that is given leaving all non mentioned key value pairs untouched.
        update: (id, doc, args...) ->
            callback = args.pop() or () ->
            source = if args.length then args.shift() else null
            _connect (mdb) =>
                mdb.collection @name, (err, col) =>
                    if !err
                        delete doc._id
                        oid = new mongodb.ObjectID(id)
                        col.update {"_id": oid}, {$set: doc}, (err, count) =>
                            if count is 0
                                callback {'error': 404}
                            else
                                doc._id = oid
                                callback err, doc, source
                                @trigger 'update', [doc], source
                    else
                        callback err, colThere are two functions to query entities. One takes and arbitrary mongodb json formated query get and the other returns one document according to its id getById.
The get function accepts following arguments:
        get: (query, options, callback) ->
            _connect (mdb) =>
                mdb.collection @name, (err, col) ->
                    if !err
                        col.find query, options or {}, (err, cursor) ->
                            if !err
                                cursor.toArray (err, items) ->
                                    callback err, items
                            else
                                callback err, cursor
                    else
                        callback err, colThe getById function returns one item from mongodb and it accepts the following arguments:
        getById: (id, callback) ->
            _connect (mdb) =>
                mdb.collection @name, (err, col) ->
                    if !err
                        col.findOne {"_id": new mongodb.ObjectID(id)}, (err, item) ->
                            if !item
                                callback err, {}
                            else
                                callback err, item
                    else
                        callback err, colThe del function deletes one entity at the time
        del: (id, callback) ->
            if not callback
                callback = () ->
            _connect (mdb) =>
                mdb.collection @name, (err, col) =>
                    if !err
                        @trigger 'delete', {"_id": id}
                        col.remove {"_id": new mongodb.ObjectID(id)}, (err) ->
                            callback err
                    else
                        callback err, colThe setApp method sets up a RESTful interface for the passed express application.
        setApp: (@app) ->
            app = express()All messages from and to the RESTful interface are in JSON format and are parsed with the bodyParser middleware.
            app.use express.bodyParser()The url parameters are parsed with the help of the parseQuery function.
The URI request takes the following parameters
            parseQuery = (requestParam) ->
                query = {} #default
                options = {} #default
                query = JSON.parse requestParam.query if requestParam.query
                options = JSON.parse requestParam.options if requestParam.options
                {query: query, options: options}Query items by sending query parameters as defined above to the root "/" of the REST interface.
            app.get '/', (req, res) =>
                q = parseQuery req.query
                @get q.query, q.options, (err, items) ->
                    if err
                        res.send 400, "something went wrong"
                    else
                        res.send itemsGet a single item by sending a GET request to the items url "/:id"
            app.get '/:id', (req, res) =>
                @getById req.param('id'), (err, item) ->
                    if !err
                        res.send item
                    else
                        res.send 400, 'Something went wrong!'Post to "/" to create a entity. The POST will return the id of the newly created entity.
            app.post '/', (req, res) =>
                @create req.body, (err, results) ->
                    if !err
                        res.json 201, {_id: results[0]._id}
                    else 
                        res.json 400, {error: 'Creating the document did not work!'}            app.del '/:id', (req, res) =>
                @del req.param('id'), (err) ->
                    if !err
                        res.send {}
                    else
                        res.send 400, "Something went wrong!"            app.put '/:id', (req, res) =>
                @update req.param('id'), req.body, (err, doc) =>
                    if !err
                        res.json 200, null
                    else 
                        res.json 404, 'Something went wrong!'
            @app.use "/#{@name}", app
        setSocketio: (socketio) ->
            namespace = "/#{@name}"Socket.io rooms are used to handle subscriptions to queries. The handler function handles create and update events.
            handler = (eventType, results, source) =>
                rooms = socketio.sockets.manager.rooms
                for roomid, sockets of rooms
                    spl = roomid.split("/")
                    if spl.length < 3
                        continue
                    query = spl[spl.length - 1]
                    q = JSON.parse query
                    q._id = results[0]._id
                    ((eventType, query, item, instance, socket) ->
                        instance.exists q, (bool) ->
                            if bool
                                socket.broadcast
                                    .to(query)
                                    .emit eventType, item
                    )(eventType, query, results[0], @, source)
            @on 'create', handler
            @on 'update', handler
            socketio
                .of(namespace)
                .on 'connection', (socket) =>Create documents by sending 'create' message together with a JSON object. The emit will get a response with the id of the newly created entity or an error.
                    socket.on 'create', (data) =>
                        @create data, socket, (err, results) ->
                            if !err
                                socket.emit 'create', {_id: results[0]._id}
                            else 
                                socket.emit 'create', {'error': 400}Update a document by sending a 'update' message with an object including a '_id' and the key values to be updated.
                    socket.on 'update', (data) =>
                        id = data._id
                        if not id
                            socket.emit {'error': 400}
                        else
                            @update id, data, socket, (err, count) =>
                                if err
                                    socket.emit 'update', errQuery documents by sending an object with query and options key value pairs.
                    socket.on 'get', (data) =>
                        if data.query and data.query._id
                            data.query._id = new mongodb.ObjectID(data.query._id)
                        @get data.query or {}, data.options or {}, (err, items) ->
                            socket.emit 'get', items                    socket.on 'delete', (data) =>
                        @del data._idSubscribing to entities is done by passing a mongodb query. The socket will get notifications of events that are returned by the query. The subscription also handles sending notifications about creation of new documents that fit the query.
                    socket.on 'subscribe', (query) ->
                        socket.join JSON.stringify queryThe unsubscribe works the same way as the subscribe and will unsubscribe from all documents that fit the query object.
                    socket.on 'unsubscribe', (query) ->
                        socket.leave JSON.stringify queryTo get a list of all rooms currently subscribed to the client can send a getrooms message.
                    socket.on 'rooms', ->
                        rooms = socketio.sockets.manager.roomClients[socket.id]
                        socket.emit 'rooms', roomsThe disconnect event cleans up the mess.
                    socket.on 'disconnect', ->
                        socket.removeAllListeners()To be able to set up both a RESTful interface and a websocket interface the set method can be used.
    set = (name, app, socketio) ->Create the Entity instance that handles the transactions.
        entity = new Entity(name)If the app is passed as null or undefined a REST interface will not be setup.
        if app
            entity.setApp appSet up the websocket interface and provide the same REST methods get, create, update, delete, subscribe and unsubscribe.
        if socketio
            entity.setSocketio socketio    set: set
    Entity: Entity
module.exports = crudsThe MIT License (MIT)
Copyright (c) 2013 Kristoffer Snabb
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.