You can not select more than 25 topics
			Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
		
		
		
		
		
			
		
			
				
					
					
						
							9802 lines
						
					
					
						
							288 KiB
						
					
					
				
			
		
		
	
	
							9802 lines
						
					
					
						
							288 KiB
						
					
					
				(function(e){if("function"==typeof bootstrap)bootstrap("simplewebrtc",e);else if("object"==typeof exports)module.exports=e();else if("function"==typeof define&&define.amd)define(e);else if("undefined"!=typeof ses){if(!ses.ok())return;ses.makeSimpleWebRTC=e}else"undefined"!=typeof window?window.SimpleWebRTC=e():global.SimpleWebRTC=e()})(function(){var define,ses,bootstrap,module,exports;
 | 
						|
return (function(e,t,n){function i(n,s){if(!t[n]){if(!e[n]){var o=typeof require=="function"&&require;if(!s&&o)return o(n,!0);if(r)return r(n,!0);throw new Error("Cannot find module '"+n+"'")}var u=t[n]={exports:{}};e[n][0].call(u.exports,function(t){var r=e[n][1][t];return i(r?r:t)},u,u.exports)}return t[n].exports}var r=typeof require=="function"&&require;for(var s=0;s<n.length;s++)i(n[s]);return i})({1:[function(require,module,exports){
 | 
						|
var WebRTC = require('webrtc');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var webrtcSupport = require('webrtcsupport');
 | 
						|
var attachMediaStream = require('attachmediastream');
 | 
						|
var mockconsole = require('mockconsole');
 | 
						|
var SocketIoConnection = require('./socketioconnection');
 | 
						|
 | 
						|
function SimpleWebRTC(opts) {
 | 
						|
    var self = this;
 | 
						|
    var options = opts || {};
 | 
						|
    var config = this.config = {
 | 
						|
            url: 'https://signaling.simplewebrtc.com:443/',
 | 
						|
            socketio: {/* 'force new connection':true*/},
 | 
						|
            connection: null,
 | 
						|
            debug: false,
 | 
						|
            localVideoEl: '',
 | 
						|
            remoteVideosEl: '',
 | 
						|
            enableDataChannels: true,
 | 
						|
            autoRequestMedia: false,
 | 
						|
            autoRemoveVideos: true,
 | 
						|
            adjustPeerVolume: true,
 | 
						|
            peerVolumeWhenSpeaking: 0.25,
 | 
						|
            media: {
 | 
						|
                video: true,
 | 
						|
                audio: true
 | 
						|
            },
 | 
						|
            receiveMedia: { // FIXME: remove old chrome <= 37 constraints format
 | 
						|
                mandatory: {
 | 
						|
                    OfferToReceiveAudio: true,
 | 
						|
                    OfferToReceiveVideo: true
 | 
						|
                }
 | 
						|
            },
 | 
						|
            localVideo: {
 | 
						|
                autoplay: true,
 | 
						|
                mirror: true,
 | 
						|
                muted: true
 | 
						|
            }
 | 
						|
        };
 | 
						|
    var item, connection;
 | 
						|
 | 
						|
    // We also allow a 'logger' option. It can be any object that implements
 | 
						|
    // log, warn, and error methods.
 | 
						|
    // We log nothing by default, following "the rule of silence":
 | 
						|
    // http://www.linfo.org/rule_of_silence.html
 | 
						|
    this.logger = function () {
 | 
						|
        // we assume that if you're in debug mode and you didn't
 | 
						|
        // pass in a logger, you actually want to log as much as
 | 
						|
        // possible.
 | 
						|
        if (opts.debug) {
 | 
						|
            return opts.logger || console;
 | 
						|
        } else {
 | 
						|
        // or we'll use your logger which should have its own logic
 | 
						|
        // for output. Or we'll return the no-op.
 | 
						|
            return opts.logger || mockconsole;
 | 
						|
        }
 | 
						|
    }();
 | 
						|
 | 
						|
    // set our config from options
 | 
						|
    for (item in options) {
 | 
						|
        this.config[item] = options[item];
 | 
						|
    }
 | 
						|
 | 
						|
    // attach detected support for convenience
 | 
						|
    this.capabilities = webrtcSupport;
 | 
						|
 | 
						|
    // call WildEmitter constructor
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    // create default SocketIoConnection if it's not passed in
 | 
						|
    if (this.config.connection === null) {
 | 
						|
        connection = this.connection = new SocketIoConnection(this.config);
 | 
						|
    } else {
 | 
						|
        connection = this.connection = this.config.connection;
 | 
						|
    }
 | 
						|
 | 
						|
    connection.on('connect', function () {
 | 
						|
        self.emit('connectionReady', connection.getSessionid());
 | 
						|
        self.sessionReady = true;
 | 
						|
        self.testReadiness();
 | 
						|
    });
 | 
						|
 | 
						|
    connection.on('message', function (message) {
 | 
						|
        var peers = self.webrtc.getPeers(message.from, message.roomType);
 | 
						|
        var peer;
 | 
						|
 | 
						|
        if (message.type === 'offer') {
 | 
						|
            if (peers.length) {
 | 
						|
                peers.forEach(function (p) {
 | 
						|
                    if (p.sid == message.sid) peer = p;
 | 
						|
                });
 | 
						|
                //if (!peer) peer = peers[0]; // fallback for old protocol versions
 | 
						|
            }
 | 
						|
            if (!peer) {
 | 
						|
                peer = self.webrtc.createPeer({
 | 
						|
                    id: message.from,
 | 
						|
                    sid: message.sid,
 | 
						|
                    type: message.roomType,
 | 
						|
                    enableDataChannels: self.config.enableDataChannels && message.roomType !== 'screen',
 | 
						|
                    sharemyscreen: message.roomType === 'screen' && !message.broadcaster,
 | 
						|
                    broadcaster: message.roomType === 'screen' && !message.broadcaster ? self.connection.getSessionid() : null
 | 
						|
                });
 | 
						|
                self.emit('createdPeer', peer);
 | 
						|
            }
 | 
						|
            peer.handleMessage(message);
 | 
						|
        } else if (peers.length) {
 | 
						|
            peers.forEach(function (peer) {
 | 
						|
                if (message.sid) {
 | 
						|
                    if (peer.sid === message.sid) {
 | 
						|
                        peer.handleMessage(message);
 | 
						|
                    }
 | 
						|
                } else {
 | 
						|
                    peer.handleMessage(message);
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    connection.on('remove', function (room) {
 | 
						|
        if (room.id !== self.connection.getSessionid()) {
 | 
						|
            self.webrtc.removePeers(room.id, room.type);
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    // instantiate our main WebRTC helper
 | 
						|
    // using same logger from logic here
 | 
						|
    opts.logger = this.logger;
 | 
						|
    opts.debug = false;
 | 
						|
    this.webrtc = new WebRTC(opts);
 | 
						|
 | 
						|
    // attach a few methods from underlying lib to simple.
 | 
						|
    ['mute', 'unmute', 'pauseVideo', 'resumeVideo', 'pause', 'resume', 'sendToAll', 'sendDirectlyToAll'].forEach(function (method) {
 | 
						|
        self[method] = self.webrtc[method].bind(self.webrtc);
 | 
						|
    });
 | 
						|
 | 
						|
    // proxy events from WebRTC
 | 
						|
    this.webrtc.on('*', function () {
 | 
						|
        self.emit.apply(self, arguments);
 | 
						|
    });
 | 
						|
 | 
						|
    // log all events in debug mode
 | 
						|
    if (config.debug) {
 | 
						|
        this.on('*', this.logger.log.bind(this.logger, 'SimpleWebRTC event:'));
 | 
						|
    }
 | 
						|
 | 
						|
    // check for readiness
 | 
						|
    this.webrtc.on('localStream', function () {
 | 
						|
        self.testReadiness();
 | 
						|
    });
 | 
						|
 | 
						|
    this.webrtc.on('message', function (payload) {
 | 
						|
        self.connection.emit('message', payload);
 | 
						|
    });
 | 
						|
 | 
						|
    this.webrtc.on('peerStreamAdded', this.handlePeerStreamAdded.bind(this));
 | 
						|
    this.webrtc.on('peerStreamRemoved', this.handlePeerStreamRemoved.bind(this));
 | 
						|
 | 
						|
    // echo cancellation attempts
 | 
						|
    if (this.config.adjustPeerVolume) {
 | 
						|
        this.webrtc.on('speaking', this.setVolumeForAll.bind(this, this.config.peerVolumeWhenSpeaking));
 | 
						|
        this.webrtc.on('stoppedSpeaking', this.setVolumeForAll.bind(this, 1));
 | 
						|
    }
 | 
						|
 | 
						|
    connection.on('stunservers', function (args) {
 | 
						|
        // resets/overrides the config
 | 
						|
        self.webrtc.config.peerConnectionConfig.iceServers = args;
 | 
						|
        self.emit('stunservers', args);
 | 
						|
    });
 | 
						|
    connection.on('turnservers', function (args) {
 | 
						|
        // appends to the config
 | 
						|
        self.webrtc.config.peerConnectionConfig.iceServers = self.webrtc.config.peerConnectionConfig.iceServers.concat(args);
 | 
						|
        self.emit('turnservers', args);
 | 
						|
    });
 | 
						|
 | 
						|
    this.webrtc.on('iceFailed', function (peer) {
 | 
						|
        // local ice failure
 | 
						|
    });
 | 
						|
    this.webrtc.on('connectivityError', function (peer) {
 | 
						|
        // remote ice failure
 | 
						|
    });
 | 
						|
 | 
						|
 | 
						|
    // sending mute/unmute to all peers
 | 
						|
    this.webrtc.on('audioOn', function () {
 | 
						|
        self.webrtc.sendToAll('unmute', {name: 'audio'});
 | 
						|
    });
 | 
						|
    this.webrtc.on('audioOff', function () {
 | 
						|
        self.webrtc.sendToAll('mute', {name: 'audio'});
 | 
						|
    });
 | 
						|
    this.webrtc.on('videoOn', function () {
 | 
						|
        self.webrtc.sendToAll('unmute', {name: 'video'});
 | 
						|
    });
 | 
						|
    this.webrtc.on('videoOff', function () {
 | 
						|
        self.webrtc.sendToAll('mute', {name: 'video'});
 | 
						|
    });
 | 
						|
 | 
						|
    // screensharing events
 | 
						|
    this.webrtc.on('localScreen', function (stream) {
 | 
						|
        var item,
 | 
						|
            el = document.createElement('video'),
 | 
						|
            container = self.getRemoteVideoContainer();
 | 
						|
 | 
						|
        el.oncontextmenu = function () { return false; };
 | 
						|
        el.id = 'localScreen';
 | 
						|
        attachMediaStream(stream, el);
 | 
						|
        if (container) {
 | 
						|
            container.appendChild(el);
 | 
						|
        }
 | 
						|
 | 
						|
        self.emit('localScreenAdded', el);
 | 
						|
        self.connection.emit('shareScreen');
 | 
						|
 | 
						|
        self.webrtc.peers.forEach(function (existingPeer) {
 | 
						|
            var peer;
 | 
						|
            if (existingPeer.type === 'video') {
 | 
						|
                peer = self.webrtc.createPeer({
 | 
						|
                    id: existingPeer.id,
 | 
						|
                    type: 'screen',
 | 
						|
                    sharemyscreen: true,
 | 
						|
                    enableDataChannels: false,
 | 
						|
                    receiveMedia: {
 | 
						|
                        mandatory: {
 | 
						|
                            OfferToReceiveAudio: false,
 | 
						|
                            OfferToReceiveVideo: false
 | 
						|
                        }
 | 
						|
                    },
 | 
						|
                    broadcaster: self.connection.getSessionid(),
 | 
						|
                });
 | 
						|
                self.emit('createdPeer', peer);
 | 
						|
                peer.start();
 | 
						|
            }
 | 
						|
        });
 | 
						|
    });
 | 
						|
    this.webrtc.on('localScreenStopped', function (stream) {
 | 
						|
        self.stopScreenShare();
 | 
						|
        /*
 | 
						|
        self.connection.emit('unshareScreen');
 | 
						|
        self.webrtc.peers.forEach(function (peer) {
 | 
						|
            if (peer.sharemyscreen) {
 | 
						|
                peer.end();
 | 
						|
            }
 | 
						|
        });
 | 
						|
        */
 | 
						|
    });
 | 
						|
 | 
						|
    this.webrtc.on('channelMessage', function (peer, label, data) {
 | 
						|
        if (data.type == 'volume') {
 | 
						|
            self.emit('remoteVolumeChange', peer, data.volume);
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    if (this.config.autoRequestMedia) this.startLocalVideo();
 | 
						|
}
 | 
						|
 | 
						|
 | 
						|
SimpleWebRTC.prototype = Object.create(WildEmitter.prototype, {
 | 
						|
    constructor: {
 | 
						|
        value: SimpleWebRTC
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
SimpleWebRTC.prototype.leaveRoom = function () {
 | 
						|
    if (this.roomName) {
 | 
						|
        this.connection.emit('leave');
 | 
						|
        this.webrtc.peers.forEach(function (peer) {
 | 
						|
            peer.end();
 | 
						|
        });
 | 
						|
        if (this.getLocalScreen()) {
 | 
						|
            this.stopScreenShare();
 | 
						|
        }
 | 
						|
        this.emit('leftRoom', this.roomName);
 | 
						|
        this.roomName = undefined;
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.disconnect = function () {
 | 
						|
    this.connection.disconnect();
 | 
						|
    delete this.connection;
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.handlePeerStreamAdded = function (peer) {
 | 
						|
    var self = this;
 | 
						|
    var container = this.getRemoteVideoContainer();
 | 
						|
    var video = attachMediaStream(peer.stream);
 | 
						|
 | 
						|
    // store video element as part of peer for easy removal
 | 
						|
    peer.videoEl = video;
 | 
						|
    video.id = this.getDomId(peer);
 | 
						|
 | 
						|
    if (container) container.appendChild(video);
 | 
						|
 | 
						|
    this.emit('videoAdded', video, peer);
 | 
						|
 | 
						|
    // send our mute status to new peer if we're muted
 | 
						|
    // currently called with a small delay because it arrives before
 | 
						|
    // the video element is created otherwise (which happens after
 | 
						|
    // the async setRemoteDescription-createAnswer)
 | 
						|
    window.setTimeout(function () {
 | 
						|
        if (!self.webrtc.isAudioEnabled()) {
 | 
						|
            peer.send('mute', {name: 'audio'});
 | 
						|
        }
 | 
						|
        if (!self.webrtc.isVideoEnabled()) {
 | 
						|
            peer.send('mute', {name: 'video'});
 | 
						|
        }
 | 
						|
    }, 250);
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.handlePeerStreamRemoved = function (peer) {
 | 
						|
    var container = this.getRemoteVideoContainer();
 | 
						|
    var videoEl = peer.videoEl;
 | 
						|
    if (this.config.autoRemoveVideos && container && videoEl) {
 | 
						|
        container.removeChild(videoEl);
 | 
						|
    }
 | 
						|
    if (videoEl) this.emit('videoRemoved', videoEl, peer);
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.getDomId = function (peer) {
 | 
						|
    return [peer.id, peer.type, peer.broadcaster ? 'broadcasting' : 'incoming'].join('_');
 | 
						|
};
 | 
						|
 | 
						|
// set volume on video tag for all peers takse a value between 0 and 1
 | 
						|
SimpleWebRTC.prototype.setVolumeForAll = function (volume) {
 | 
						|
    this.webrtc.peers.forEach(function (peer) {
 | 
						|
        if (peer.videoEl) peer.videoEl.volume = volume;
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.joinRoom = function (name, cb) {
 | 
						|
    var self = this;
 | 
						|
    this.roomName = name;
 | 
						|
    this.connection.emit('join', name, function (err, roomDescription) {
 | 
						|
        if (err) {
 | 
						|
            self.emit('error', err);
 | 
						|
        } else {
 | 
						|
            var id,
 | 
						|
                client,
 | 
						|
                type,
 | 
						|
                peer;
 | 
						|
            for (id in roomDescription.clients) {
 | 
						|
                client = roomDescription.clients[id];
 | 
						|
                for (type in client) {
 | 
						|
                    if (client[type]) {
 | 
						|
                        peer = self.webrtc.createPeer({
 | 
						|
                            id: id,
 | 
						|
                            type: type,
 | 
						|
                            enableDataChannels: self.config.enableDataChannels && type !== 'screen',
 | 
						|
                            receiveMedia: {
 | 
						|
                                mandatory: {
 | 
						|
                                    OfferToReceiveAudio: type !== 'screen' && self.config.receiveMedia.mandatory.OfferToReceiveAudio,
 | 
						|
                                    OfferToReceiveVideo: self.config.receiveMedia.mandatory.OfferToReceiveVideo
 | 
						|
                                }
 | 
						|
                            }
 | 
						|
                        });
 | 
						|
                        self.emit('createdPeer', peer);
 | 
						|
                        peer.start();
 | 
						|
                    }
 | 
						|
                }
 | 
						|
            }
 | 
						|
        }
 | 
						|
 | 
						|
        if (cb) cb(err, roomDescription);
 | 
						|
        self.emit('joinedRoom', name);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.getEl = function (idOrEl) {
 | 
						|
    if (typeof idOrEl === 'string') {
 | 
						|
        return document.getElementById(idOrEl);
 | 
						|
    } else {
 | 
						|
        return idOrEl;
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.startLocalVideo = function () {
 | 
						|
    var self = this;
 | 
						|
    this.webrtc.startLocalMedia(this.config.media, function (err, stream) {
 | 
						|
        if (err) {
 | 
						|
            self.emit('localMediaError', err);
 | 
						|
        } else {
 | 
						|
            attachMediaStream(stream, self.getLocalVideoContainer(), self.config.localVideo);
 | 
						|
        }
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.stopLocalVideo = function () {
 | 
						|
    this.webrtc.stopLocalMedia();
 | 
						|
};
 | 
						|
 | 
						|
// this accepts either element ID or element
 | 
						|
// and either the video tag itself or a container
 | 
						|
// that will be used to put the video tag into.
 | 
						|
SimpleWebRTC.prototype.getLocalVideoContainer = function () {
 | 
						|
    var el = this.getEl(this.config.localVideoEl);
 | 
						|
    if (el && el.tagName === 'VIDEO') {
 | 
						|
        el.oncontextmenu = function () { return false; };
 | 
						|
        return el;
 | 
						|
    } else if (el) {
 | 
						|
        var video = document.createElement('video');
 | 
						|
        video.oncontextmenu = function () { return false; };
 | 
						|
        el.appendChild(video);
 | 
						|
        return video;
 | 
						|
    } else {
 | 
						|
        return;
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.getRemoteVideoContainer = function () {
 | 
						|
    return this.getEl(this.config.remoteVideosEl);
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.shareScreen = function (cb) {
 | 
						|
    this.webrtc.startScreenShare(cb);
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.getLocalScreen = function () {
 | 
						|
    return this.webrtc.localScreen;
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.stopScreenShare = function () {
 | 
						|
    this.connection.emit('unshareScreen');
 | 
						|
    var videoEl = document.getElementById('localScreen');
 | 
						|
    var container = this.getRemoteVideoContainer();
 | 
						|
    var stream = this.getLocalScreen();
 | 
						|
 | 
						|
    if (this.config.autoRemoveVideos && container && videoEl) {
 | 
						|
        container.removeChild(videoEl);
 | 
						|
    }
 | 
						|
 | 
						|
    // a hack to emit the event the removes the video
 | 
						|
    // element that we want
 | 
						|
    if (videoEl) this.emit('videoRemoved', videoEl);
 | 
						|
    if (stream) stream.stop();
 | 
						|
    this.webrtc.peers.forEach(function (peer) {
 | 
						|
        if (peer.broadcaster) {
 | 
						|
            peer.end();
 | 
						|
        }
 | 
						|
    });
 | 
						|
    //delete this.webrtc.localScreen;
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.testReadiness = function () {
 | 
						|
    var self = this;
 | 
						|
    if (this.webrtc.localStream && this.sessionReady) {
 | 
						|
        self.emit('readyToCall', self.connection.getSessionid());
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.createRoom = function (name, cb) {
 | 
						|
    if (arguments.length === 2) {
 | 
						|
        this.connection.emit('create', name, cb);
 | 
						|
    } else {
 | 
						|
        this.connection.emit('create', name);
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
SimpleWebRTC.prototype.sendFile = function () {
 | 
						|
    if (!webrtcSupport.dataChannel) {
 | 
						|
        return this.emit('error', new Error('DataChannelNotSupported'));
 | 
						|
    }
 | 
						|
 | 
						|
};
 | 
						|
 | 
						|
module.exports = SimpleWebRTC;
 | 
						|
 | 
						|
},{"./socketioconnection":2,"attachmediastream":6,"mockconsole":7,"webrtc":4,"webrtcsupport":5,"wildemitter":3}],3:[function(require,module,exports){
 | 
						|
/*
 | 
						|
WildEmitter.js is a slim little event emitter by @henrikjoreteg largely based 
 | 
						|
on @visionmedia's Emitter from UI Kit.
 | 
						|
 | 
						|
Why? I wanted it standalone.
 | 
						|
 | 
						|
I also wanted support for wildcard emitters like this:
 | 
						|
 | 
						|
emitter.on('*', function (eventName, other, event, payloads) {
 | 
						|
    
 | 
						|
});
 | 
						|
 | 
						|
emitter.on('somenamespace*', function (eventName, payloads) {
 | 
						|
    
 | 
						|
});
 | 
						|
 | 
						|
Please note that callbacks triggered by wildcard registered events also get 
 | 
						|
the event name as the first argument.
 | 
						|
*/
 | 
						|
module.exports = WildEmitter;
 | 
						|
 | 
						|
function WildEmitter() {
 | 
						|
    this.callbacks = {};
 | 
						|
}
 | 
						|
 | 
						|
// Listen on the given `event` with `fn`. Store a group name if present.
 | 
						|
WildEmitter.prototype.on = function (event, groupName, fn) {
 | 
						|
    var hasGroup = (arguments.length === 3),
 | 
						|
        group = hasGroup ? arguments[1] : undefined,
 | 
						|
        func = hasGroup ? arguments[2] : arguments[1];
 | 
						|
    func._groupName = group;
 | 
						|
    (this.callbacks[event] = this.callbacks[event] || []).push(func);
 | 
						|
    return this;
 | 
						|
};
 | 
						|
 | 
						|
// Adds an `event` listener that will be invoked a single
 | 
						|
// time then automatically removed.
 | 
						|
WildEmitter.prototype.once = function (event, groupName, fn) {
 | 
						|
    var self = this,
 | 
						|
        hasGroup = (arguments.length === 3),
 | 
						|
        group = hasGroup ? arguments[1] : undefined,
 | 
						|
        func = hasGroup ? arguments[2] : arguments[1];
 | 
						|
    function on() {
 | 
						|
        self.off(event, on);
 | 
						|
        func.apply(this, arguments);
 | 
						|
    }
 | 
						|
    this.on(event, group, on);
 | 
						|
    return this;
 | 
						|
};
 | 
						|
 | 
						|
// Unbinds an entire group
 | 
						|
WildEmitter.prototype.releaseGroup = function (groupName) {
 | 
						|
    var item, i, len, handlers;
 | 
						|
    for (item in this.callbacks) {
 | 
						|
        handlers = this.callbacks[item];
 | 
						|
        for (i = 0, len = handlers.length; i < len; i++) {
 | 
						|
            if (handlers[i]._groupName === groupName) {
 | 
						|
                //console.log('removing');
 | 
						|
                // remove it and shorten the array we're looping through
 | 
						|
                handlers.splice(i, 1);
 | 
						|
                i--;
 | 
						|
                len--;
 | 
						|
            }
 | 
						|
        }
 | 
						|
    }
 | 
						|
    return this;
 | 
						|
};
 | 
						|
 | 
						|
// Remove the given callback for `event` or all
 | 
						|
// registered callbacks.
 | 
						|
WildEmitter.prototype.off = function (event, fn) {
 | 
						|
    var callbacks = this.callbacks[event],
 | 
						|
        i;
 | 
						|
 | 
						|
    if (!callbacks) return this;
 | 
						|
 | 
						|
    // remove all handlers
 | 
						|
    if (arguments.length === 1) {
 | 
						|
        delete this.callbacks[event];
 | 
						|
        return this;
 | 
						|
    }
 | 
						|
 | 
						|
    // remove specific handler
 | 
						|
    i = callbacks.indexOf(fn);
 | 
						|
    callbacks.splice(i, 1);
 | 
						|
    return this;
 | 
						|
};
 | 
						|
 | 
						|
/// Emit `event` with the given args.
 | 
						|
// also calls any `*` handlers
 | 
						|
WildEmitter.prototype.emit = function (event) {
 | 
						|
    var args = [].slice.call(arguments, 1),
 | 
						|
        callbacks = this.callbacks[event],
 | 
						|
        specialCallbacks = this.getWildcardCallbacks(event),
 | 
						|
        i,
 | 
						|
        len,
 | 
						|
        item,
 | 
						|
        listeners;
 | 
						|
 | 
						|
    if (callbacks) {
 | 
						|
        listeners = callbacks.slice();
 | 
						|
        for (i = 0, len = listeners.length; i < len; ++i) {
 | 
						|
            if (listeners[i]) {
 | 
						|
                listeners[i].apply(this, args);
 | 
						|
            } else {
 | 
						|
                break;
 | 
						|
            }
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    if (specialCallbacks) {
 | 
						|
        len = specialCallbacks.length;
 | 
						|
        listeners = specialCallbacks.slice();
 | 
						|
        for (i = 0, len = listeners.length; i < len; ++i) {
 | 
						|
            if (listeners[i]) {
 | 
						|
                listeners[i].apply(this, [event].concat(args));
 | 
						|
            } else {
 | 
						|
                break;
 | 
						|
            }
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
};
 | 
						|
 | 
						|
// Helper for for finding special wildcard event handlers that match the event
 | 
						|
WildEmitter.prototype.getWildcardCallbacks = function (eventName) {
 | 
						|
    var item,
 | 
						|
        split,
 | 
						|
        result = [];
 | 
						|
 | 
						|
    for (item in this.callbacks) {
 | 
						|
        split = item.split('*');
 | 
						|
        if (item === '*' || (split.length === 2 && eventName.slice(0, split[0].length) === split[0])) {
 | 
						|
            result = result.concat(this.callbacks[item]);
 | 
						|
        }
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
};
 | 
						|
 | 
						|
},{}],5:[function(require,module,exports){
 | 
						|
// created by @HenrikJoreteg
 | 
						|
var prefix;
 | 
						|
 | 
						|
if (window.mozRTCPeerConnection || navigator.mozGetUserMedia) {
 | 
						|
    prefix = 'moz';
 | 
						|
} else if (window.webkitRTCPeerConnection || navigator.webkitGetUserMedia) {
 | 
						|
    prefix = 'webkit';
 | 
						|
}
 | 
						|
 | 
						|
var PC = window.mozRTCPeerConnection || window.webkitRTCPeerConnection;
 | 
						|
var IceCandidate = window.mozRTCIceCandidate || window.RTCIceCandidate;
 | 
						|
var SessionDescription = window.mozRTCSessionDescription || window.RTCSessionDescription;
 | 
						|
var MediaStream = window.webkitMediaStream || window.MediaStream;
 | 
						|
var screenSharing = window.location.protocol === 'https:' &&
 | 
						|
    ((window.navigator.userAgent.match('Chrome') && parseInt(window.navigator.userAgent.match(/Chrome\/(.*) /)[1], 10) >= 26) ||
 | 
						|
     (window.navigator.userAgent.match('Firefox') && parseInt(window.navigator.userAgent.match(/Firefox\/(.*)/)[1], 10) >= 33));
 | 
						|
var AudioContext = window.AudioContext || window.webkitAudioContext;
 | 
						|
var videoEl = document.createElement('video');
 | 
						|
var supportVp8 = videoEl && videoEl.canPlayType && videoEl.canPlayType('video/webm; codecs="vp8", vorbis') === "probably";
 | 
						|
var getUserMedia = navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.msGetUserMedia || navigator.mozGetUserMedia;
 | 
						|
 | 
						|
// export support flags and constructors.prototype && PC
 | 
						|
module.exports = {
 | 
						|
    prefix: prefix,
 | 
						|
    support: !!PC && supportVp8 && !!getUserMedia,
 | 
						|
    // new support style
 | 
						|
    supportRTCPeerConnection: !!PC,
 | 
						|
    supportVp8: supportVp8,
 | 
						|
    supportGetUserMedia: !!getUserMedia,
 | 
						|
    supportDataChannel: !!(PC && PC.prototype && PC.prototype.createDataChannel),
 | 
						|
    supportWebAudio: !!(AudioContext && AudioContext.prototype.createMediaStreamSource),
 | 
						|
    supportMediaStream: !!(MediaStream && MediaStream.prototype.removeTrack),
 | 
						|
    supportScreenSharing: !!screenSharing,
 | 
						|
    // old deprecated style. Dont use this anymore
 | 
						|
    dataChannel: !!(PC && PC.prototype && PC.prototype.createDataChannel),
 | 
						|
    webAudio: !!(AudioContext && AudioContext.prototype.createMediaStreamSource),
 | 
						|
    mediaStream: !!(MediaStream && MediaStream.prototype.removeTrack),
 | 
						|
    screenSharing: !!screenSharing,
 | 
						|
    // constructors
 | 
						|
    AudioContext: AudioContext,
 | 
						|
    PeerConnection: PC,
 | 
						|
    SessionDescription: SessionDescription,
 | 
						|
    IceCandidate: IceCandidate,
 | 
						|
    MediaStream: MediaStream,
 | 
						|
    getUserMedia: getUserMedia
 | 
						|
};
 | 
						|
 | 
						|
},{}],6:[function(require,module,exports){
 | 
						|
module.exports = function (stream, el, options) {
 | 
						|
    var URL = window.URL;
 | 
						|
    var opts = {
 | 
						|
        autoplay: true,
 | 
						|
        mirror: false,
 | 
						|
        muted: false
 | 
						|
    };
 | 
						|
    var element = el || document.createElement('video');
 | 
						|
    var item;
 | 
						|
 | 
						|
    if (options) {
 | 
						|
        for (item in options) {
 | 
						|
            opts[item] = options[item];
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    if (opts.autoplay) element.autoplay = 'autoplay';
 | 
						|
    if (opts.muted) element.muted = true;
 | 
						|
    if (opts.mirror) {
 | 
						|
        ['', 'moz', 'webkit', 'o', 'ms'].forEach(function (prefix) {
 | 
						|
            var styleName = prefix ? prefix + 'Transform' : 'transform';
 | 
						|
            element.style[styleName] = 'scaleX(-1)';
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    // this first one should work most everywhere now
 | 
						|
    // but we have a few fallbacks just in case.
 | 
						|
    if (URL && URL.createObjectURL) {
 | 
						|
        element.src = URL.createObjectURL(stream);
 | 
						|
    } else if (element.srcObject) {
 | 
						|
        element.srcObject = stream;
 | 
						|
    } else if (element.mozSrcObject) {
 | 
						|
        element.mozSrcObject = stream;
 | 
						|
    } else {
 | 
						|
        return false;
 | 
						|
    }
 | 
						|
 | 
						|
    return element;
 | 
						|
};
 | 
						|
 | 
						|
},{}],7:[function(require,module,exports){
 | 
						|
var methods = "assert,count,debug,dir,dirxml,error,exception,group,groupCollapsed,groupEnd,info,log,markTimeline,profile,profileEnd,time,timeEnd,trace,warn".split(",");
 | 
						|
var l = methods.length;
 | 
						|
var fn = function () {};
 | 
						|
var mockconsole = {};
 | 
						|
 | 
						|
while (l--) {
 | 
						|
    mockconsole[methods[l]] = fn;
 | 
						|
}
 | 
						|
 | 
						|
module.exports = mockconsole;
 | 
						|
 | 
						|
},{}],2:[function(require,module,exports){
 | 
						|
var io = require('socket.io-client');
 | 
						|
 | 
						|
function SocketIoConnection(config) {
 | 
						|
    this.connection = io.connect(config.url, config.socketio);
 | 
						|
}
 | 
						|
 | 
						|
SocketIoConnection.prototype.on = function (ev, fn) {
 | 
						|
    this.connection.on(ev, fn);
 | 
						|
};
 | 
						|
 | 
						|
SocketIoConnection.prototype.emit = function () {
 | 
						|
    this.connection.emit.apply(this.connection, arguments);
 | 
						|
};
 | 
						|
 | 
						|
SocketIoConnection.prototype.getSessionid = function () {
 | 
						|
    return this.connection.socket.sessionid;
 | 
						|
};
 | 
						|
 | 
						|
SocketIoConnection.prototype.disconnect = function () {
 | 
						|
    return this.connection.disconnect();
 | 
						|
};
 | 
						|
 | 
						|
module.exports = SocketIoConnection;
 | 
						|
 | 
						|
},{"socket.io-client":8}],8:[function(require,module,exports){
 | 
						|
/*! Socket.IO.js build:0.9.16, development. Copyright(c) 2011 LearnBoost <dev@learnboost.com> MIT Licensed */
 | 
						|
 | 
						|
var io = ('undefined' === typeof module ? {} : module.exports);
 | 
						|
(function() {
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * IO namespace.
 | 
						|
   *
 | 
						|
   * @namespace
 | 
						|
   */
 | 
						|
 | 
						|
  var io = exports;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Socket.IO version
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  io.version = '0.9.16';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Protocol implemented.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  io.protocol = 1;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Available transports, these will be populated with the available transports
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports = [];
 | 
						|
 | 
						|
  /**
 | 
						|
   * Keep track of jsonp callbacks.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.j = [];
 | 
						|
 | 
						|
  /**
 | 
						|
   * Keep track of our io.Sockets
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
  io.sockets = {};
 | 
						|
 | 
						|
 | 
						|
  /**
 | 
						|
   * Manages connections to hosts.
 | 
						|
   *
 | 
						|
   * @param {String} uri
 | 
						|
   * @Param {Boolean} force creation of new socket (defaults to false)
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  io.connect = function (host, details) {
 | 
						|
    var uri = io.util.parseUri(host)
 | 
						|
      , uuri
 | 
						|
      , socket;
 | 
						|
 | 
						|
    if (global && global.location) {
 | 
						|
      uri.protocol = uri.protocol || global.location.protocol.slice(0, -1);
 | 
						|
      uri.host = uri.host || (global.document
 | 
						|
        ? global.document.domain : global.location.hostname);
 | 
						|
      uri.port = uri.port || global.location.port;
 | 
						|
    }
 | 
						|
 | 
						|
    uuri = io.util.uniqueUri(uri);
 | 
						|
 | 
						|
    var options = {
 | 
						|
        host: uri.host
 | 
						|
      , secure: 'https' == uri.protocol
 | 
						|
      , port: uri.port || ('https' == uri.protocol ? 443 : 80)
 | 
						|
      , query: uri.query || ''
 | 
						|
    };
 | 
						|
 | 
						|
    io.util.merge(options, details);
 | 
						|
 | 
						|
    if (options['force new connection'] || !io.sockets[uuri]) {
 | 
						|
      socket = new io.Socket(options);
 | 
						|
    }
 | 
						|
 | 
						|
    if (!options['force new connection'] && socket) {
 | 
						|
      io.sockets[uuri] = socket;
 | 
						|
    }
 | 
						|
 | 
						|
    socket = socket || io.sockets[uuri];
 | 
						|
 | 
						|
    // if path is different from '' or /
 | 
						|
    return socket.of(uri.path.length > 1 ? uri.path : '');
 | 
						|
  };
 | 
						|
 | 
						|
})('object' === typeof module ? module.exports : (this.io = {}), this);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Utilities namespace.
 | 
						|
   *
 | 
						|
   * @namespace
 | 
						|
   */
 | 
						|
 | 
						|
  var util = exports.util = {};
 | 
						|
 | 
						|
  /**
 | 
						|
   * Parses an URI
 | 
						|
   *
 | 
						|
   * @author Steven Levithan <stevenlevithan.com> (MIT license)
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  var re = /^(?:(?![^:@]+:[^:@\/]*@)([^:\/?#.]+):)?(?:\/\/)?((?:(([^:@]*)(?::([^:@]*))?)?@)?([^:\/?#]*)(?::(\d*))?)(((\/(?:[^?#](?![^?#\/]*\.[^?#\/.]+(?:[?#]|$)))*\/?)?([^?#\/]*))(?:\?([^#]*))?(?:#(.*))?)/;
 | 
						|
 | 
						|
  var parts = ['source', 'protocol', 'authority', 'userInfo', 'user', 'password',
 | 
						|
               'host', 'port', 'relative', 'path', 'directory', 'file', 'query',
 | 
						|
               'anchor'];
 | 
						|
 | 
						|
  util.parseUri = function (str) {
 | 
						|
    var m = re.exec(str || '')
 | 
						|
      , uri = {}
 | 
						|
      , i = 14;
 | 
						|
 | 
						|
    while (i--) {
 | 
						|
      uri[parts[i]] = m[i] || '';
 | 
						|
    }
 | 
						|
 | 
						|
    return uri;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Produces a unique url that identifies a Socket.IO connection.
 | 
						|
   *
 | 
						|
   * @param {Object} uri
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.uniqueUri = function (uri) {
 | 
						|
    var protocol = uri.protocol
 | 
						|
      , host = uri.host
 | 
						|
      , port = uri.port;
 | 
						|
 | 
						|
    if ('document' in global) {
 | 
						|
      host = host || document.domain;
 | 
						|
      port = port || (protocol == 'https'
 | 
						|
        && document.location.protocol !== 'https:' ? 443 : document.location.port);
 | 
						|
    } else {
 | 
						|
      host = host || 'localhost';
 | 
						|
 | 
						|
      if (!port && protocol == 'https') {
 | 
						|
        port = 443;
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return (protocol || 'http') + '://' + host + ':' + (port || 80);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Mergest 2 query strings in to once unique query string
 | 
						|
   *
 | 
						|
   * @param {String} base
 | 
						|
   * @param {String} addition
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.query = function (base, addition) {
 | 
						|
    var query = util.chunkQuery(base || '')
 | 
						|
      , components = [];
 | 
						|
 | 
						|
    util.merge(query, util.chunkQuery(addition || ''));
 | 
						|
    for (var part in query) {
 | 
						|
      if (query.hasOwnProperty(part)) {
 | 
						|
        components.push(part + '=' + query[part]);
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return components.length ? '?' + components.join('&') : '';
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transforms a querystring in to an object
 | 
						|
   *
 | 
						|
   * @param {String} qs
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.chunkQuery = function (qs) {
 | 
						|
    var query = {}
 | 
						|
      , params = qs.split('&')
 | 
						|
      , i = 0
 | 
						|
      , l = params.length
 | 
						|
      , kv;
 | 
						|
 | 
						|
    for (; i < l; ++i) {
 | 
						|
      kv = params[i].split('=');
 | 
						|
      if (kv[0]) {
 | 
						|
        query[kv[0]] = kv[1];
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return query;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Executes the given function when the page is loaded.
 | 
						|
   *
 | 
						|
   *     io.util.load(function () { console.log('page loaded'); });
 | 
						|
   *
 | 
						|
   * @param {Function} fn
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  var pageLoaded = false;
 | 
						|
 | 
						|
  util.load = function (fn) {
 | 
						|
    if ('document' in global && document.readyState === 'complete' || pageLoaded) {
 | 
						|
      return fn();
 | 
						|
    }
 | 
						|
 | 
						|
    util.on(global, 'load', fn, false);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Adds an event.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  util.on = function (element, event, fn, capture) {
 | 
						|
    if (element.attachEvent) {
 | 
						|
      element.attachEvent('on' + event, fn);
 | 
						|
    } else if (element.addEventListener) {
 | 
						|
      element.addEventListener(event, fn, capture);
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Generates the correct `XMLHttpRequest` for regular and cross domain requests.
 | 
						|
   *
 | 
						|
   * @param {Boolean} [xdomain] Create a request that can be used cross domain.
 | 
						|
   * @returns {XMLHttpRequest|false} If we can create a XMLHttpRequest.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  util.request = function (xdomain) {
 | 
						|
 | 
						|
    if (xdomain && 'undefined' != typeof XDomainRequest && !util.ua.hasCORS) {
 | 
						|
      return new XDomainRequest();
 | 
						|
    }
 | 
						|
 | 
						|
    if ('undefined' != typeof XMLHttpRequest && (!xdomain || util.ua.hasCORS)) {
 | 
						|
      return new XMLHttpRequest();
 | 
						|
    }
 | 
						|
 | 
						|
    if (!xdomain) {
 | 
						|
      try {
 | 
						|
        return new window[(['Active'].concat('Object').join('X'))]('Microsoft.XMLHTTP');
 | 
						|
      } catch(e) { }
 | 
						|
    }
 | 
						|
 | 
						|
    return null;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * XHR based transport constructor.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  /**
 | 
						|
   * Change the internal pageLoaded value.
 | 
						|
   */
 | 
						|
 | 
						|
  if ('undefined' != typeof window) {
 | 
						|
    util.load(function () {
 | 
						|
      pageLoaded = true;
 | 
						|
    });
 | 
						|
  }
 | 
						|
 | 
						|
  /**
 | 
						|
   * Defers a function to ensure a spinner is not displayed by the browser
 | 
						|
   *
 | 
						|
   * @param {Function} fn
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.defer = function (fn) {
 | 
						|
    if (!util.ua.webkit || 'undefined' != typeof importScripts) {
 | 
						|
      return fn();
 | 
						|
    }
 | 
						|
 | 
						|
    util.load(function () {
 | 
						|
      setTimeout(fn, 100);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Merges two objects.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.merge = function merge (target, additional, deep, lastseen) {
 | 
						|
    var seen = lastseen || []
 | 
						|
      , depth = typeof deep == 'undefined' ? 2 : deep
 | 
						|
      , prop;
 | 
						|
 | 
						|
    for (prop in additional) {
 | 
						|
      if (additional.hasOwnProperty(prop) && util.indexOf(seen, prop) < 0) {
 | 
						|
        if (typeof target[prop] !== 'object' || !depth) {
 | 
						|
          target[prop] = additional[prop];
 | 
						|
          seen.push(additional[prop]);
 | 
						|
        } else {
 | 
						|
          util.merge(target[prop], additional[prop], depth - 1, seen);
 | 
						|
        }
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return target;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Merges prototypes from objects
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.mixin = function (ctor, ctor2) {
 | 
						|
    util.merge(ctor.prototype, ctor2.prototype);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Shortcut for prototypical and static inheritance.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  util.inherit = function (ctor, ctor2) {
 | 
						|
    function f() {};
 | 
						|
    f.prototype = ctor2.prototype;
 | 
						|
    ctor.prototype = new f;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Checks if the given object is an Array.
 | 
						|
   *
 | 
						|
   *     io.util.isArray([]); // true
 | 
						|
   *     io.util.isArray({}); // false
 | 
						|
   *
 | 
						|
   * @param Object obj
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.isArray = Array.isArray || function (obj) {
 | 
						|
    return Object.prototype.toString.call(obj) === '[object Array]';
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Intersects values of two arrays into a third
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.intersect = function (arr, arr2) {
 | 
						|
    var ret = []
 | 
						|
      , longest = arr.length > arr2.length ? arr : arr2
 | 
						|
      , shortest = arr.length > arr2.length ? arr2 : arr;
 | 
						|
 | 
						|
    for (var i = 0, l = shortest.length; i < l; i++) {
 | 
						|
      if (~util.indexOf(longest, shortest[i]))
 | 
						|
        ret.push(shortest[i]);
 | 
						|
    }
 | 
						|
 | 
						|
    return ret;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Array indexOf compatibility.
 | 
						|
   *
 | 
						|
   * @see bit.ly/a5Dxa2
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.indexOf = function (arr, o, i) {
 | 
						|
 | 
						|
    for (var j = arr.length, i = i < 0 ? i + j < 0 ? 0 : i + j : i || 0;
 | 
						|
         i < j && arr[i] !== o; i++) {}
 | 
						|
 | 
						|
    return j <= i ? -1 : i;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Converts enumerables to array.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.toArray = function (enu) {
 | 
						|
    var arr = [];
 | 
						|
 | 
						|
    for (var i = 0, l = enu.length; i < l; i++)
 | 
						|
      arr.push(enu[i]);
 | 
						|
 | 
						|
    return arr;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * UA / engines detection namespace.
 | 
						|
   *
 | 
						|
   * @namespace
 | 
						|
   */
 | 
						|
 | 
						|
  util.ua = {};
 | 
						|
 | 
						|
  /**
 | 
						|
   * Whether the UA supports CORS for XHR.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.ua.hasCORS = 'undefined' != typeof XMLHttpRequest && (function () {
 | 
						|
    try {
 | 
						|
      var a = new XMLHttpRequest();
 | 
						|
    } catch (e) {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
 | 
						|
    return a.withCredentials != undefined;
 | 
						|
  })();
 | 
						|
 | 
						|
  /**
 | 
						|
   * Detect webkit.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.ua.webkit = 'undefined' != typeof navigator
 | 
						|
    && /webkit/i.test(navigator.userAgent);
 | 
						|
 | 
						|
   /**
 | 
						|
   * Detect iPad/iPhone/iPod.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  util.ua.iDevice = 'undefined' != typeof navigator
 | 
						|
      && /iPad|iPhone|iPod/i.test(navigator.userAgent);
 | 
						|
 | 
						|
})('undefined' != typeof io ? io : module.exports, this);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.EventEmitter = EventEmitter;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Event emitter constructor.
 | 
						|
   *
 | 
						|
   * @api public.
 | 
						|
   */
 | 
						|
 | 
						|
  function EventEmitter () {};
 | 
						|
 | 
						|
  /**
 | 
						|
   * Adds a listener
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.on = function (name, fn) {
 | 
						|
    if (!this.$events) {
 | 
						|
      this.$events = {};
 | 
						|
    }
 | 
						|
 | 
						|
    if (!this.$events[name]) {
 | 
						|
      this.$events[name] = fn;
 | 
						|
    } else if (io.util.isArray(this.$events[name])) {
 | 
						|
      this.$events[name].push(fn);
 | 
						|
    } else {
 | 
						|
      this.$events[name] = [this.$events[name], fn];
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  EventEmitter.prototype.addListener = EventEmitter.prototype.on;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Adds a volatile listener.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.once = function (name, fn) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    function on () {
 | 
						|
      self.removeListener(name, on);
 | 
						|
      fn.apply(this, arguments);
 | 
						|
    };
 | 
						|
 | 
						|
    on.listener = fn;
 | 
						|
    this.on(name, on);
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Removes a listener.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.removeListener = function (name, fn) {
 | 
						|
    if (this.$events && this.$events[name]) {
 | 
						|
      var list = this.$events[name];
 | 
						|
 | 
						|
      if (io.util.isArray(list)) {
 | 
						|
        var pos = -1;
 | 
						|
 | 
						|
        for (var i = 0, l = list.length; i < l; i++) {
 | 
						|
          if (list[i] === fn || (list[i].listener && list[i].listener === fn)) {
 | 
						|
            pos = i;
 | 
						|
            break;
 | 
						|
          }
 | 
						|
        }
 | 
						|
 | 
						|
        if (pos < 0) {
 | 
						|
          return this;
 | 
						|
        }
 | 
						|
 | 
						|
        list.splice(pos, 1);
 | 
						|
 | 
						|
        if (!list.length) {
 | 
						|
          delete this.$events[name];
 | 
						|
        }
 | 
						|
      } else if (list === fn || (list.listener && list.listener === fn)) {
 | 
						|
        delete this.$events[name];
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Removes all listeners for an event.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.removeAllListeners = function (name) {
 | 
						|
    if (name === undefined) {
 | 
						|
      this.$events = {};
 | 
						|
      return this;
 | 
						|
    }
 | 
						|
 | 
						|
    if (this.$events && this.$events[name]) {
 | 
						|
      this.$events[name] = null;
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Gets all listeners for a certain event.
 | 
						|
   *
 | 
						|
   * @api publci
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.listeners = function (name) {
 | 
						|
    if (!this.$events) {
 | 
						|
      this.$events = {};
 | 
						|
    }
 | 
						|
 | 
						|
    if (!this.$events[name]) {
 | 
						|
      this.$events[name] = [];
 | 
						|
    }
 | 
						|
 | 
						|
    if (!io.util.isArray(this.$events[name])) {
 | 
						|
      this.$events[name] = [this.$events[name]];
 | 
						|
    }
 | 
						|
 | 
						|
    return this.$events[name];
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Emits an event.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  EventEmitter.prototype.emit = function (name) {
 | 
						|
    if (!this.$events) {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
 | 
						|
    var handler = this.$events[name];
 | 
						|
 | 
						|
    if (!handler) {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
 | 
						|
    var args = Array.prototype.slice.call(arguments, 1);
 | 
						|
 | 
						|
    if ('function' == typeof handler) {
 | 
						|
      handler.apply(this, args);
 | 
						|
    } else if (io.util.isArray(handler)) {
 | 
						|
      var listeners = handler.slice();
 | 
						|
 | 
						|
      for (var i = 0, l = listeners.length; i < l; i++) {
 | 
						|
        listeners[i].apply(this, args);
 | 
						|
      }
 | 
						|
    } else {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
/**
 | 
						|
 * Based on JSON2 (http://www.JSON.org/js.html).
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, nativeJSON) {
 | 
						|
  "use strict";
 | 
						|
 | 
						|
  // use native JSON if it's available
 | 
						|
  if (nativeJSON && nativeJSON.parse){
 | 
						|
    return exports.JSON = {
 | 
						|
      parse: nativeJSON.parse
 | 
						|
    , stringify: nativeJSON.stringify
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  var JSON = exports.JSON = {};
 | 
						|
 | 
						|
  function f(n) {
 | 
						|
      // Format integers to have at least two digits.
 | 
						|
      return n < 10 ? '0' + n : n;
 | 
						|
  }
 | 
						|
 | 
						|
  function date(d, key) {
 | 
						|
    return isFinite(d.valueOf()) ?
 | 
						|
        d.getUTCFullYear()     + '-' +
 | 
						|
        f(d.getUTCMonth() + 1) + '-' +
 | 
						|
        f(d.getUTCDate())      + 'T' +
 | 
						|
        f(d.getUTCHours())     + ':' +
 | 
						|
        f(d.getUTCMinutes())   + ':' +
 | 
						|
        f(d.getUTCSeconds())   + 'Z' : null;
 | 
						|
  };
 | 
						|
 | 
						|
  var cx = /[\u0000\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,
 | 
						|
      escapable = /[\\\"\x00-\x1f\x7f-\x9f\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,
 | 
						|
      gap,
 | 
						|
      indent,
 | 
						|
      meta = {    // table of character substitutions
 | 
						|
          '\b': '\\b',
 | 
						|
          '\t': '\\t',
 | 
						|
          '\n': '\\n',
 | 
						|
          '\f': '\\f',
 | 
						|
          '\r': '\\r',
 | 
						|
          '"' : '\\"',
 | 
						|
          '\\': '\\\\'
 | 
						|
      },
 | 
						|
      rep;
 | 
						|
 | 
						|
 | 
						|
  function quote(string) {
 | 
						|
 | 
						|
// If the string contains no control characters, no quote characters, and no
 | 
						|
// backslash characters, then we can safely slap some quotes around it.
 | 
						|
// Otherwise we must also replace the offending characters with safe escape
 | 
						|
// sequences.
 | 
						|
 | 
						|
      escapable.lastIndex = 0;
 | 
						|
      return escapable.test(string) ? '"' + string.replace(escapable, function (a) {
 | 
						|
          var c = meta[a];
 | 
						|
          return typeof c === 'string' ? c :
 | 
						|
              '\\u' + ('0000' + a.charCodeAt(0).toString(16)).slice(-4);
 | 
						|
      }) + '"' : '"' + string + '"';
 | 
						|
  }
 | 
						|
 | 
						|
 | 
						|
  function str(key, holder) {
 | 
						|
 | 
						|
// Produce a string from holder[key].
 | 
						|
 | 
						|
      var i,          // The loop counter.
 | 
						|
          k,          // The member key.
 | 
						|
          v,          // The member value.
 | 
						|
          length,
 | 
						|
          mind = gap,
 | 
						|
          partial,
 | 
						|
          value = holder[key];
 | 
						|
 | 
						|
// If the value has a toJSON method, call it to obtain a replacement value.
 | 
						|
 | 
						|
      if (value instanceof Date) {
 | 
						|
          value = date(key);
 | 
						|
      }
 | 
						|
 | 
						|
// If we were called with a replacer function, then call the replacer to
 | 
						|
// obtain a replacement value.
 | 
						|
 | 
						|
      if (typeof rep === 'function') {
 | 
						|
          value = rep.call(holder, key, value);
 | 
						|
      }
 | 
						|
 | 
						|
// What happens next depends on the value's type.
 | 
						|
 | 
						|
      switch (typeof value) {
 | 
						|
      case 'string':
 | 
						|
          return quote(value);
 | 
						|
 | 
						|
      case 'number':
 | 
						|
 | 
						|
// JSON numbers must be finite. Encode non-finite numbers as null.
 | 
						|
 | 
						|
          return isFinite(value) ? String(value) : 'null';
 | 
						|
 | 
						|
      case 'boolean':
 | 
						|
      case 'null':
 | 
						|
 | 
						|
// If the value is a boolean or null, convert it to a string. Note:
 | 
						|
// typeof null does not produce 'null'. The case is included here in
 | 
						|
// the remote chance that this gets fixed someday.
 | 
						|
 | 
						|
          return String(value);
 | 
						|
 | 
						|
// If the type is 'object', we might be dealing with an object or an array or
 | 
						|
// null.
 | 
						|
 | 
						|
      case 'object':
 | 
						|
 | 
						|
// Due to a specification blunder in ECMAScript, typeof null is 'object',
 | 
						|
// so watch out for that case.
 | 
						|
 | 
						|
          if (!value) {
 | 
						|
              return 'null';
 | 
						|
          }
 | 
						|
 | 
						|
// Make an array to hold the partial results of stringifying this object value.
 | 
						|
 | 
						|
          gap += indent;
 | 
						|
          partial = [];
 | 
						|
 | 
						|
// Is the value an array?
 | 
						|
 | 
						|
          if (Object.prototype.toString.apply(value) === '[object Array]') {
 | 
						|
 | 
						|
// The value is an array. Stringify every element. Use null as a placeholder
 | 
						|
// for non-JSON values.
 | 
						|
 | 
						|
              length = value.length;
 | 
						|
              for (i = 0; i < length; i += 1) {
 | 
						|
                  partial[i] = str(i, value) || 'null';
 | 
						|
              }
 | 
						|
 | 
						|
// Join all of the elements together, separated with commas, and wrap them in
 | 
						|
// brackets.
 | 
						|
 | 
						|
              v = partial.length === 0 ? '[]' : gap ?
 | 
						|
                  '[\n' + gap + partial.join(',\n' + gap) + '\n' + mind + ']' :
 | 
						|
                  '[' + partial.join(',') + ']';
 | 
						|
              gap = mind;
 | 
						|
              return v;
 | 
						|
          }
 | 
						|
 | 
						|
// If the replacer is an array, use it to select the members to be stringified.
 | 
						|
 | 
						|
          if (rep && typeof rep === 'object') {
 | 
						|
              length = rep.length;
 | 
						|
              for (i = 0; i < length; i += 1) {
 | 
						|
                  if (typeof rep[i] === 'string') {
 | 
						|
                      k = rep[i];
 | 
						|
                      v = str(k, value);
 | 
						|
                      if (v) {
 | 
						|
                          partial.push(quote(k) + (gap ? ': ' : ':') + v);
 | 
						|
                      }
 | 
						|
                  }
 | 
						|
              }
 | 
						|
          } else {
 | 
						|
 | 
						|
// Otherwise, iterate through all of the keys in the object.
 | 
						|
 | 
						|
              for (k in value) {
 | 
						|
                  if (Object.prototype.hasOwnProperty.call(value, k)) {
 | 
						|
                      v = str(k, value);
 | 
						|
                      if (v) {
 | 
						|
                          partial.push(quote(k) + (gap ? ': ' : ':') + v);
 | 
						|
                      }
 | 
						|
                  }
 | 
						|
              }
 | 
						|
          }
 | 
						|
 | 
						|
// Join all of the member texts together, separated with commas,
 | 
						|
// and wrap them in braces.
 | 
						|
 | 
						|
          v = partial.length === 0 ? '{}' : gap ?
 | 
						|
              '{\n' + gap + partial.join(',\n' + gap) + '\n' + mind + '}' :
 | 
						|
              '{' + partial.join(',') + '}';
 | 
						|
          gap = mind;
 | 
						|
          return v;
 | 
						|
      }
 | 
						|
  }
 | 
						|
 | 
						|
// If the JSON object does not yet have a stringify method, give it one.
 | 
						|
 | 
						|
  JSON.stringify = function (value, replacer, space) {
 | 
						|
 | 
						|
// The stringify method takes a value and an optional replacer, and an optional
 | 
						|
// space parameter, and returns a JSON text. The replacer can be a function
 | 
						|
// that can replace values, or an array of strings that will select the keys.
 | 
						|
// A default replacer method can be provided. Use of the space parameter can
 | 
						|
// produce text that is more easily readable.
 | 
						|
 | 
						|
      var i;
 | 
						|
      gap = '';
 | 
						|
      indent = '';
 | 
						|
 | 
						|
// If the space parameter is a number, make an indent string containing that
 | 
						|
// many spaces.
 | 
						|
 | 
						|
      if (typeof space === 'number') {
 | 
						|
          for (i = 0; i < space; i += 1) {
 | 
						|
              indent += ' ';
 | 
						|
          }
 | 
						|
 | 
						|
// If the space parameter is a string, it will be used as the indent string.
 | 
						|
 | 
						|
      } else if (typeof space === 'string') {
 | 
						|
          indent = space;
 | 
						|
      }
 | 
						|
 | 
						|
// If there is a replacer, it must be a function or an array.
 | 
						|
// Otherwise, throw an error.
 | 
						|
 | 
						|
      rep = replacer;
 | 
						|
      if (replacer && typeof replacer !== 'function' &&
 | 
						|
              (typeof replacer !== 'object' ||
 | 
						|
              typeof replacer.length !== 'number')) {
 | 
						|
          throw new Error('JSON.stringify');
 | 
						|
      }
 | 
						|
 | 
						|
// Make a fake root object containing our value under the key of ''.
 | 
						|
// Return the result of stringifying the value.
 | 
						|
 | 
						|
      return str('', {'': value});
 | 
						|
  };
 | 
						|
 | 
						|
// If the JSON object does not yet have a parse method, give it one.
 | 
						|
 | 
						|
  JSON.parse = function (text, reviver) {
 | 
						|
  // The parse method takes a text and an optional reviver function, and returns
 | 
						|
  // a JavaScript value if the text is a valid JSON text.
 | 
						|
 | 
						|
      var j;
 | 
						|
 | 
						|
      function walk(holder, key) {
 | 
						|
 | 
						|
  // The walk method is used to recursively walk the resulting structure so
 | 
						|
  // that modifications can be made.
 | 
						|
 | 
						|
          var k, v, value = holder[key];
 | 
						|
          if (value && typeof value === 'object') {
 | 
						|
              for (k in value) {
 | 
						|
                  if (Object.prototype.hasOwnProperty.call(value, k)) {
 | 
						|
                      v = walk(value, k);
 | 
						|
                      if (v !== undefined) {
 | 
						|
                          value[k] = v;
 | 
						|
                      } else {
 | 
						|
                          delete value[k];
 | 
						|
                      }
 | 
						|
                  }
 | 
						|
              }
 | 
						|
          }
 | 
						|
          return reviver.call(holder, key, value);
 | 
						|
      }
 | 
						|
 | 
						|
 | 
						|
  // Parsing happens in four stages. In the first stage, we replace certain
 | 
						|
  // Unicode characters with escape sequences. JavaScript handles many characters
 | 
						|
  // incorrectly, either silently deleting them, or treating them as line endings.
 | 
						|
 | 
						|
      text = String(text);
 | 
						|
      cx.lastIndex = 0;
 | 
						|
      if (cx.test(text)) {
 | 
						|
          text = text.replace(cx, function (a) {
 | 
						|
              return '\\u' +
 | 
						|
                  ('0000' + a.charCodeAt(0).toString(16)).slice(-4);
 | 
						|
          });
 | 
						|
      }
 | 
						|
 | 
						|
  // In the second stage, we run the text against regular expressions that look
 | 
						|
  // for non-JSON patterns. We are especially concerned with '()' and 'new'
 | 
						|
  // because they can cause invocation, and '=' because it can cause mutation.
 | 
						|
  // But just to be safe, we want to reject all unexpected forms.
 | 
						|
 | 
						|
  // We split the second stage into 4 regexp operations in order to work around
 | 
						|
  // crippling inefficiencies in IE's and Safari's regexp engines. First we
 | 
						|
  // replace the JSON backslash pairs with '@' (a non-JSON character). Second, we
 | 
						|
  // replace all simple value tokens with ']' characters. Third, we delete all
 | 
						|
  // open brackets that follow a colon or comma or that begin the text. Finally,
 | 
						|
  // we look to see that the remaining characters are only whitespace or ']' or
 | 
						|
  // ',' or ':' or '{' or '}'. If that is so, then the text is safe for eval.
 | 
						|
 | 
						|
      if (/^[\],:{}\s]*$/
 | 
						|
              .test(text.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g, '@')
 | 
						|
                  .replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g, ']')
 | 
						|
                  .replace(/(?:^|:|,)(?:\s*\[)+/g, ''))) {
 | 
						|
 | 
						|
  // In the third stage we use the eval function to compile the text into a
 | 
						|
  // JavaScript structure. The '{' operator is subject to a syntactic ambiguity
 | 
						|
  // in JavaScript: it can begin a block or an object literal. We wrap the text
 | 
						|
  // in parens to eliminate the ambiguity.
 | 
						|
 | 
						|
          j = eval('(' + text + ')');
 | 
						|
 | 
						|
  // In the optional fourth stage, we recursively walk the new structure, passing
 | 
						|
  // each name/value pair to a reviver function for possible transformation.
 | 
						|
 | 
						|
          return typeof reviver === 'function' ?
 | 
						|
              walk({'': j}, '') : j;
 | 
						|
      }
 | 
						|
 | 
						|
  // If the text is not JSON parseable, then a SyntaxError is thrown.
 | 
						|
 | 
						|
      throw new SyntaxError('JSON.parse');
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , typeof JSON !== 'undefined' ? JSON : undefined
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Parser namespace.
 | 
						|
   *
 | 
						|
   * @namespace
 | 
						|
   */
 | 
						|
 | 
						|
  var parser = exports.parser = {};
 | 
						|
 | 
						|
  /**
 | 
						|
   * Packet types.
 | 
						|
   */
 | 
						|
 | 
						|
  var packets = parser.packets = [
 | 
						|
      'disconnect'
 | 
						|
    , 'connect'
 | 
						|
    , 'heartbeat'
 | 
						|
    , 'message'
 | 
						|
    , 'json'
 | 
						|
    , 'event'
 | 
						|
    , 'ack'
 | 
						|
    , 'error'
 | 
						|
    , 'noop'
 | 
						|
  ];
 | 
						|
 | 
						|
  /**
 | 
						|
   * Errors reasons.
 | 
						|
   */
 | 
						|
 | 
						|
  var reasons = parser.reasons = [
 | 
						|
      'transport not supported'
 | 
						|
    , 'client not handshaken'
 | 
						|
    , 'unauthorized'
 | 
						|
  ];
 | 
						|
 | 
						|
  /**
 | 
						|
   * Errors advice.
 | 
						|
   */
 | 
						|
 | 
						|
  var advice = parser.advice = [
 | 
						|
      'reconnect'
 | 
						|
  ];
 | 
						|
 | 
						|
  /**
 | 
						|
   * Shortcuts.
 | 
						|
   */
 | 
						|
 | 
						|
  var JSON = io.JSON
 | 
						|
    , indexOf = io.util.indexOf;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Encodes a packet.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  parser.encodePacket = function (packet) {
 | 
						|
    var type = indexOf(packets, packet.type)
 | 
						|
      , id = packet.id || ''
 | 
						|
      , endpoint = packet.endpoint || ''
 | 
						|
      , ack = packet.ack
 | 
						|
      , data = null;
 | 
						|
 | 
						|
    switch (packet.type) {
 | 
						|
      case 'error':
 | 
						|
        var reason = packet.reason ? indexOf(reasons, packet.reason) : ''
 | 
						|
          , adv = packet.advice ? indexOf(advice, packet.advice) : '';
 | 
						|
 | 
						|
        if (reason !== '' || adv !== '')
 | 
						|
          data = reason + (adv !== '' ? ('+' + adv) : '');
 | 
						|
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'message':
 | 
						|
        if (packet.data !== '')
 | 
						|
          data = packet.data;
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'event':
 | 
						|
        var ev = { name: packet.name };
 | 
						|
 | 
						|
        if (packet.args && packet.args.length) {
 | 
						|
          ev.args = packet.args;
 | 
						|
        }
 | 
						|
 | 
						|
        data = JSON.stringify(ev);
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'json':
 | 
						|
        data = JSON.stringify(packet.data);
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'connect':
 | 
						|
        if (packet.qs)
 | 
						|
          data = packet.qs;
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'ack':
 | 
						|
        data = packet.ackId
 | 
						|
          + (packet.args && packet.args.length
 | 
						|
              ? '+' + JSON.stringify(packet.args) : '');
 | 
						|
        break;
 | 
						|
    }
 | 
						|
 | 
						|
    // construct packet with required fragments
 | 
						|
    var encoded = [
 | 
						|
        type
 | 
						|
      , id + (ack == 'data' ? '+' : '')
 | 
						|
      , endpoint
 | 
						|
    ];
 | 
						|
 | 
						|
    // data fragment is optional
 | 
						|
    if (data !== null && data !== undefined)
 | 
						|
      encoded.push(data);
 | 
						|
 | 
						|
    return encoded.join(':');
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Encodes multiple messages (payload).
 | 
						|
   *
 | 
						|
   * @param {Array} messages
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  parser.encodePayload = function (packets) {
 | 
						|
    var decoded = '';
 | 
						|
 | 
						|
    if (packets.length == 1)
 | 
						|
      return packets[0];
 | 
						|
 | 
						|
    for (var i = 0, l = packets.length; i < l; i++) {
 | 
						|
      var packet = packets[i];
 | 
						|
      decoded += '\ufffd' + packet.length + '\ufffd' + packets[i];
 | 
						|
    }
 | 
						|
 | 
						|
    return decoded;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Decodes a packet
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  var regexp = /([^:]+):([0-9]+)?(\+)?:([^:]+)?:?([\s\S]*)?/;
 | 
						|
 | 
						|
  parser.decodePacket = function (data) {
 | 
						|
    var pieces = data.match(regexp);
 | 
						|
 | 
						|
    if (!pieces) return {};
 | 
						|
 | 
						|
    var id = pieces[2] || ''
 | 
						|
      , data = pieces[5] || ''
 | 
						|
      , packet = {
 | 
						|
            type: packets[pieces[1]]
 | 
						|
          , endpoint: pieces[4] || ''
 | 
						|
        };
 | 
						|
 | 
						|
    // whether we need to acknowledge the packet
 | 
						|
    if (id) {
 | 
						|
      packet.id = id;
 | 
						|
      if (pieces[3])
 | 
						|
        packet.ack = 'data';
 | 
						|
      else
 | 
						|
        packet.ack = true;
 | 
						|
    }
 | 
						|
 | 
						|
    // handle different packet types
 | 
						|
    switch (packet.type) {
 | 
						|
      case 'error':
 | 
						|
        var pieces = data.split('+');
 | 
						|
        packet.reason = reasons[pieces[0]] || '';
 | 
						|
        packet.advice = advice[pieces[1]] || '';
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'message':
 | 
						|
        packet.data = data || '';
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'event':
 | 
						|
        try {
 | 
						|
          var opts = JSON.parse(data);
 | 
						|
          packet.name = opts.name;
 | 
						|
          packet.args = opts.args;
 | 
						|
        } catch (e) { }
 | 
						|
 | 
						|
        packet.args = packet.args || [];
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'json':
 | 
						|
        try {
 | 
						|
          packet.data = JSON.parse(data);
 | 
						|
        } catch (e) { }
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'connect':
 | 
						|
        packet.qs = data || '';
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'ack':
 | 
						|
        var pieces = data.match(/^([0-9]+)(\+)?(.*)/);
 | 
						|
        if (pieces) {
 | 
						|
          packet.ackId = pieces[1];
 | 
						|
          packet.args = [];
 | 
						|
 | 
						|
          if (pieces[3]) {
 | 
						|
            try {
 | 
						|
              packet.args = pieces[3] ? JSON.parse(pieces[3]) : [];
 | 
						|
            } catch (e) { }
 | 
						|
          }
 | 
						|
        }
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'disconnect':
 | 
						|
      case 'heartbeat':
 | 
						|
        break;
 | 
						|
    };
 | 
						|
 | 
						|
    return packet;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Decodes data payload. Detects multiple messages
 | 
						|
   *
 | 
						|
   * @return {Array} messages
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  parser.decodePayload = function (data) {
 | 
						|
    // IE doesn't like data[i] for unicode chars, charAt works fine
 | 
						|
    if (data.charAt(0) == '\ufffd') {
 | 
						|
      var ret = [];
 | 
						|
 | 
						|
      for (var i = 1, length = ''; i < data.length; i++) {
 | 
						|
        if (data.charAt(i) == '\ufffd') {
 | 
						|
          ret.push(parser.decodePacket(data.substr(i + 1).substr(0, length)));
 | 
						|
          i += Number(length) + 1;
 | 
						|
          length = '';
 | 
						|
        } else {
 | 
						|
          length += data.charAt(i);
 | 
						|
        }
 | 
						|
      }
 | 
						|
 | 
						|
      return ret;
 | 
						|
    } else {
 | 
						|
      return [parser.decodePacket(data)];
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.Transport = Transport;
 | 
						|
 | 
						|
  /**
 | 
						|
   * This is the transport template for all supported transport methods.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function Transport (socket, sessid) {
 | 
						|
    this.socket = socket;
 | 
						|
    this.sessid = sessid;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Apply EventEmitter mixin.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.mixin(Transport, io.EventEmitter);
 | 
						|
 | 
						|
 | 
						|
  /**
 | 
						|
   * Indicates whether heartbeats is enabled for this transport
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.heartbeats = function () {
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handles the response from the server. When a new response is received
 | 
						|
   * it will automatically update the timeout, decode the message and
 | 
						|
   * forwards the response to the onMessage function for further processing.
 | 
						|
   *
 | 
						|
   * @param {String} data Response from the server.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onData = function (data) {
 | 
						|
    this.clearCloseTimeout();
 | 
						|
 | 
						|
    // If the connection in currently open (or in a reopening state) reset the close
 | 
						|
    // timeout since we have just received data. This check is necessary so
 | 
						|
    // that we don't reset the timeout on an explicitly disconnected connection.
 | 
						|
    if (this.socket.connected || this.socket.connecting || this.socket.reconnecting) {
 | 
						|
      this.setCloseTimeout();
 | 
						|
    }
 | 
						|
 | 
						|
    if (data !== '') {
 | 
						|
      // todo: we should only do decodePayload for xhr transports
 | 
						|
      var msgs = io.parser.decodePayload(data);
 | 
						|
 | 
						|
      if (msgs && msgs.length) {
 | 
						|
        for (var i = 0, l = msgs.length; i < l; i++) {
 | 
						|
          this.onPacket(msgs[i]);
 | 
						|
        }
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handles packets.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onPacket = function (packet) {
 | 
						|
    this.socket.setHeartbeatTimeout();
 | 
						|
 | 
						|
    if (packet.type == 'heartbeat') {
 | 
						|
      return this.onHeartbeat();
 | 
						|
    }
 | 
						|
 | 
						|
    if (packet.type == 'connect' && packet.endpoint == '') {
 | 
						|
      this.onConnect();
 | 
						|
    }
 | 
						|
 | 
						|
    if (packet.type == 'error' && packet.advice == 'reconnect') {
 | 
						|
      this.isOpen = false;
 | 
						|
    }
 | 
						|
 | 
						|
    this.socket.onPacket(packet);
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sets close timeout
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.setCloseTimeout = function () {
 | 
						|
    if (!this.closeTimeout) {
 | 
						|
      var self = this;
 | 
						|
 | 
						|
      this.closeTimeout = setTimeout(function () {
 | 
						|
        self.onDisconnect();
 | 
						|
      }, this.socket.closeTimeout);
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when transport disconnects.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onDisconnect = function () {
 | 
						|
    if (this.isOpen) this.close();
 | 
						|
    this.clearTimeouts();
 | 
						|
    this.socket.onDisconnect();
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when transport connects
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onConnect = function () {
 | 
						|
    this.socket.onConnect();
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Clears close timeout
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.clearCloseTimeout = function () {
 | 
						|
    if (this.closeTimeout) {
 | 
						|
      clearTimeout(this.closeTimeout);
 | 
						|
      this.closeTimeout = null;
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Clear timeouts
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.clearTimeouts = function () {
 | 
						|
    this.clearCloseTimeout();
 | 
						|
 | 
						|
    if (this.reopenTimeout) {
 | 
						|
      clearTimeout(this.reopenTimeout);
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sends a packet
 | 
						|
   *
 | 
						|
   * @param {Object} packet object.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.packet = function (packet) {
 | 
						|
    this.send(io.parser.encodePacket(packet));
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Send the received heartbeat message back to server. So the server
 | 
						|
   * knows we are still connected.
 | 
						|
   *
 | 
						|
   * @param {String} heartbeat Heartbeat response from the server.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onHeartbeat = function (heartbeat) {
 | 
						|
    this.packet({ type: 'heartbeat' });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when the transport opens.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onOpen = function () {
 | 
						|
    this.isOpen = true;
 | 
						|
    this.clearCloseTimeout();
 | 
						|
    this.socket.onOpen();
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Notifies the base when the connection with the Socket.IO server
 | 
						|
   * has been disconnected.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.onClose = function () {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    /* FIXME: reopen delay causing a infinit loop
 | 
						|
    this.reopenTimeout = setTimeout(function () {
 | 
						|
      self.open();
 | 
						|
    }, this.socket.options['reopen delay']);*/
 | 
						|
 | 
						|
    this.isOpen = false;
 | 
						|
    this.socket.onClose();
 | 
						|
    this.onDisconnect();
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Generates a connection url based on the Socket.IO URL Protocol.
 | 
						|
   * See <https://github.com/learnboost/socket.io-node/> for more details.
 | 
						|
   *
 | 
						|
   * @returns {String} Connection url
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.prepareUrl = function () {
 | 
						|
    var options = this.socket.options;
 | 
						|
 | 
						|
    return this.scheme() + '://'
 | 
						|
      + options.host + ':' + options.port + '/'
 | 
						|
      + options.resource + '/' + io.protocol
 | 
						|
      + '/' + this.name + '/' + this.sessid;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Checks if the transport is ready to start a connection.
 | 
						|
   *
 | 
						|
   * @param {Socket} socket The socket instance that needs a transport
 | 
						|
   * @param {Function} fn The callback
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Transport.prototype.ready = function (socket, fn) {
 | 
						|
    fn.call(this);
 | 
						|
  };
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.Socket = Socket;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Create a new `Socket.IO client` which can establish a persistent
 | 
						|
   * connection with a Socket.IO enabled server.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function Socket (options) {
 | 
						|
    this.options = {
 | 
						|
        port: 80
 | 
						|
      , secure: false
 | 
						|
      , document: 'document' in global ? document : false
 | 
						|
      , resource: 'socket.io'
 | 
						|
      , transports: io.transports
 | 
						|
      , 'connect timeout': 10000
 | 
						|
      , 'try multiple transports': true
 | 
						|
      , 'reconnect': true
 | 
						|
      , 'reconnection delay': 500
 | 
						|
      , 'reconnection limit': Infinity
 | 
						|
      , 'reopen delay': 3000
 | 
						|
      , 'max reconnection attempts': 10
 | 
						|
      , 'sync disconnect on unload': false
 | 
						|
      , 'auto connect': true
 | 
						|
      , 'flash policy port': 10843
 | 
						|
      , 'manualFlush': false
 | 
						|
    };
 | 
						|
 | 
						|
    io.util.merge(this.options, options);
 | 
						|
 | 
						|
    this.connected = false;
 | 
						|
    this.open = false;
 | 
						|
    this.connecting = false;
 | 
						|
    this.reconnecting = false;
 | 
						|
    this.namespaces = {};
 | 
						|
    this.buffer = [];
 | 
						|
    this.doBuffer = false;
 | 
						|
 | 
						|
    if (this.options['sync disconnect on unload'] &&
 | 
						|
        (!this.isXDomain() || io.util.ua.hasCORS)) {
 | 
						|
      var self = this;
 | 
						|
      io.util.on(global, 'beforeunload', function () {
 | 
						|
        self.disconnectSync();
 | 
						|
      }, false);
 | 
						|
    }
 | 
						|
 | 
						|
    if (this.options['auto connect']) {
 | 
						|
      this.connect();
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
  /**
 | 
						|
   * Apply EventEmitter mixin.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.mixin(Socket, io.EventEmitter);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Returns a namespace listener/emitter for this socket
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.of = function (name) {
 | 
						|
    if (!this.namespaces[name]) {
 | 
						|
      this.namespaces[name] = new io.SocketNamespace(this, name);
 | 
						|
 | 
						|
      if (name !== '') {
 | 
						|
        this.namespaces[name].packet({ type: 'connect' });
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return this.namespaces[name];
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Emits the given event to the Socket and all namespaces
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.publish = function () {
 | 
						|
    this.emit.apply(this, arguments);
 | 
						|
 | 
						|
    var nsp;
 | 
						|
 | 
						|
    for (var i in this.namespaces) {
 | 
						|
      if (this.namespaces.hasOwnProperty(i)) {
 | 
						|
        nsp = this.of(i);
 | 
						|
        nsp.$emit.apply(nsp, arguments);
 | 
						|
      }
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Performs the handshake
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  function empty () { };
 | 
						|
 | 
						|
  Socket.prototype.handshake = function (fn) {
 | 
						|
    var self = this
 | 
						|
      , options = this.options;
 | 
						|
 | 
						|
    function complete (data) {
 | 
						|
      if (data instanceof Error) {
 | 
						|
        self.connecting = false;
 | 
						|
        self.onError(data.message);
 | 
						|
      } else {
 | 
						|
        fn.apply(null, data.split(':'));
 | 
						|
      }
 | 
						|
    };
 | 
						|
 | 
						|
    var url = [
 | 
						|
          'http' + (options.secure ? 's' : '') + ':/'
 | 
						|
        , options.host + ':' + options.port
 | 
						|
        , options.resource
 | 
						|
        , io.protocol
 | 
						|
        , io.util.query(this.options.query, 't=' + +new Date)
 | 
						|
      ].join('/');
 | 
						|
 | 
						|
    if (this.isXDomain() && !io.util.ua.hasCORS) {
 | 
						|
      var insertAt = document.getElementsByTagName('script')[0]
 | 
						|
        , script = document.createElement('script');
 | 
						|
 | 
						|
      script.src = url + '&jsonp=' + io.j.length;
 | 
						|
      insertAt.parentNode.insertBefore(script, insertAt);
 | 
						|
 | 
						|
      io.j.push(function (data) {
 | 
						|
        complete(data);
 | 
						|
        script.parentNode.removeChild(script);
 | 
						|
      });
 | 
						|
    } else {
 | 
						|
      var xhr = io.util.request();
 | 
						|
 | 
						|
      xhr.open('GET', url, true);
 | 
						|
      if (this.isXDomain()) {
 | 
						|
        xhr.withCredentials = true;
 | 
						|
      }
 | 
						|
      xhr.onreadystatechange = function () {
 | 
						|
        if (xhr.readyState == 4) {
 | 
						|
          xhr.onreadystatechange = empty;
 | 
						|
 | 
						|
          if (xhr.status == 200) {
 | 
						|
            complete(xhr.responseText);
 | 
						|
          } else if (xhr.status == 403) {
 | 
						|
            self.onError(xhr.responseText);
 | 
						|
          } else {
 | 
						|
            self.connecting = false;            
 | 
						|
            !self.reconnecting && self.onError(xhr.responseText);
 | 
						|
          }
 | 
						|
        }
 | 
						|
      };
 | 
						|
      xhr.send(null);
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Find an available transport based on the options supplied in the constructor.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.getTransport = function (override) {
 | 
						|
    var transports = override || this.transports, match;
 | 
						|
 | 
						|
    for (var i = 0, transport; transport = transports[i]; i++) {
 | 
						|
      if (io.Transport[transport]
 | 
						|
        && io.Transport[transport].check(this)
 | 
						|
        && (!this.isXDomain() || io.Transport[transport].xdomainCheck(this))) {
 | 
						|
        return new io.Transport[transport](this, this.sessionid);
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    return null;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Connects to the server.
 | 
						|
   *
 | 
						|
   * @param {Function} [fn] Callback.
 | 
						|
   * @returns {io.Socket}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.connect = function (fn) {
 | 
						|
    if (this.connecting) {
 | 
						|
      return this;
 | 
						|
    }
 | 
						|
 | 
						|
    var self = this;
 | 
						|
    self.connecting = true;
 | 
						|
    
 | 
						|
    this.handshake(function (sid, heartbeat, close, transports) {
 | 
						|
      self.sessionid = sid;
 | 
						|
      self.closeTimeout = close * 1000;
 | 
						|
      self.heartbeatTimeout = heartbeat * 1000;
 | 
						|
      if(!self.transports)
 | 
						|
          self.transports = self.origTransports = (transports ? io.util.intersect(
 | 
						|
              transports.split(',')
 | 
						|
            , self.options.transports
 | 
						|
          ) : self.options.transports);
 | 
						|
 | 
						|
      self.setHeartbeatTimeout();
 | 
						|
 | 
						|
      function connect (transports){
 | 
						|
        if (self.transport) self.transport.clearTimeouts();
 | 
						|
 | 
						|
        self.transport = self.getTransport(transports);
 | 
						|
        if (!self.transport) return self.publish('connect_failed');
 | 
						|
 | 
						|
        // once the transport is ready
 | 
						|
        self.transport.ready(self, function () {
 | 
						|
          self.connecting = true;
 | 
						|
          self.publish('connecting', self.transport.name);
 | 
						|
          self.transport.open();
 | 
						|
 | 
						|
          if (self.options['connect timeout']) {
 | 
						|
            self.connectTimeoutTimer = setTimeout(function () {
 | 
						|
              if (!self.connected) {
 | 
						|
                self.connecting = false;
 | 
						|
 | 
						|
                if (self.options['try multiple transports']) {
 | 
						|
                  var remaining = self.transports;
 | 
						|
 | 
						|
                  while (remaining.length > 0 && remaining.splice(0,1)[0] !=
 | 
						|
                         self.transport.name) {}
 | 
						|
 | 
						|
                    if (remaining.length){
 | 
						|
                      connect(remaining);
 | 
						|
                    } else {
 | 
						|
                      self.publish('connect_failed');
 | 
						|
                    }
 | 
						|
                }
 | 
						|
              }
 | 
						|
            }, self.options['connect timeout']);
 | 
						|
          }
 | 
						|
        });
 | 
						|
      }
 | 
						|
 | 
						|
      connect(self.transports);
 | 
						|
 | 
						|
      self.once('connect', function (){
 | 
						|
        clearTimeout(self.connectTimeoutTimer);
 | 
						|
 | 
						|
        fn && typeof fn == 'function' && fn();
 | 
						|
      });
 | 
						|
    });
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Clears and sets a new heartbeat timeout using the value given by the
 | 
						|
   * server during the handshake.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.setHeartbeatTimeout = function () {
 | 
						|
    clearTimeout(this.heartbeatTimeoutTimer);
 | 
						|
    if(this.transport && !this.transport.heartbeats()) return;
 | 
						|
 | 
						|
    var self = this;
 | 
						|
    this.heartbeatTimeoutTimer = setTimeout(function () {
 | 
						|
      self.transport.onClose();
 | 
						|
    }, this.heartbeatTimeout);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sends a message.
 | 
						|
   *
 | 
						|
   * @param {Object} data packet.
 | 
						|
   * @returns {io.Socket}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.packet = function (data) {
 | 
						|
    if (this.connected && !this.doBuffer) {
 | 
						|
      this.transport.packet(data);
 | 
						|
    } else {
 | 
						|
      this.buffer.push(data);
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sets buffer state
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.setBuffer = function (v) {
 | 
						|
    this.doBuffer = v;
 | 
						|
 | 
						|
    if (!v && this.connected && this.buffer.length) {
 | 
						|
      if (!this.options['manualFlush']) {
 | 
						|
        this.flushBuffer();
 | 
						|
      }
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Flushes the buffer data over the wire.
 | 
						|
   * To be invoked manually when 'manualFlush' is set to true.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.flushBuffer = function() {
 | 
						|
    this.transport.payload(this.buffer);
 | 
						|
    this.buffer = [];
 | 
						|
  };
 | 
						|
  
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnect the established connect.
 | 
						|
   *
 | 
						|
   * @returns {io.Socket}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.disconnect = function () {
 | 
						|
    if (this.connected || this.connecting) {
 | 
						|
      if (this.open) {
 | 
						|
        this.of('').packet({ type: 'disconnect' });
 | 
						|
      }
 | 
						|
 | 
						|
      // handle disconnection immediately
 | 
						|
      this.onDisconnect('booted');
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnects the socket with a sync XHR.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.disconnectSync = function () {
 | 
						|
    // ensure disconnection
 | 
						|
    var xhr = io.util.request();
 | 
						|
    var uri = [
 | 
						|
        'http' + (this.options.secure ? 's' : '') + ':/'
 | 
						|
      , this.options.host + ':' + this.options.port
 | 
						|
      , this.options.resource
 | 
						|
      , io.protocol
 | 
						|
      , ''
 | 
						|
      , this.sessionid
 | 
						|
    ].join('/') + '/?disconnect=1';
 | 
						|
 | 
						|
    xhr.open('GET', uri, false);
 | 
						|
    xhr.send(null);
 | 
						|
 | 
						|
    // handle disconnection immediately
 | 
						|
    this.onDisconnect('booted');
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if we need to use cross domain enabled transports. Cross domain would
 | 
						|
   * be a different port or different domain name.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.isXDomain = function () {
 | 
						|
 | 
						|
    var port = global.location.port ||
 | 
						|
      ('https:' == global.location.protocol ? 443 : 80);
 | 
						|
 | 
						|
    return this.options.host !== global.location.hostname 
 | 
						|
      || this.options.port != port;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called upon handshake.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onConnect = function () {
 | 
						|
    if (!this.connected) {
 | 
						|
      this.connected = true;
 | 
						|
      this.connecting = false;
 | 
						|
      if (!this.doBuffer) {
 | 
						|
        // make sure to flush the buffer
 | 
						|
        this.setBuffer(false);
 | 
						|
      }
 | 
						|
      this.emit('connect');
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when the transport opens
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onOpen = function () {
 | 
						|
    this.open = true;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when the transport closes.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onClose = function () {
 | 
						|
    this.open = false;
 | 
						|
    clearTimeout(this.heartbeatTimeoutTimer);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when the transport first opens a connection
 | 
						|
   *
 | 
						|
   * @param text
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onPacket = function (packet) {
 | 
						|
    this.of(packet.endpoint).onPacket(packet);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handles an error.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onError = function (err) {
 | 
						|
    if (err && err.advice) {
 | 
						|
      if (err.advice === 'reconnect' && (this.connected || this.connecting)) {
 | 
						|
        this.disconnect();
 | 
						|
        if (this.options.reconnect) {
 | 
						|
          this.reconnect();
 | 
						|
        }
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    this.publish('error', err && err.reason ? err.reason : err);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called when the transport disconnects.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.onDisconnect = function (reason) {
 | 
						|
    var wasConnected = this.connected
 | 
						|
      , wasConnecting = this.connecting;
 | 
						|
 | 
						|
    this.connected = false;
 | 
						|
    this.connecting = false;
 | 
						|
    this.open = false;
 | 
						|
 | 
						|
    if (wasConnected || wasConnecting) {
 | 
						|
      this.transport.close();
 | 
						|
      this.transport.clearTimeouts();
 | 
						|
      if (wasConnected) {
 | 
						|
        this.publish('disconnect', reason);
 | 
						|
 | 
						|
        if ('booted' != reason && this.options.reconnect && !this.reconnecting) {
 | 
						|
          this.reconnect();
 | 
						|
        }
 | 
						|
      }
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Called upon reconnection.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Socket.prototype.reconnect = function () {
 | 
						|
    this.reconnecting = true;
 | 
						|
    this.reconnectionAttempts = 0;
 | 
						|
    this.reconnectionDelay = this.options['reconnection delay'];
 | 
						|
 | 
						|
    var self = this
 | 
						|
      , maxAttempts = this.options['max reconnection attempts']
 | 
						|
      , tryMultiple = this.options['try multiple transports']
 | 
						|
      , limit = this.options['reconnection limit'];
 | 
						|
 | 
						|
    function reset () {
 | 
						|
      if (self.connected) {
 | 
						|
        for (var i in self.namespaces) {
 | 
						|
          if (self.namespaces.hasOwnProperty(i) && '' !== i) {
 | 
						|
              self.namespaces[i].packet({ type: 'connect' });
 | 
						|
          }
 | 
						|
        }
 | 
						|
        self.publish('reconnect', self.transport.name, self.reconnectionAttempts);
 | 
						|
      }
 | 
						|
 | 
						|
      clearTimeout(self.reconnectionTimer);
 | 
						|
 | 
						|
      self.removeListener('connect_failed', maybeReconnect);
 | 
						|
      self.removeListener('connect', maybeReconnect);
 | 
						|
 | 
						|
      self.reconnecting = false;
 | 
						|
 | 
						|
      delete self.reconnectionAttempts;
 | 
						|
      delete self.reconnectionDelay;
 | 
						|
      delete self.reconnectionTimer;
 | 
						|
      delete self.redoTransports;
 | 
						|
 | 
						|
      self.options['try multiple transports'] = tryMultiple;
 | 
						|
    };
 | 
						|
 | 
						|
    function maybeReconnect () {
 | 
						|
      if (!self.reconnecting) {
 | 
						|
        return;
 | 
						|
      }
 | 
						|
 | 
						|
      if (self.connected) {
 | 
						|
        return reset();
 | 
						|
      };
 | 
						|
 | 
						|
      if (self.connecting && self.reconnecting) {
 | 
						|
        return self.reconnectionTimer = setTimeout(maybeReconnect, 1000);
 | 
						|
      }
 | 
						|
 | 
						|
      if (self.reconnectionAttempts++ >= maxAttempts) {
 | 
						|
        if (!self.redoTransports) {
 | 
						|
          self.on('connect_failed', maybeReconnect);
 | 
						|
          self.options['try multiple transports'] = true;
 | 
						|
          self.transports = self.origTransports;
 | 
						|
          self.transport = self.getTransport();
 | 
						|
          self.redoTransports = true;
 | 
						|
          self.connect();
 | 
						|
        } else {
 | 
						|
          self.publish('reconnect_failed');
 | 
						|
          reset();
 | 
						|
        }
 | 
						|
      } else {
 | 
						|
        if (self.reconnectionDelay < limit) {
 | 
						|
          self.reconnectionDelay *= 2; // exponential back off
 | 
						|
        }
 | 
						|
 | 
						|
        self.connect();
 | 
						|
        self.publish('reconnecting', self.reconnectionDelay, self.reconnectionAttempts);
 | 
						|
        self.reconnectionTimer = setTimeout(maybeReconnect, self.reconnectionDelay);
 | 
						|
      }
 | 
						|
    };
 | 
						|
 | 
						|
    this.options['try multiple transports'] = false;
 | 
						|
    this.reconnectionTimer = setTimeout(maybeReconnect, this.reconnectionDelay);
 | 
						|
 | 
						|
    this.on('connect', maybeReconnect);
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
  , this
 | 
						|
);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.SocketNamespace = SocketNamespace;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Socket namespace constructor.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function SocketNamespace (socket, name) {
 | 
						|
    this.socket = socket;
 | 
						|
    this.name = name || '';
 | 
						|
    this.flags = {};
 | 
						|
    this.json = new Flag(this, 'json');
 | 
						|
    this.ackPackets = 0;
 | 
						|
    this.acks = {};
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Apply EventEmitter mixin.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.mixin(SocketNamespace, io.EventEmitter);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Copies emit since we override it
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.$emit = io.EventEmitter.prototype.emit;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Creates a new namespace, by proxying the request to the socket. This
 | 
						|
   * allows us to use the synax as we do on the server.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.of = function () {
 | 
						|
    return this.socket.of.apply(this.socket, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sends a packet.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.packet = function (packet) {
 | 
						|
    packet.endpoint = this.name;
 | 
						|
    this.socket.packet(packet);
 | 
						|
    this.flags = {};
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Sends a message
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.send = function (data, fn) {
 | 
						|
    var packet = {
 | 
						|
        type: this.flags.json ? 'json' : 'message'
 | 
						|
      , data: data
 | 
						|
    };
 | 
						|
 | 
						|
    if ('function' == typeof fn) {
 | 
						|
      packet.id = ++this.ackPackets;
 | 
						|
      packet.ack = true;
 | 
						|
      this.acks[packet.id] = fn;
 | 
						|
    }
 | 
						|
 | 
						|
    return this.packet(packet);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Emits an event
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
  
 | 
						|
  SocketNamespace.prototype.emit = function (name) {
 | 
						|
    var args = Array.prototype.slice.call(arguments, 1)
 | 
						|
      , lastArg = args[args.length - 1]
 | 
						|
      , packet = {
 | 
						|
            type: 'event'
 | 
						|
          , name: name
 | 
						|
        };
 | 
						|
 | 
						|
    if ('function' == typeof lastArg) {
 | 
						|
      packet.id = ++this.ackPackets;
 | 
						|
      packet.ack = 'data';
 | 
						|
      this.acks[packet.id] = lastArg;
 | 
						|
      args = args.slice(0, args.length - 1);
 | 
						|
    }
 | 
						|
 | 
						|
    packet.args = args;
 | 
						|
 | 
						|
    return this.packet(packet);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnects the namespace
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.disconnect = function () {
 | 
						|
    if (this.name === '') {
 | 
						|
      this.socket.disconnect();
 | 
						|
    } else {
 | 
						|
      this.packet({ type: 'disconnect' });
 | 
						|
      this.$emit('disconnect');
 | 
						|
    }
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handles a packet
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  SocketNamespace.prototype.onPacket = function (packet) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    function ack () {
 | 
						|
      self.packet({
 | 
						|
          type: 'ack'
 | 
						|
        , args: io.util.toArray(arguments)
 | 
						|
        , ackId: packet.id
 | 
						|
      });
 | 
						|
    };
 | 
						|
 | 
						|
    switch (packet.type) {
 | 
						|
      case 'connect':
 | 
						|
        this.$emit('connect');
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'disconnect':
 | 
						|
        if (this.name === '') {
 | 
						|
          this.socket.onDisconnect(packet.reason || 'booted');
 | 
						|
        } else {
 | 
						|
          this.$emit('disconnect', packet.reason);
 | 
						|
        }
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'message':
 | 
						|
      case 'json':
 | 
						|
        var params = ['message', packet.data];
 | 
						|
 | 
						|
        if (packet.ack == 'data') {
 | 
						|
          params.push(ack);
 | 
						|
        } else if (packet.ack) {
 | 
						|
          this.packet({ type: 'ack', ackId: packet.id });
 | 
						|
        }
 | 
						|
 | 
						|
        this.$emit.apply(this, params);
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'event':
 | 
						|
        var params = [packet.name].concat(packet.args);
 | 
						|
 | 
						|
        if (packet.ack == 'data')
 | 
						|
          params.push(ack);
 | 
						|
 | 
						|
        this.$emit.apply(this, params);
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'ack':
 | 
						|
        if (this.acks[packet.ackId]) {
 | 
						|
          this.acks[packet.ackId].apply(this, packet.args);
 | 
						|
          delete this.acks[packet.ackId];
 | 
						|
        }
 | 
						|
        break;
 | 
						|
 | 
						|
      case 'error':
 | 
						|
        if (packet.advice){
 | 
						|
          this.socket.onError(packet);
 | 
						|
        } else {
 | 
						|
          if (packet.reason == 'unauthorized') {
 | 
						|
            this.$emit('connect_failed', packet.reason);
 | 
						|
          } else {
 | 
						|
            this.$emit('error', packet.reason);
 | 
						|
          }
 | 
						|
        }
 | 
						|
        break;
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Flag interface.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  function Flag (nsp, name) {
 | 
						|
    this.namespace = nsp;
 | 
						|
    this.name = name;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Send a message
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flag.prototype.send = function () {
 | 
						|
    this.namespace.flags[this.name] = true;
 | 
						|
    this.namespace.send.apply(this.namespace, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Emit an event
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flag.prototype.emit = function () {
 | 
						|
    this.namespace.flags[this.name] = true;
 | 
						|
    this.namespace.emit.apply(this.namespace, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.websocket = WS;
 | 
						|
 | 
						|
  /**
 | 
						|
   * The WebSocket transport uses the HTML5 WebSocket API to establish an
 | 
						|
   * persistent connection with the Socket.IO server. This transport will also
 | 
						|
   * be inherited by the FlashSocket fallback as it provides a API compatible
 | 
						|
   * polyfill for the WebSockets.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @extends {io.Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function WS (socket) {
 | 
						|
    io.Transport.apply(this, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from Transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(WS, io.Transport);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transport name
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  WS.prototype.name = 'websocket';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Initializes a new `WebSocket` connection with the Socket.IO server. We attach
 | 
						|
   * all the appropriate listeners to handle the responses from the server.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  WS.prototype.open = function () {
 | 
						|
    var query = io.util.query(this.socket.options.query)
 | 
						|
      , self = this
 | 
						|
      , Socket
 | 
						|
 | 
						|
 | 
						|
    if (!Socket) {
 | 
						|
      Socket = global.MozWebSocket || global.WebSocket;
 | 
						|
    }
 | 
						|
 | 
						|
    this.websocket = new Socket(this.prepareUrl() + query);
 | 
						|
 | 
						|
    this.websocket.onopen = function () {
 | 
						|
      self.onOpen();
 | 
						|
      self.socket.setBuffer(false);
 | 
						|
    };
 | 
						|
    this.websocket.onmessage = function (ev) {
 | 
						|
      self.onData(ev.data);
 | 
						|
    };
 | 
						|
    this.websocket.onclose = function () {
 | 
						|
      self.onClose();
 | 
						|
      self.socket.setBuffer(true);
 | 
						|
    };
 | 
						|
    this.websocket.onerror = function (e) {
 | 
						|
      self.onError(e);
 | 
						|
    };
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Send a message to the Socket.IO server. The message will automatically be
 | 
						|
   * encoded in the correct message format.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  // Do to a bug in the current IDevices browser, we need to wrap the send in a 
 | 
						|
  // setTimeout, when they resume from sleeping the browser will crash if 
 | 
						|
  // we don't allow the browser time to detect the socket has been closed
 | 
						|
  if (io.util.ua.iDevice) {
 | 
						|
    WS.prototype.send = function (data) {
 | 
						|
      var self = this;
 | 
						|
      setTimeout(function() {
 | 
						|
         self.websocket.send(data);
 | 
						|
      },0);
 | 
						|
      return this;
 | 
						|
    };
 | 
						|
  } else {
 | 
						|
    WS.prototype.send = function (data) {
 | 
						|
      this.websocket.send(data);
 | 
						|
      return this;
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  /**
 | 
						|
   * Payload
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  WS.prototype.payload = function (arr) {
 | 
						|
    for (var i = 0, l = arr.length; i < l; i++) {
 | 
						|
      this.packet(arr[i]);
 | 
						|
    }
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnect the established `WebSocket` connection.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  WS.prototype.close = function () {
 | 
						|
    this.websocket.close();
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handle the errors that `WebSocket` might be giving when we
 | 
						|
   * are attempting to connect or send messages.
 | 
						|
   *
 | 
						|
   * @param {Error} e The error.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  WS.prototype.onError = function (e) {
 | 
						|
    this.socket.onError(e);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Returns the appropriate scheme for the URI generation.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
  WS.prototype.scheme = function () {
 | 
						|
    return this.socket.options.secure ? 'wss' : 'ws';
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Checks if the browser has support for native `WebSockets` and that
 | 
						|
   * it's not the polyfill created for the FlashSocket transport.
 | 
						|
   *
 | 
						|
   * @return {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  WS.check = function () {
 | 
						|
    return ('WebSocket' in global && !('__addTask' in WebSocket))
 | 
						|
          || 'MozWebSocket' in global;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if the `WebSocket` transport support cross domain communications.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  WS.xdomainCheck = function () {
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Add the transport to your public io.transports array.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports.push('websocket');
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
  , this
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.flashsocket = Flashsocket;
 | 
						|
 | 
						|
  /**
 | 
						|
   * The FlashSocket transport. This is a API wrapper for the HTML5 WebSocket
 | 
						|
   * specification. It uses a .swf file to communicate with the server. If you want
 | 
						|
   * to serve the .swf file from a other server than where the Socket.IO script is
 | 
						|
   * coming from you need to use the insecure version of the .swf. More information
 | 
						|
   * about this can be found on the github page.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @extends {io.Transport.websocket}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function Flashsocket () {
 | 
						|
    io.Transport.websocket.apply(this, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from Transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(Flashsocket, io.Transport.websocket);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transport name
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.prototype.name = 'flashsocket';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnect the established `FlashSocket` connection. This is done by adding a 
 | 
						|
   * new task to the FlashSocket. The rest will be handled off by the `WebSocket` 
 | 
						|
   * transport.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.prototype.open = function () {
 | 
						|
    var self = this
 | 
						|
      , args = arguments;
 | 
						|
 | 
						|
    WebSocket.__addTask(function () {
 | 
						|
      io.Transport.websocket.prototype.open.apply(self, args);
 | 
						|
    });
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Sends a message to the Socket.IO server. This is done by adding a new
 | 
						|
   * task to the FlashSocket. The rest will be handled off by the `WebSocket` 
 | 
						|
   * transport.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.prototype.send = function () {
 | 
						|
    var self = this, args = arguments;
 | 
						|
    WebSocket.__addTask(function () {
 | 
						|
      io.Transport.websocket.prototype.send.apply(self, args);
 | 
						|
    });
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnects the established `FlashSocket` connection.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.prototype.close = function () {
 | 
						|
    WebSocket.__tasks.length = 0;
 | 
						|
    io.Transport.websocket.prototype.close.call(this);
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * The WebSocket fall back needs to append the flash container to the body
 | 
						|
   * element, so we need to make sure we have access to it. Or defer the call
 | 
						|
   * until we are sure there is a body element.
 | 
						|
   *
 | 
						|
   * @param {Socket} socket The socket instance that needs a transport
 | 
						|
   * @param {Function} fn The callback
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.prototype.ready = function (socket, fn) {
 | 
						|
    function init () {
 | 
						|
      var options = socket.options
 | 
						|
        , port = options['flash policy port']
 | 
						|
        , path = [
 | 
						|
              'http' + (options.secure ? 's' : '') + ':/'
 | 
						|
            , options.host + ':' + options.port
 | 
						|
            , options.resource
 | 
						|
            , 'static/flashsocket'
 | 
						|
            , 'WebSocketMain' + (socket.isXDomain() ? 'Insecure' : '') + '.swf'
 | 
						|
          ];
 | 
						|
 | 
						|
      // Only start downloading the swf file when the checked that this browser
 | 
						|
      // actually supports it
 | 
						|
      if (!Flashsocket.loaded) {
 | 
						|
        if (typeof WEB_SOCKET_SWF_LOCATION === 'undefined') {
 | 
						|
          // Set the correct file based on the XDomain settings
 | 
						|
          WEB_SOCKET_SWF_LOCATION = path.join('/');
 | 
						|
        }
 | 
						|
 | 
						|
        if (port !== 843) {
 | 
						|
          WebSocket.loadFlashPolicyFile('xmlsocket://' + options.host + ':' + port);
 | 
						|
        }
 | 
						|
 | 
						|
        WebSocket.__initialize();
 | 
						|
        Flashsocket.loaded = true;
 | 
						|
      }
 | 
						|
 | 
						|
      fn.call(self);
 | 
						|
    }
 | 
						|
 | 
						|
    var self = this;
 | 
						|
    if (document.body) return init();
 | 
						|
 | 
						|
    io.util.load(init);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if the FlashSocket transport is supported as it requires that the Adobe
 | 
						|
   * Flash Player plug-in version `10.0.0` or greater is installed. And also check if
 | 
						|
   * the polyfill is correctly loaded.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.check = function () {
 | 
						|
    if (
 | 
						|
        typeof WebSocket == 'undefined'
 | 
						|
      || !('__initialize' in WebSocket) || !swfobject
 | 
						|
    ) return false;
 | 
						|
 | 
						|
    return swfobject.getFlashPlayerVersion().major >= 10;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if the FlashSocket transport can be used as cross domain / cross origin 
 | 
						|
   * transport. Because we can't see which type (secure or insecure) of .swf is used
 | 
						|
   * we will just return true.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  Flashsocket.xdomainCheck = function () {
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disable AUTO_INITIALIZATION
 | 
						|
   */
 | 
						|
 | 
						|
  if (typeof window != 'undefined') {
 | 
						|
    WEB_SOCKET_DISABLE_AUTO_INITIALIZATION = true;
 | 
						|
  }
 | 
						|
 | 
						|
  /**
 | 
						|
   * Add the transport to your public io.transports array.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports.push('flashsocket');
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
/*	SWFObject v2.2 <http://code.google.com/p/swfobject/> 
 | 
						|
	is released under the MIT License <http://www.opensource.org/licenses/mit-license.php> 
 | 
						|
*/
 | 
						|
if ('undefined' != typeof window) {
 | 
						|
var swfobject=function(){var D="undefined",r="object",S="Shockwave Flash",W="ShockwaveFlash.ShockwaveFlash",q="application/x-shockwave-flash",R="SWFObjectExprInst",x="onreadystatechange",O=window,j=document,t=navigator,T=false,U=[h],o=[],N=[],I=[],l,Q,E,B,J=false,a=false,n,G,m=true,M=function(){var aa=typeof j.getElementById!=D&&typeof j.getElementsByTagName!=D&&typeof j.createElement!=D,ah=t.userAgent.toLowerCase(),Y=t.platform.toLowerCase(),ae=Y?/win/.test(Y):/win/.test(ah),ac=Y?/mac/.test(Y):/mac/.test(ah),af=/webkit/.test(ah)?parseFloat(ah.replace(/^.*webkit\/(\d+(\.\d+)?).*$/,"$1")):false,X=!+"\v1",ag=[0,0,0],ab=null;if(typeof t.plugins!=D&&typeof t.plugins[S]==r){ab=t.plugins[S].description;if(ab&&!(typeof t.mimeTypes!=D&&t.mimeTypes[q]&&!t.mimeTypes[q].enabledPlugin)){T=true;X=false;ab=ab.replace(/^.*\s+(\S+\s+\S+$)/,"$1");ag[0]=parseInt(ab.replace(/^(.*)\..*$/,"$1"),10);ag[1]=parseInt(ab.replace(/^.*\.(.*)\s.*$/,"$1"),10);ag[2]=/[a-zA-Z]/.test(ab)?parseInt(ab.replace(/^.*[a-zA-Z]+(.*)$/,"$1"),10):0}}else{if(typeof O[(['Active'].concat('Object').join('X'))]!=D){try{var ad=new window[(['Active'].concat('Object').join('X'))](W);if(ad){ab=ad.GetVariable("$version");if(ab){X=true;ab=ab.split(" ")[1].split(",");ag=[parseInt(ab[0],10),parseInt(ab[1],10),parseInt(ab[2],10)]}}}catch(Z){}}}return{w3:aa,pv:ag,wk:af,ie:X,win:ae,mac:ac}}(),k=function(){if(!M.w3){return}if((typeof j.readyState!=D&&j.readyState=="complete")||(typeof j.readyState==D&&(j.getElementsByTagName("body")[0]||j.body))){f()}if(!J){if(typeof j.addEventListener!=D){j.addEventListener("DOMContentLoaded",f,false)}if(M.ie&&M.win){j.attachEvent(x,function(){if(j.readyState=="complete"){j.detachEvent(x,arguments.callee);f()}});if(O==top){(function(){if(J){return}try{j.documentElement.doScroll("left")}catch(X){setTimeout(arguments.callee,0);return}f()})()}}if(M.wk){(function(){if(J){return}if(!/loaded|complete/.test(j.readyState)){setTimeout(arguments.callee,0);return}f()})()}s(f)}}();function f(){if(J){return}try{var Z=j.getElementsByTagName("body")[0].appendChild(C("span"));Z.parentNode.removeChild(Z)}catch(aa){return}J=true;var X=U.length;for(var Y=0;Y<X;Y++){U[Y]()}}function K(X){if(J){X()}else{U[U.length]=X}}function s(Y){if(typeof O.addEventListener!=D){O.addEventListener("load",Y,false)}else{if(typeof j.addEventListener!=D){j.addEventListener("load",Y,false)}else{if(typeof O.attachEvent!=D){i(O,"onload",Y)}else{if(typeof O.onload=="function"){var X=O.onload;O.onload=function(){X();Y()}}else{O.onload=Y}}}}}function h(){if(T){V()}else{H()}}function V(){var X=j.getElementsByTagName("body")[0];var aa=C(r);aa.setAttribute("type",q);var Z=X.appendChild(aa);if(Z){var Y=0;(function(){if(typeof Z.GetVariable!=D){var ab=Z.GetVariable("$version");if(ab){ab=ab.split(" ")[1].split(",");M.pv=[parseInt(ab[0],10),parseInt(ab[1],10),parseInt(ab[2],10)]}}else{if(Y<10){Y++;setTimeout(arguments.callee,10);return}}X.removeChild(aa);Z=null;H()})()}else{H()}}function H(){var ag=o.length;if(ag>0){for(var af=0;af<ag;af++){var Y=o[af].id;var ab=o[af].callbackFn;var aa={success:false,id:Y};if(M.pv[0]>0){var ae=c(Y);if(ae){if(F(o[af].swfVersion)&&!(M.wk&&M.wk<312)){w(Y,true);if(ab){aa.success=true;aa.ref=z(Y);ab(aa)}}else{if(o[af].expressInstall&&A()){var ai={};ai.data=o[af].expressInstall;ai.width=ae.getAttribute("width")||"0";ai.height=ae.getAttribute("height")||"0";if(ae.getAttribute("class")){ai.styleclass=ae.getAttribute("class")}if(ae.getAttribute("align")){ai.align=ae.getAttribute("align")}var ah={};var X=ae.getElementsByTagName("param");var ac=X.length;for(var ad=0;ad<ac;ad++){if(X[ad].getAttribute("name").toLowerCase()!="movie"){ah[X[ad].getAttribute("name")]=X[ad].getAttribute("value")}}P(ai,ah,Y,ab)}else{p(ae);if(ab){ab(aa)}}}}}else{w(Y,true);if(ab){var Z=z(Y);if(Z&&typeof Z.SetVariable!=D){aa.success=true;aa.ref=Z}ab(aa)}}}}}function z(aa){var X=null;var Y=c(aa);if(Y&&Y.nodeName=="OBJECT"){if(typeof Y.SetVariable!=D){X=Y}else{var Z=Y.getElementsByTagName(r)[0];if(Z){X=Z}}}return X}function A(){return !a&&F("6.0.65")&&(M.win||M.mac)&&!(M.wk&&M.wk<312)}function P(aa,ab,X,Z){a=true;E=Z||null;B={success:false,id:X};var ae=c(X);if(ae){if(ae.nodeName=="OBJECT"){l=g(ae);Q=null}else{l=ae;Q=X}aa.id=R;if(typeof aa.width==D||(!/%$/.test(aa.width)&&parseInt(aa.width,10)<310)){aa.width="310"}if(typeof aa.height==D||(!/%$/.test(aa.height)&&parseInt(aa.height,10)<137)){aa.height="137"}j.title=j.title.slice(0,47)+" - Flash Player Installation";var ad=M.ie&&M.win?(['Active'].concat('').join('X')):"PlugIn",ac="MMredirectURL="+O.location.toString().replace(/&/g,"%26")+"&MMplayerType="+ad+"&MMdoctitle="+j.title;if(typeof ab.flashvars!=D){ab.flashvars+="&"+ac}else{ab.flashvars=ac}if(M.ie&&M.win&&ae.readyState!=4){var Y=C("div");X+="SWFObjectNew";Y.setAttribute("id",X);ae.parentNode.insertBefore(Y,ae);ae.style.display="none";(function(){if(ae.readyState==4){ae.parentNode.removeChild(ae)}else{setTimeout(arguments.callee,10)}})()}u(aa,ab,X)}}function p(Y){if(M.ie&&M.win&&Y.readyState!=4){var X=C("div");Y.parentNode.insertBefore(X,Y);X.parentNode.replaceChild(g(Y),X);Y.style.display="none";(function(){if(Y.readyState==4){Y.parentNode.removeChild(Y)}else{setTimeout(arguments.callee,10)}})()}else{Y.parentNode.replaceChild(g(Y),Y)}}function g(ab){var aa=C("div");if(M.win&&M.ie){aa.innerHTML=ab.innerHTML}else{var Y=ab.getElementsByTagName(r)[0];if(Y){var ad=Y.childNodes;if(ad){var X=ad.length;for(var Z=0;Z<X;Z++){if(!(ad[Z].nodeType==1&&ad[Z].nodeName=="PARAM")&&!(ad[Z].nodeType==8)){aa.appendChild(ad[Z].cloneNode(true))}}}}}return aa}function u(ai,ag,Y){var X,aa=c(Y);if(M.wk&&M.wk<312){return X}if(aa){if(typeof ai.id==D){ai.id=Y}if(M.ie&&M.win){var ah="";for(var ae in ai){if(ai[ae]!=Object.prototype[ae]){if(ae.toLowerCase()=="data"){ag.movie=ai[ae]}else{if(ae.toLowerCase()=="styleclass"){ah+=' class="'+ai[ae]+'"'}else{if(ae.toLowerCase()!="classid"){ah+=" "+ae+'="'+ai[ae]+'"'}}}}}var af="";for(var ad in ag){if(ag[ad]!=Object.prototype[ad]){af+='<param name="'+ad+'" value="'+ag[ad]+'" />'}}aa.outerHTML='<object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"'+ah+">"+af+"</object>";N[N.length]=ai.id;X=c(ai.id)}else{var Z=C(r);Z.setAttribute("type",q);for(var ac in ai){if(ai[ac]!=Object.prototype[ac]){if(ac.toLowerCase()=="styleclass"){Z.setAttribute("class",ai[ac])}else{if(ac.toLowerCase()!="classid"){Z.setAttribute(ac,ai[ac])}}}}for(var ab in ag){if(ag[ab]!=Object.prototype[ab]&&ab.toLowerCase()!="movie"){e(Z,ab,ag[ab])}}aa.parentNode.replaceChild(Z,aa);X=Z}}return X}function e(Z,X,Y){var aa=C("param");aa.setAttribute("name",X);aa.setAttribute("value",Y);Z.appendChild(aa)}function y(Y){var X=c(Y);if(X&&X.nodeName=="OBJECT"){if(M.ie&&M.win){X.style.display="none";(function(){if(X.readyState==4){b(Y)}else{setTimeout(arguments.callee,10)}})()}else{X.parentNode.removeChild(X)}}}function b(Z){var Y=c(Z);if(Y){for(var X in Y){if(typeof Y[X]=="function"){Y[X]=null}}Y.parentNode.removeChild(Y)}}function c(Z){var X=null;try{X=j.getElementById(Z)}catch(Y){}return X}function C(X){return j.createElement(X)}function i(Z,X,Y){Z.attachEvent(X,Y);I[I.length]=[Z,X,Y]}function F(Z){var Y=M.pv,X=Z.split(".");X[0]=parseInt(X[0],10);X[1]=parseInt(X[1],10)||0;X[2]=parseInt(X[2],10)||0;return(Y[0]>X[0]||(Y[0]==X[0]&&Y[1]>X[1])||(Y[0]==X[0]&&Y[1]==X[1]&&Y[2]>=X[2]))?true:false}function v(ac,Y,ad,ab){if(M.ie&&M.mac){return}var aa=j.getElementsByTagName("head")[0];if(!aa){return}var X=(ad&&typeof ad=="string")?ad:"screen";if(ab){n=null;G=null}if(!n||G!=X){var Z=C("style");Z.setAttribute("type","text/css");Z.setAttribute("media",X);n=aa.appendChild(Z);if(M.ie&&M.win&&typeof j.styleSheets!=D&&j.styleSheets.length>0){n=j.styleSheets[j.styleSheets.length-1]}G=X}if(M.ie&&M.win){if(n&&typeof n.addRule==r){n.addRule(ac,Y)}}else{if(n&&typeof j.createTextNode!=D){n.appendChild(j.createTextNode(ac+" {"+Y+"}"))}}}function w(Z,X){if(!m){return}var Y=X?"visible":"hidden";if(J&&c(Z)){c(Z).style.visibility=Y}else{v("#"+Z,"visibility:"+Y)}}function L(Y){var Z=/[\\\"<>\.;]/;var X=Z.exec(Y)!=null;return X&&typeof encodeURIComponent!=D?encodeURIComponent(Y):Y}var d=function(){if(M.ie&&M.win){window.attachEvent("onunload",function(){var ac=I.length;for(var ab=0;ab<ac;ab++){I[ab][0].detachEvent(I[ab][1],I[ab][2])}var Z=N.length;for(var aa=0;aa<Z;aa++){y(N[aa])}for(var Y in M){M[Y]=null}M=null;for(var X in swfobject){swfobject[X]=null}swfobject=null})}}();return{registerObject:function(ab,X,aa,Z){if(M.w3&&ab&&X){var Y={};Y.id=ab;Y.swfVersion=X;Y.expressInstall=aa;Y.callbackFn=Z;o[o.length]=Y;w(ab,false)}else{if(Z){Z({success:false,id:ab})}}},getObjectById:function(X){if(M.w3){return z(X)}},embedSWF:function(ab,ah,ae,ag,Y,aa,Z,ad,af,ac){var X={success:false,id:ah};if(M.w3&&!(M.wk&&M.wk<312)&&ab&&ah&&ae&&ag&&Y){w(ah,false);K(function(){ae+="";ag+="";var aj={};if(af&&typeof af===r){for(var al in af){aj[al]=af[al]}}aj.data=ab;aj.width=ae;aj.height=ag;var am={};if(ad&&typeof ad===r){for(var ak in ad){am[ak]=ad[ak]}}if(Z&&typeof Z===r){for(var ai in Z){if(typeof am.flashvars!=D){am.flashvars+="&"+ai+"="+Z[ai]}else{am.flashvars=ai+"="+Z[ai]}}}if(F(Y)){var an=u(aj,am,ah);if(aj.id==ah){w(ah,true)}X.success=true;X.ref=an}else{if(aa&&A()){aj.data=aa;P(aj,am,ah,ac);return}else{w(ah,true)}}if(ac){ac(X)}})}else{if(ac){ac(X)}}},switchOffAutoHideShow:function(){m=false},ua:M,getFlashPlayerVersion:function(){return{major:M.pv[0],minor:M.pv[1],release:M.pv[2]}},hasFlashPlayerVersion:F,createSWF:function(Z,Y,X){if(M.w3){return u(Z,Y,X)}else{return undefined}},showExpressInstall:function(Z,aa,X,Y){if(M.w3&&A()){P(Z,aa,X,Y)}},removeSWF:function(X){if(M.w3){y(X)}},createCSS:function(aa,Z,Y,X){if(M.w3){v(aa,Z,Y,X)}},addDomLoadEvent:K,addLoadEvent:s,getQueryParamValue:function(aa){var Z=j.location.search||j.location.hash;if(Z){if(/\?/.test(Z)){Z=Z.split("?")[1]}if(aa==null){return L(Z)}var Y=Z.split("&");for(var X=0;X<Y.length;X++){if(Y[X].substring(0,Y[X].indexOf("="))==aa){return L(Y[X].substring((Y[X].indexOf("=")+1)))}}}return""},expressInstallCallback:function(){if(a){var X=c(R);if(X&&l){X.parentNode.replaceChild(l,X);if(Q){w(Q,true);if(M.ie&&M.win){l.style.display="block"}}if(E){E(B)}}a=false}}}}();
 | 
						|
}
 | 
						|
// Copyright: Hiroshi Ichikawa <http://gimite.net/en/>
 | 
						|
// License: New BSD License
 | 
						|
// Reference: http://dev.w3.org/html5/websockets/
 | 
						|
// Reference: http://tools.ietf.org/html/draft-hixie-thewebsocketprotocol
 | 
						|
 | 
						|
(function() {
 | 
						|
  
 | 
						|
  if ('undefined' == typeof window || window.WebSocket) return;
 | 
						|
 | 
						|
  var console = window.console;
 | 
						|
  if (!console || !console.log || !console.error) {
 | 
						|
    console = {log: function(){ }, error: function(){ }};
 | 
						|
  }
 | 
						|
  
 | 
						|
  if (!swfobject.hasFlashPlayerVersion("10.0.0")) {
 | 
						|
    console.error("Flash Player >= 10.0.0 is required.");
 | 
						|
    return;
 | 
						|
  }
 | 
						|
  if (location.protocol == "file:") {
 | 
						|
    console.error(
 | 
						|
      "WARNING: web-socket-js doesn't work in file:///... URL " +
 | 
						|
      "unless you set Flash Security Settings properly. " +
 | 
						|
      "Open the page via Web server i.e. http://...");
 | 
						|
  }
 | 
						|
 | 
						|
  /**
 | 
						|
   * This class represents a faux web socket.
 | 
						|
   * @param {string} url
 | 
						|
   * @param {array or string} protocols
 | 
						|
   * @param {string} proxyHost
 | 
						|
   * @param {int} proxyPort
 | 
						|
   * @param {string} headers
 | 
						|
   */
 | 
						|
  WebSocket = function(url, protocols, proxyHost, proxyPort, headers) {
 | 
						|
    var self = this;
 | 
						|
    self.__id = WebSocket.__nextId++;
 | 
						|
    WebSocket.__instances[self.__id] = self;
 | 
						|
    self.readyState = WebSocket.CONNECTING;
 | 
						|
    self.bufferedAmount = 0;
 | 
						|
    self.__events = {};
 | 
						|
    if (!protocols) {
 | 
						|
      protocols = [];
 | 
						|
    } else if (typeof protocols == "string") {
 | 
						|
      protocols = [protocols];
 | 
						|
    }
 | 
						|
    // Uses setTimeout() to make sure __createFlash() runs after the caller sets ws.onopen etc.
 | 
						|
    // Otherwise, when onopen fires immediately, onopen is called before it is set.
 | 
						|
    setTimeout(function() {
 | 
						|
      WebSocket.__addTask(function() {
 | 
						|
        WebSocket.__flash.create(
 | 
						|
            self.__id, url, protocols, proxyHost || null, proxyPort || 0, headers || null);
 | 
						|
      });
 | 
						|
    }, 0);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Send data to the web socket.
 | 
						|
   * @param {string} data  The data to send to the socket.
 | 
						|
   * @return {boolean}  True for success, false for failure.
 | 
						|
   */
 | 
						|
  WebSocket.prototype.send = function(data) {
 | 
						|
    if (this.readyState == WebSocket.CONNECTING) {
 | 
						|
      throw "INVALID_STATE_ERR: Web Socket connection has not been established";
 | 
						|
    }
 | 
						|
    // We use encodeURIComponent() here, because FABridge doesn't work if
 | 
						|
    // the argument includes some characters. We don't use escape() here
 | 
						|
    // because of this:
 | 
						|
    // https://developer.mozilla.org/en/Core_JavaScript_1.5_Guide/Functions#escape_and_unescape_Functions
 | 
						|
    // But it looks decodeURIComponent(encodeURIComponent(s)) doesn't
 | 
						|
    // preserve all Unicode characters either e.g. "\uffff" in Firefox.
 | 
						|
    // Note by wtritch: Hopefully this will not be necessary using ExternalInterface.  Will require
 | 
						|
    // additional testing.
 | 
						|
    var result = WebSocket.__flash.send(this.__id, encodeURIComponent(data));
 | 
						|
    if (result < 0) { // success
 | 
						|
      return true;
 | 
						|
    } else {
 | 
						|
      this.bufferedAmount += result;
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Close this web socket gracefully.
 | 
						|
   */
 | 
						|
  WebSocket.prototype.close = function() {
 | 
						|
    if (this.readyState == WebSocket.CLOSED || this.readyState == WebSocket.CLOSING) {
 | 
						|
      return;
 | 
						|
    }
 | 
						|
    this.readyState = WebSocket.CLOSING;
 | 
						|
    WebSocket.__flash.close(this.__id);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
 | 
						|
   *
 | 
						|
   * @param {string} type
 | 
						|
   * @param {function} listener
 | 
						|
   * @param {boolean} useCapture
 | 
						|
   * @return void
 | 
						|
   */
 | 
						|
  WebSocket.prototype.addEventListener = function(type, listener, useCapture) {
 | 
						|
    if (!(type in this.__events)) {
 | 
						|
      this.__events[type] = [];
 | 
						|
    }
 | 
						|
    this.__events[type].push(listener);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
 | 
						|
   *
 | 
						|
   * @param {string} type
 | 
						|
   * @param {function} listener
 | 
						|
   * @param {boolean} useCapture
 | 
						|
   * @return void
 | 
						|
   */
 | 
						|
  WebSocket.prototype.removeEventListener = function(type, listener, useCapture) {
 | 
						|
    if (!(type in this.__events)) return;
 | 
						|
    var events = this.__events[type];
 | 
						|
    for (var i = events.length - 1; i >= 0; --i) {
 | 
						|
      if (events[i] === listener) {
 | 
						|
        events.splice(i, 1);
 | 
						|
        break;
 | 
						|
      }
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Implementation of {@link <a href="http://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-registration">DOM 2 EventTarget Interface</a>}
 | 
						|
   *
 | 
						|
   * @param {Event} event
 | 
						|
   * @return void
 | 
						|
   */
 | 
						|
  WebSocket.prototype.dispatchEvent = function(event) {
 | 
						|
    var events = this.__events[event.type] || [];
 | 
						|
    for (var i = 0; i < events.length; ++i) {
 | 
						|
      events[i](event);
 | 
						|
    }
 | 
						|
    var handler = this["on" + event.type];
 | 
						|
    if (handler) handler(event);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handles an event from Flash.
 | 
						|
   * @param {Object} flashEvent
 | 
						|
   */
 | 
						|
  WebSocket.prototype.__handleEvent = function(flashEvent) {
 | 
						|
    if ("readyState" in flashEvent) {
 | 
						|
      this.readyState = flashEvent.readyState;
 | 
						|
    }
 | 
						|
    if ("protocol" in flashEvent) {
 | 
						|
      this.protocol = flashEvent.protocol;
 | 
						|
    }
 | 
						|
    
 | 
						|
    var jsEvent;
 | 
						|
    if (flashEvent.type == "open" || flashEvent.type == "error") {
 | 
						|
      jsEvent = this.__createSimpleEvent(flashEvent.type);
 | 
						|
    } else if (flashEvent.type == "close") {
 | 
						|
      // TODO implement jsEvent.wasClean
 | 
						|
      jsEvent = this.__createSimpleEvent("close");
 | 
						|
    } else if (flashEvent.type == "message") {
 | 
						|
      var data = decodeURIComponent(flashEvent.message);
 | 
						|
      jsEvent = this.__createMessageEvent("message", data);
 | 
						|
    } else {
 | 
						|
      throw "unknown event type: " + flashEvent.type;
 | 
						|
    }
 | 
						|
    
 | 
						|
    this.dispatchEvent(jsEvent);
 | 
						|
  };
 | 
						|
  
 | 
						|
  WebSocket.prototype.__createSimpleEvent = function(type) {
 | 
						|
    if (document.createEvent && window.Event) {
 | 
						|
      var event = document.createEvent("Event");
 | 
						|
      event.initEvent(type, false, false);
 | 
						|
      return event;
 | 
						|
    } else {
 | 
						|
      return {type: type, bubbles: false, cancelable: false};
 | 
						|
    }
 | 
						|
  };
 | 
						|
  
 | 
						|
  WebSocket.prototype.__createMessageEvent = function(type, data) {
 | 
						|
    if (document.createEvent && window.MessageEvent && !window.opera) {
 | 
						|
      var event = document.createEvent("MessageEvent");
 | 
						|
      event.initMessageEvent("message", false, false, data, null, null, window, null);
 | 
						|
      return event;
 | 
						|
    } else {
 | 
						|
      // IE and Opera, the latter one truncates the data parameter after any 0x00 bytes.
 | 
						|
      return {type: type, data: data, bubbles: false, cancelable: false};
 | 
						|
    }
 | 
						|
  };
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Define the WebSocket readyState enumeration.
 | 
						|
   */
 | 
						|
  WebSocket.CONNECTING = 0;
 | 
						|
  WebSocket.OPEN = 1;
 | 
						|
  WebSocket.CLOSING = 2;
 | 
						|
  WebSocket.CLOSED = 3;
 | 
						|
 | 
						|
  WebSocket.__flash = null;
 | 
						|
  WebSocket.__instances = {};
 | 
						|
  WebSocket.__tasks = [];
 | 
						|
  WebSocket.__nextId = 0;
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Load a new flash security policy file.
 | 
						|
   * @param {string} url
 | 
						|
   */
 | 
						|
  WebSocket.loadFlashPolicyFile = function(url){
 | 
						|
    WebSocket.__addTask(function() {
 | 
						|
      WebSocket.__flash.loadManualPolicyFile(url);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Loads WebSocketMain.swf and creates WebSocketMain object in Flash.
 | 
						|
   */
 | 
						|
  WebSocket.__initialize = function() {
 | 
						|
    if (WebSocket.__flash) return;
 | 
						|
    
 | 
						|
    if (WebSocket.__swfLocation) {
 | 
						|
      // For backword compatibility.
 | 
						|
      window.WEB_SOCKET_SWF_LOCATION = WebSocket.__swfLocation;
 | 
						|
    }
 | 
						|
    if (!window.WEB_SOCKET_SWF_LOCATION) {
 | 
						|
      console.error("[WebSocket] set WEB_SOCKET_SWF_LOCATION to location of WebSocketMain.swf");
 | 
						|
      return;
 | 
						|
    }
 | 
						|
    var container = document.createElement("div");
 | 
						|
    container.id = "webSocketContainer";
 | 
						|
    // Hides Flash box. We cannot use display: none or visibility: hidden because it prevents
 | 
						|
    // Flash from loading at least in IE. So we move it out of the screen at (-100, -100).
 | 
						|
    // But this even doesn't work with Flash Lite (e.g. in Droid Incredible). So with Flash
 | 
						|
    // Lite, we put it at (0, 0). This shows 1x1 box visible at left-top corner but this is
 | 
						|
    // the best we can do as far as we know now.
 | 
						|
    container.style.position = "absolute";
 | 
						|
    if (WebSocket.__isFlashLite()) {
 | 
						|
      container.style.left = "0px";
 | 
						|
      container.style.top = "0px";
 | 
						|
    } else {
 | 
						|
      container.style.left = "-100px";
 | 
						|
      container.style.top = "-100px";
 | 
						|
    }
 | 
						|
    var holder = document.createElement("div");
 | 
						|
    holder.id = "webSocketFlash";
 | 
						|
    container.appendChild(holder);
 | 
						|
    document.body.appendChild(container);
 | 
						|
    // See this article for hasPriority:
 | 
						|
    // http://help.adobe.com/en_US/as3/mobile/WS4bebcd66a74275c36cfb8137124318eebc6-7ffd.html
 | 
						|
    swfobject.embedSWF(
 | 
						|
      WEB_SOCKET_SWF_LOCATION,
 | 
						|
      "webSocketFlash",
 | 
						|
      "1" /* width */,
 | 
						|
      "1" /* height */,
 | 
						|
      "10.0.0" /* SWF version */,
 | 
						|
      null,
 | 
						|
      null,
 | 
						|
      {hasPriority: true, swliveconnect : true, allowScriptAccess: "always"},
 | 
						|
      null,
 | 
						|
      function(e) {
 | 
						|
        if (!e.success) {
 | 
						|
          console.error("[WebSocket] swfobject.embedSWF failed");
 | 
						|
        }
 | 
						|
      });
 | 
						|
  };
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Called by Flash to notify JS that it's fully loaded and ready
 | 
						|
   * for communication.
 | 
						|
   */
 | 
						|
  WebSocket.__onFlashInitialized = function() {
 | 
						|
    // We need to set a timeout here to avoid round-trip calls
 | 
						|
    // to flash during the initialization process.
 | 
						|
    setTimeout(function() {
 | 
						|
      WebSocket.__flash = document.getElementById("webSocketFlash");
 | 
						|
      WebSocket.__flash.setCallerUrl(location.href);
 | 
						|
      WebSocket.__flash.setDebug(!!window.WEB_SOCKET_DEBUG);
 | 
						|
      for (var i = 0; i < WebSocket.__tasks.length; ++i) {
 | 
						|
        WebSocket.__tasks[i]();
 | 
						|
      }
 | 
						|
      WebSocket.__tasks = [];
 | 
						|
    }, 0);
 | 
						|
  };
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Called by Flash to notify WebSockets events are fired.
 | 
						|
   */
 | 
						|
  WebSocket.__onFlashEvent = function() {
 | 
						|
    setTimeout(function() {
 | 
						|
      try {
 | 
						|
        // Gets events using receiveEvents() instead of getting it from event object
 | 
						|
        // of Flash event. This is to make sure to keep message order.
 | 
						|
        // It seems sometimes Flash events don't arrive in the same order as they are sent.
 | 
						|
        var events = WebSocket.__flash.receiveEvents();
 | 
						|
        for (var i = 0; i < events.length; ++i) {
 | 
						|
          WebSocket.__instances[events[i].webSocketId].__handleEvent(events[i]);
 | 
						|
        }
 | 
						|
      } catch (e) {
 | 
						|
        console.error(e);
 | 
						|
      }
 | 
						|
    }, 0);
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
  
 | 
						|
  // Called by Flash.
 | 
						|
  WebSocket.__log = function(message) {
 | 
						|
    console.log(decodeURIComponent(message));
 | 
						|
  };
 | 
						|
  
 | 
						|
  // Called by Flash.
 | 
						|
  WebSocket.__error = function(message) {
 | 
						|
    console.error(decodeURIComponent(message));
 | 
						|
  };
 | 
						|
  
 | 
						|
  WebSocket.__addTask = function(task) {
 | 
						|
    if (WebSocket.__flash) {
 | 
						|
      task();
 | 
						|
    } else {
 | 
						|
      WebSocket.__tasks.push(task);
 | 
						|
    }
 | 
						|
  };
 | 
						|
  
 | 
						|
  /**
 | 
						|
   * Test if the browser is running flash lite.
 | 
						|
   * @return {boolean} True if flash lite is running, false otherwise.
 | 
						|
   */
 | 
						|
  WebSocket.__isFlashLite = function() {
 | 
						|
    if (!window.navigator || !window.navigator.mimeTypes) {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
    var mimeType = window.navigator.mimeTypes["application/x-shockwave-flash"];
 | 
						|
    if (!mimeType || !mimeType.enabledPlugin || !mimeType.enabledPlugin.filename) {
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
    return mimeType.enabledPlugin.filename.match(/flashlite/i) ? true : false;
 | 
						|
  };
 | 
						|
  
 | 
						|
  if (!window.WEB_SOCKET_DISABLE_AUTO_INITIALIZATION) {
 | 
						|
    if (window.addEventListener) {
 | 
						|
      window.addEventListener("load", function(){
 | 
						|
        WebSocket.__initialize();
 | 
						|
      }, false);
 | 
						|
    } else {
 | 
						|
      window.attachEvent("onload", function(){
 | 
						|
        WebSocket.__initialize();
 | 
						|
      });
 | 
						|
    }
 | 
						|
  }
 | 
						|
  
 | 
						|
})();
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  exports.XHR = XHR;
 | 
						|
 | 
						|
  /**
 | 
						|
   * XHR constructor
 | 
						|
   *
 | 
						|
   * @costructor
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function XHR (socket) {
 | 
						|
    if (!socket) return;
 | 
						|
 | 
						|
    io.Transport.apply(this, arguments);
 | 
						|
    this.sendBuffer = [];
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from Transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(XHR, io.Transport);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Establish a connection
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.open = function () {
 | 
						|
    this.socket.setBuffer(false);
 | 
						|
    this.onOpen();
 | 
						|
    this.get();
 | 
						|
 | 
						|
    // we need to make sure the request succeeds since we have no indication
 | 
						|
    // whether the request opened or not until it succeeded.
 | 
						|
    this.setCloseTimeout();
 | 
						|
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if we need to send data to the Socket.IO server, if we have data in our
 | 
						|
   * buffer we encode it and forward it to the `post` method.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.payload = function (payload) {
 | 
						|
    var msgs = [];
 | 
						|
 | 
						|
    for (var i = 0, l = payload.length; i < l; i++) {
 | 
						|
      msgs.push(io.parser.encodePacket(payload[i]));
 | 
						|
    }
 | 
						|
 | 
						|
    this.send(io.parser.encodePayload(msgs));
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Send data to the Socket.IO server.
 | 
						|
   *
 | 
						|
   * @param data The message
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.send = function (data) {
 | 
						|
    this.post(data);
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Posts a encoded message to the Socket.IO server.
 | 
						|
   *
 | 
						|
   * @param {String} data A encoded message.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  function empty () { };
 | 
						|
 | 
						|
  XHR.prototype.post = function (data) {
 | 
						|
    var self = this;
 | 
						|
    this.socket.setBuffer(true);
 | 
						|
 | 
						|
    function stateChange () {
 | 
						|
      if (this.readyState == 4) {
 | 
						|
        this.onreadystatechange = empty;
 | 
						|
        self.posting = false;
 | 
						|
 | 
						|
        if (this.status == 200){
 | 
						|
          self.socket.setBuffer(false);
 | 
						|
        } else {
 | 
						|
          self.onClose();
 | 
						|
        }
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    function onload () {
 | 
						|
      this.onload = empty;
 | 
						|
      self.socket.setBuffer(false);
 | 
						|
    };
 | 
						|
 | 
						|
    this.sendXHR = this.request('POST');
 | 
						|
 | 
						|
    if (global.XDomainRequest && this.sendXHR instanceof XDomainRequest) {
 | 
						|
      this.sendXHR.onload = this.sendXHR.onerror = onload;
 | 
						|
    } else {
 | 
						|
      this.sendXHR.onreadystatechange = stateChange;
 | 
						|
    }
 | 
						|
 | 
						|
    this.sendXHR.send(data);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnects the established `XHR` connection.
 | 
						|
   *
 | 
						|
   * @returns {Transport}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.close = function () {
 | 
						|
    this.onClose();
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Generates a configured XHR request
 | 
						|
   *
 | 
						|
   * @param {String} url The url that needs to be requested.
 | 
						|
   * @param {String} method The method the request should use.
 | 
						|
   * @returns {XMLHttpRequest}
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.request = function (method) {
 | 
						|
    var req = io.util.request(this.socket.isXDomain())
 | 
						|
      , query = io.util.query(this.socket.options.query, 't=' + +new Date);
 | 
						|
 | 
						|
    req.open(method || 'GET', this.prepareUrl() + query, true);
 | 
						|
 | 
						|
    if (method == 'POST') {
 | 
						|
      try {
 | 
						|
        if (req.setRequestHeader) {
 | 
						|
          req.setRequestHeader('Content-type', 'text/plain;charset=UTF-8');
 | 
						|
        } else {
 | 
						|
          // XDomainRequest
 | 
						|
          req.contentType = 'text/plain';
 | 
						|
        }
 | 
						|
      } catch (e) {}
 | 
						|
    }
 | 
						|
 | 
						|
    return req;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Returns the scheme to use for the transport URLs.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.prototype.scheme = function () {
 | 
						|
    return this.socket.options.secure ? 'https' : 'http';
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if the XHR transports are supported
 | 
						|
   *
 | 
						|
   * @param {Boolean} xdomain Check if we support cross domain requests.
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.check = function (socket, xdomain) {
 | 
						|
    try {
 | 
						|
      var request = io.util.request(xdomain),
 | 
						|
          usesXDomReq = (global.XDomainRequest && request instanceof XDomainRequest),
 | 
						|
          socketProtocol = (socket && socket.options && socket.options.secure ? 'https:' : 'http:'),
 | 
						|
          isXProtocol = (global.location && socketProtocol != global.location.protocol);
 | 
						|
      if (request && !(usesXDomReq && isXProtocol)) {
 | 
						|
        return true;
 | 
						|
      }
 | 
						|
    } catch(e) {}
 | 
						|
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if the XHR transport supports cross domain requests.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHR.xdomainCheck = function (socket) {
 | 
						|
    return XHR.check(socket, true);
 | 
						|
  };
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
  , this
 | 
						|
);
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports.htmlfile = HTMLFile;
 | 
						|
 | 
						|
  /**
 | 
						|
   * The HTMLFile transport creates a `forever iframe` based transport
 | 
						|
   * for Internet Explorer. Regular forever iframe implementations will 
 | 
						|
   * continuously trigger the browsers buzy indicators. If the forever iframe
 | 
						|
   * is created inside a `htmlfile` these indicators will not be trigged.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @extends {io.Transport.XHR}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function HTMLFile (socket) {
 | 
						|
    io.Transport.XHR.apply(this, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from XHR transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(HTMLFile, io.Transport.XHR);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transport name
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.prototype.name = 'htmlfile';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Creates a new Ac...eX `htmlfile` with a forever loading iframe
 | 
						|
   * that can be used to listen to messages. Inside the generated
 | 
						|
   * `htmlfile` a reference will be made to the HTMLFile transport.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.prototype.get = function () {
 | 
						|
    this.doc = new window[(['Active'].concat('Object').join('X'))]('htmlfile');
 | 
						|
    this.doc.open();
 | 
						|
    this.doc.write('<html></html>');
 | 
						|
    this.doc.close();
 | 
						|
    this.doc.parentWindow.s = this;
 | 
						|
 | 
						|
    var iframeC = this.doc.createElement('div');
 | 
						|
    iframeC.className = 'socketio';
 | 
						|
 | 
						|
    this.doc.body.appendChild(iframeC);
 | 
						|
    this.iframe = this.doc.createElement('iframe');
 | 
						|
 | 
						|
    iframeC.appendChild(this.iframe);
 | 
						|
 | 
						|
    var self = this
 | 
						|
      , query = io.util.query(this.socket.options.query, 't='+ +new Date);
 | 
						|
 | 
						|
    this.iframe.src = this.prepareUrl() + query;
 | 
						|
 | 
						|
    io.util.on(window, 'unload', function () {
 | 
						|
      self.destroy();
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * The Socket.IO server will write script tags inside the forever
 | 
						|
   * iframe, this function will be used as callback for the incoming
 | 
						|
   * information.
 | 
						|
   *
 | 
						|
   * @param {String} data The message
 | 
						|
   * @param {document} doc Reference to the context
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.prototype._ = function (data, doc) {
 | 
						|
    // unescape all forward slashes. see GH-1251
 | 
						|
    data = data.replace(/\\\//g, '/');
 | 
						|
    this.onData(data);
 | 
						|
    try {
 | 
						|
      var script = doc.getElementsByTagName('script')[0];
 | 
						|
      script.parentNode.removeChild(script);
 | 
						|
    } catch (e) { }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Destroy the established connection, iframe and `htmlfile`.
 | 
						|
   * And calls the `CollectGarbage` function of Internet Explorer
 | 
						|
   * to release the memory.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.prototype.destroy = function () {
 | 
						|
    if (this.iframe){
 | 
						|
      try {
 | 
						|
        this.iframe.src = 'about:blank';
 | 
						|
      } catch(e){}
 | 
						|
 | 
						|
      this.doc = null;
 | 
						|
      this.iframe.parentNode.removeChild(this.iframe);
 | 
						|
      this.iframe = null;
 | 
						|
 | 
						|
      CollectGarbage();
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Disconnects the established connection.
 | 
						|
   *
 | 
						|
   * @returns {Transport} Chaining.
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.prototype.close = function () {
 | 
						|
    this.destroy();
 | 
						|
    return io.Transport.XHR.prototype.close.call(this);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Checks if the browser supports this transport. The browser
 | 
						|
   * must have an `Ac...eXObject` implementation.
 | 
						|
   *
 | 
						|
   * @return {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.check = function (socket) {
 | 
						|
    if (typeof window != "undefined" && (['Active'].concat('Object').join('X')) in window){
 | 
						|
      try {
 | 
						|
        var a = new window[(['Active'].concat('Object').join('X'))]('htmlfile');
 | 
						|
        return a && io.Transport.XHR.check(socket);
 | 
						|
      } catch(e){}
 | 
						|
    }
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if cross domain requests are supported.
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  HTMLFile.xdomainCheck = function () {
 | 
						|
    // we can probably do handling for sub-domains, we should
 | 
						|
    // test that it's cross domain but a subdomain here
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Add the transport to your public io.transports array.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports.push('htmlfile');
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io, global) {
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports['xhr-polling'] = XHRPolling;
 | 
						|
 | 
						|
  /**
 | 
						|
   * The XHR-polling transport uses long polling XHR requests to create a
 | 
						|
   * "persistent" connection with the server.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function XHRPolling () {
 | 
						|
    io.Transport.XHR.apply(this, arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from XHR transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(XHRPolling, io.Transport.XHR);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Merge the properties from XHR transport
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.merge(XHRPolling, io.Transport.XHR);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transport name
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHRPolling.prototype.name = 'xhr-polling';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Indicates whether heartbeats is enabled for this transport
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHRPolling.prototype.heartbeats = function () {
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  /** 
 | 
						|
   * Establish a connection, for iPhone and Android this will be done once the page
 | 
						|
   * is loaded.
 | 
						|
   *
 | 
						|
   * @returns {Transport} Chaining.
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  XHRPolling.prototype.open = function () {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    io.Transport.XHR.prototype.open.call(self);
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Starts a XHR request to wait for incoming messages.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  function empty () {};
 | 
						|
 | 
						|
  XHRPolling.prototype.get = function () {
 | 
						|
    if (!this.isOpen) return;
 | 
						|
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    function stateChange () {
 | 
						|
      if (this.readyState == 4) {
 | 
						|
        this.onreadystatechange = empty;
 | 
						|
 | 
						|
        if (this.status == 200) {
 | 
						|
          self.onData(this.responseText);
 | 
						|
          self.get();
 | 
						|
        } else {
 | 
						|
          self.onClose();
 | 
						|
        }
 | 
						|
      }
 | 
						|
    };
 | 
						|
 | 
						|
    function onload () {
 | 
						|
      this.onload = empty;
 | 
						|
      this.onerror = empty;
 | 
						|
      self.retryCounter = 1;
 | 
						|
      self.onData(this.responseText);
 | 
						|
      self.get();
 | 
						|
    };
 | 
						|
 | 
						|
    function onerror () {
 | 
						|
      self.retryCounter ++;
 | 
						|
      if(!self.retryCounter || self.retryCounter > 3) {
 | 
						|
        self.onClose();  
 | 
						|
      } else {
 | 
						|
        self.get();
 | 
						|
      }
 | 
						|
    };
 | 
						|
 | 
						|
    this.xhr = this.request();
 | 
						|
 | 
						|
    if (global.XDomainRequest && this.xhr instanceof XDomainRequest) {
 | 
						|
      this.xhr.onload = onload;
 | 
						|
      this.xhr.onerror = onerror;
 | 
						|
    } else {
 | 
						|
      this.xhr.onreadystatechange = stateChange;
 | 
						|
    }
 | 
						|
 | 
						|
    this.xhr.send(null);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Handle the unclean close behavior.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHRPolling.prototype.onClose = function () {
 | 
						|
    io.Transport.XHR.prototype.onClose.call(this);
 | 
						|
 | 
						|
    if (this.xhr) {
 | 
						|
      this.xhr.onreadystatechange = this.xhr.onload = this.xhr.onerror = empty;
 | 
						|
      try {
 | 
						|
        this.xhr.abort();
 | 
						|
      } catch(e){}
 | 
						|
      this.xhr = null;
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Webkit based browsers show a infinit spinner when you start a XHR request
 | 
						|
   * before the browsers onload event is called so we need to defer opening of
 | 
						|
   * the transport until the onload event is called. Wrapping the cb in our
 | 
						|
   * defer method solve this.
 | 
						|
   *
 | 
						|
   * @param {Socket} socket The socket instance that needs a transport
 | 
						|
   * @param {Function} fn The callback
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  XHRPolling.prototype.ready = function (socket, fn) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    io.util.defer(function () {
 | 
						|
      fn.call(self);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Add the transport to your public io.transports array.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports.push('xhr-polling');
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
  , this
 | 
						|
);
 | 
						|
 | 
						|
/**
 | 
						|
 * socket.io
 | 
						|
 * Copyright(c) 2011 LearnBoost <dev@learnboost.com>
 | 
						|
 * MIT Licensed
 | 
						|
 */
 | 
						|
 | 
						|
(function (exports, io, global) {
 | 
						|
  /**
 | 
						|
   * There is a way to hide the loading indicator in Firefox. If you create and
 | 
						|
   * remove a iframe it will stop showing the current loading indicator.
 | 
						|
   * Unfortunately we can't feature detect that and UA sniffing is evil.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  var indicator = global.document && "MozAppearance" in
 | 
						|
    global.document.documentElement.style;
 | 
						|
 | 
						|
  /**
 | 
						|
   * Expose constructor.
 | 
						|
   */
 | 
						|
 | 
						|
  exports['jsonp-polling'] = JSONPPolling;
 | 
						|
 | 
						|
  /**
 | 
						|
   * The JSONP transport creates an persistent connection by dynamically
 | 
						|
   * inserting a script tag in the page. This script tag will receive the
 | 
						|
   * information of the Socket.IO server. When new information is received
 | 
						|
   * it creates a new script tag for the new data stream.
 | 
						|
   *
 | 
						|
   * @constructor
 | 
						|
   * @extends {io.Transport.xhr-polling}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  function JSONPPolling (socket) {
 | 
						|
    io.Transport['xhr-polling'].apply(this, arguments);
 | 
						|
 | 
						|
    this.index = io.j.length;
 | 
						|
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    io.j.push(function (msg) {
 | 
						|
      self._(msg);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Inherits from XHR polling transport.
 | 
						|
   */
 | 
						|
 | 
						|
  io.util.inherit(JSONPPolling, io.Transport['xhr-polling']);
 | 
						|
 | 
						|
  /**
 | 
						|
   * Transport name
 | 
						|
   *
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.prototype.name = 'jsonp-polling';
 | 
						|
 | 
						|
  /**
 | 
						|
   * Posts a encoded message to the Socket.IO server using an iframe.
 | 
						|
   * The iframe is used because script tags can create POST based requests.
 | 
						|
   * The iframe is positioned outside of the view so the user does not
 | 
						|
   * notice it's existence.
 | 
						|
   *
 | 
						|
   * @param {String} data A encoded message.
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.prototype.post = function (data) {
 | 
						|
    var self = this
 | 
						|
      , query = io.util.query(
 | 
						|
             this.socket.options.query
 | 
						|
          , 't='+ (+new Date) + '&i=' + this.index
 | 
						|
        );
 | 
						|
 | 
						|
    if (!this.form) {
 | 
						|
      var form = document.createElement('form')
 | 
						|
        , area = document.createElement('textarea')
 | 
						|
        , id = this.iframeId = 'socketio_iframe_' + this.index
 | 
						|
        , iframe;
 | 
						|
 | 
						|
      form.className = 'socketio';
 | 
						|
      form.style.position = 'absolute';
 | 
						|
      form.style.top = '0px';
 | 
						|
      form.style.left = '0px';
 | 
						|
      form.style.display = 'none';
 | 
						|
      form.target = id;
 | 
						|
      form.method = 'POST';
 | 
						|
      form.setAttribute('accept-charset', 'utf-8');
 | 
						|
      area.name = 'd';
 | 
						|
      form.appendChild(area);
 | 
						|
      document.body.appendChild(form);
 | 
						|
 | 
						|
      this.form = form;
 | 
						|
      this.area = area;
 | 
						|
    }
 | 
						|
 | 
						|
    this.form.action = this.prepareUrl() + query;
 | 
						|
 | 
						|
    function complete () {
 | 
						|
      initIframe();
 | 
						|
      self.socket.setBuffer(false);
 | 
						|
    };
 | 
						|
 | 
						|
    function initIframe () {
 | 
						|
      if (self.iframe) {
 | 
						|
        self.form.removeChild(self.iframe);
 | 
						|
      }
 | 
						|
 | 
						|
      try {
 | 
						|
        // ie6 dynamic iframes with target="" support (thanks Chris Lambacher)
 | 
						|
        iframe = document.createElement('<iframe name="'+ self.iframeId +'">');
 | 
						|
      } catch (e) {
 | 
						|
        iframe = document.createElement('iframe');
 | 
						|
        iframe.name = self.iframeId;
 | 
						|
      }
 | 
						|
 | 
						|
      iframe.id = self.iframeId;
 | 
						|
 | 
						|
      self.form.appendChild(iframe);
 | 
						|
      self.iframe = iframe;
 | 
						|
    };
 | 
						|
 | 
						|
    initIframe();
 | 
						|
 | 
						|
    // we temporarily stringify until we figure out how to prevent
 | 
						|
    // browsers from turning `\n` into `\r\n` in form inputs
 | 
						|
    this.area.value = io.JSON.stringify(data);
 | 
						|
 | 
						|
    try {
 | 
						|
      this.form.submit();
 | 
						|
    } catch(e) {}
 | 
						|
 | 
						|
    if (this.iframe.attachEvent) {
 | 
						|
      iframe.onreadystatechange = function () {
 | 
						|
        if (self.iframe.readyState == 'complete') {
 | 
						|
          complete();
 | 
						|
        }
 | 
						|
      };
 | 
						|
    } else {
 | 
						|
      this.iframe.onload = complete;
 | 
						|
    }
 | 
						|
 | 
						|
    this.socket.setBuffer(true);
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Creates a new JSONP poll that can be used to listen
 | 
						|
   * for messages from the Socket.IO server.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.prototype.get = function () {
 | 
						|
    var self = this
 | 
						|
      , script = document.createElement('script')
 | 
						|
      , query = io.util.query(
 | 
						|
             this.socket.options.query
 | 
						|
          , 't='+ (+new Date) + '&i=' + this.index
 | 
						|
        );
 | 
						|
 | 
						|
    if (this.script) {
 | 
						|
      this.script.parentNode.removeChild(this.script);
 | 
						|
      this.script = null;
 | 
						|
    }
 | 
						|
 | 
						|
    script.async = true;
 | 
						|
    script.src = this.prepareUrl() + query;
 | 
						|
    script.onerror = function () {
 | 
						|
      self.onClose();
 | 
						|
    };
 | 
						|
 | 
						|
    var insertAt = document.getElementsByTagName('script')[0];
 | 
						|
    insertAt.parentNode.insertBefore(script, insertAt);
 | 
						|
    this.script = script;
 | 
						|
 | 
						|
    if (indicator) {
 | 
						|
      setTimeout(function () {
 | 
						|
        var iframe = document.createElement('iframe');
 | 
						|
        document.body.appendChild(iframe);
 | 
						|
        document.body.removeChild(iframe);
 | 
						|
      }, 100);
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Callback function for the incoming message stream from the Socket.IO server.
 | 
						|
   *
 | 
						|
   * @param {String} data The message
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.prototype._ = function (msg) {
 | 
						|
    this.onData(msg);
 | 
						|
    if (this.isOpen) {
 | 
						|
      this.get();
 | 
						|
    }
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * The indicator hack only works after onload
 | 
						|
   *
 | 
						|
   * @param {Socket} socket The socket instance that needs a transport
 | 
						|
   * @param {Function} fn The callback
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.prototype.ready = function (socket, fn) {
 | 
						|
    var self = this;
 | 
						|
    if (!indicator) return fn.call(this);
 | 
						|
 | 
						|
    io.util.load(function () {
 | 
						|
      fn.call(self);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Checks if browser supports this transport.
 | 
						|
   *
 | 
						|
   * @return {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.check = function () {
 | 
						|
    return 'document' in global;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Check if cross domain requests are supported
 | 
						|
   *
 | 
						|
   * @returns {Boolean}
 | 
						|
   * @api public
 | 
						|
   */
 | 
						|
 | 
						|
  JSONPPolling.xdomainCheck = function () {
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  /**
 | 
						|
   * Add the transport to your public io.transports array.
 | 
						|
   *
 | 
						|
   * @api private
 | 
						|
   */
 | 
						|
 | 
						|
  io.transports.push('jsonp-polling');
 | 
						|
 | 
						|
})(
 | 
						|
    'undefined' != typeof io ? io.Transport : module.exports
 | 
						|
  , 'undefined' != typeof io ? io : module.parent.exports
 | 
						|
  , this
 | 
						|
);
 | 
						|
 | 
						|
if (typeof define === "function" && define.amd) {
 | 
						|
  define([], function () { return io; });
 | 
						|
}
 | 
						|
})();
 | 
						|
},{}],9:[function(require,module,exports){
 | 
						|
var events = require('events');
 | 
						|
 | 
						|
exports.isArray = isArray;
 | 
						|
exports.isDate = function(obj){return Object.prototype.toString.call(obj) === '[object Date]'};
 | 
						|
exports.isRegExp = function(obj){return Object.prototype.toString.call(obj) === '[object RegExp]'};
 | 
						|
 | 
						|
 | 
						|
exports.print = function () {};
 | 
						|
exports.puts = function () {};
 | 
						|
exports.debug = function() {};
 | 
						|
 | 
						|
exports.inspect = function(obj, showHidden, depth, colors) {
 | 
						|
  var seen = [];
 | 
						|
 | 
						|
  var stylize = function(str, styleType) {
 | 
						|
    // http://en.wikipedia.org/wiki/ANSI_escape_code#graphics
 | 
						|
    var styles =
 | 
						|
        { 'bold' : [1, 22],
 | 
						|
          'italic' : [3, 23],
 | 
						|
          'underline' : [4, 24],
 | 
						|
          'inverse' : [7, 27],
 | 
						|
          'white' : [37, 39],
 | 
						|
          'grey' : [90, 39],
 | 
						|
          'black' : [30, 39],
 | 
						|
          'blue' : [34, 39],
 | 
						|
          'cyan' : [36, 39],
 | 
						|
          'green' : [32, 39],
 | 
						|
          'magenta' : [35, 39],
 | 
						|
          'red' : [31, 39],
 | 
						|
          'yellow' : [33, 39] };
 | 
						|
 | 
						|
    var style =
 | 
						|
        { 'special': 'cyan',
 | 
						|
          'number': 'blue',
 | 
						|
          'boolean': 'yellow',
 | 
						|
          'undefined': 'grey',
 | 
						|
          'null': 'bold',
 | 
						|
          'string': 'green',
 | 
						|
          'date': 'magenta',
 | 
						|
          // "name": intentionally not styling
 | 
						|
          'regexp': 'red' }[styleType];
 | 
						|
 | 
						|
    if (style) {
 | 
						|
      return '\u001b[' + styles[style][0] + 'm' + str +
 | 
						|
             '\u001b[' + styles[style][1] + 'm';
 | 
						|
    } else {
 | 
						|
      return str;
 | 
						|
    }
 | 
						|
  };
 | 
						|
  if (! colors) {
 | 
						|
    stylize = function(str, styleType) { return str; };
 | 
						|
  }
 | 
						|
 | 
						|
  function format(value, recurseTimes) {
 | 
						|
    // Provide a hook for user-specified inspect functions.
 | 
						|
    // Check that value is an object with an inspect function on it
 | 
						|
    if (value && typeof value.inspect === 'function' &&
 | 
						|
        // Filter out the util module, it's inspect function is special
 | 
						|
        value !== exports &&
 | 
						|
        // Also filter out any prototype objects using the circular check.
 | 
						|
        !(value.constructor && value.constructor.prototype === value)) {
 | 
						|
      return value.inspect(recurseTimes);
 | 
						|
    }
 | 
						|
 | 
						|
    // Primitive types cannot have properties
 | 
						|
    switch (typeof value) {
 | 
						|
      case 'undefined':
 | 
						|
        return stylize('undefined', 'undefined');
 | 
						|
 | 
						|
      case 'string':
 | 
						|
        var simple = '\'' + JSON.stringify(value).replace(/^"|"$/g, '')
 | 
						|
                                                 .replace(/'/g, "\\'")
 | 
						|
                                                 .replace(/\\"/g, '"') + '\'';
 | 
						|
        return stylize(simple, 'string');
 | 
						|
 | 
						|
      case 'number':
 | 
						|
        return stylize('' + value, 'number');
 | 
						|
 | 
						|
      case 'boolean':
 | 
						|
        return stylize('' + value, 'boolean');
 | 
						|
    }
 | 
						|
    // For some reason typeof null is "object", so special case here.
 | 
						|
    if (value === null) {
 | 
						|
      return stylize('null', 'null');
 | 
						|
    }
 | 
						|
 | 
						|
    // Look up the keys of the object.
 | 
						|
    var visible_keys = Object_keys(value);
 | 
						|
    var keys = showHidden ? Object_getOwnPropertyNames(value) : visible_keys;
 | 
						|
 | 
						|
    // Functions without properties can be shortcutted.
 | 
						|
    if (typeof value === 'function' && keys.length === 0) {
 | 
						|
      if (isRegExp(value)) {
 | 
						|
        return stylize('' + value, 'regexp');
 | 
						|
      } else {
 | 
						|
        var name = value.name ? ': ' + value.name : '';
 | 
						|
        return stylize('[Function' + name + ']', 'special');
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    // Dates without properties can be shortcutted
 | 
						|
    if (isDate(value) && keys.length === 0) {
 | 
						|
      return stylize(value.toUTCString(), 'date');
 | 
						|
    }
 | 
						|
 | 
						|
    var base, type, braces;
 | 
						|
    // Determine the object type
 | 
						|
    if (isArray(value)) {
 | 
						|
      type = 'Array';
 | 
						|
      braces = ['[', ']'];
 | 
						|
    } else {
 | 
						|
      type = 'Object';
 | 
						|
      braces = ['{', '}'];
 | 
						|
    }
 | 
						|
 | 
						|
    // Make functions say that they are functions
 | 
						|
    if (typeof value === 'function') {
 | 
						|
      var n = value.name ? ': ' + value.name : '';
 | 
						|
      base = (isRegExp(value)) ? ' ' + value : ' [Function' + n + ']';
 | 
						|
    } else {
 | 
						|
      base = '';
 | 
						|
    }
 | 
						|
 | 
						|
    // Make dates with properties first say the date
 | 
						|
    if (isDate(value)) {
 | 
						|
      base = ' ' + value.toUTCString();
 | 
						|
    }
 | 
						|
 | 
						|
    if (keys.length === 0) {
 | 
						|
      return braces[0] + base + braces[1];
 | 
						|
    }
 | 
						|
 | 
						|
    if (recurseTimes < 0) {
 | 
						|
      if (isRegExp(value)) {
 | 
						|
        return stylize('' + value, 'regexp');
 | 
						|
      } else {
 | 
						|
        return stylize('[Object]', 'special');
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    seen.push(value);
 | 
						|
 | 
						|
    var output = keys.map(function(key) {
 | 
						|
      var name, str;
 | 
						|
      if (value.__lookupGetter__) {
 | 
						|
        if (value.__lookupGetter__(key)) {
 | 
						|
          if (value.__lookupSetter__(key)) {
 | 
						|
            str = stylize('[Getter/Setter]', 'special');
 | 
						|
          } else {
 | 
						|
            str = stylize('[Getter]', 'special');
 | 
						|
          }
 | 
						|
        } else {
 | 
						|
          if (value.__lookupSetter__(key)) {
 | 
						|
            str = stylize('[Setter]', 'special');
 | 
						|
          }
 | 
						|
        }
 | 
						|
      }
 | 
						|
      if (visible_keys.indexOf(key) < 0) {
 | 
						|
        name = '[' + key + ']';
 | 
						|
      }
 | 
						|
      if (!str) {
 | 
						|
        if (seen.indexOf(value[key]) < 0) {
 | 
						|
          if (recurseTimes === null) {
 | 
						|
            str = format(value[key]);
 | 
						|
          } else {
 | 
						|
            str = format(value[key], recurseTimes - 1);
 | 
						|
          }
 | 
						|
          if (str.indexOf('\n') > -1) {
 | 
						|
            if (isArray(value)) {
 | 
						|
              str = str.split('\n').map(function(line) {
 | 
						|
                return '  ' + line;
 | 
						|
              }).join('\n').substr(2);
 | 
						|
            } else {
 | 
						|
              str = '\n' + str.split('\n').map(function(line) {
 | 
						|
                return '   ' + line;
 | 
						|
              }).join('\n');
 | 
						|
            }
 | 
						|
          }
 | 
						|
        } else {
 | 
						|
          str = stylize('[Circular]', 'special');
 | 
						|
        }
 | 
						|
      }
 | 
						|
      if (typeof name === 'undefined') {
 | 
						|
        if (type === 'Array' && key.match(/^\d+$/)) {
 | 
						|
          return str;
 | 
						|
        }
 | 
						|
        name = JSON.stringify('' + key);
 | 
						|
        if (name.match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)) {
 | 
						|
          name = name.substr(1, name.length - 2);
 | 
						|
          name = stylize(name, 'name');
 | 
						|
        } else {
 | 
						|
          name = name.replace(/'/g, "\\'")
 | 
						|
                     .replace(/\\"/g, '"')
 | 
						|
                     .replace(/(^"|"$)/g, "'");
 | 
						|
          name = stylize(name, 'string');
 | 
						|
        }
 | 
						|
      }
 | 
						|
 | 
						|
      return name + ': ' + str;
 | 
						|
    });
 | 
						|
 | 
						|
    seen.pop();
 | 
						|
 | 
						|
    var numLinesEst = 0;
 | 
						|
    var length = output.reduce(function(prev, cur) {
 | 
						|
      numLinesEst++;
 | 
						|
      if (cur.indexOf('\n') >= 0) numLinesEst++;
 | 
						|
      return prev + cur.length + 1;
 | 
						|
    }, 0);
 | 
						|
 | 
						|
    if (length > 50) {
 | 
						|
      output = braces[0] +
 | 
						|
               (base === '' ? '' : base + '\n ') +
 | 
						|
               ' ' +
 | 
						|
               output.join(',\n  ') +
 | 
						|
               ' ' +
 | 
						|
               braces[1];
 | 
						|
 | 
						|
    } else {
 | 
						|
      output = braces[0] + base + ' ' + output.join(', ') + ' ' + braces[1];
 | 
						|
    }
 | 
						|
 | 
						|
    return output;
 | 
						|
  }
 | 
						|
  return format(obj, (typeof depth === 'undefined' ? 2 : depth));
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
function isArray(ar) {
 | 
						|
  return Array.isArray(ar) ||
 | 
						|
         (typeof ar === 'object' && Object.prototype.toString.call(ar) === '[object Array]');
 | 
						|
}
 | 
						|
 | 
						|
 | 
						|
function isRegExp(re) {
 | 
						|
  typeof re === 'object' && Object.prototype.toString.call(re) === '[object RegExp]';
 | 
						|
}
 | 
						|
 | 
						|
 | 
						|
function isDate(d) {
 | 
						|
  return typeof d === 'object' && Object.prototype.toString.call(d) === '[object Date]';
 | 
						|
}
 | 
						|
 | 
						|
function pad(n) {
 | 
						|
  return n < 10 ? '0' + n.toString(10) : n.toString(10);
 | 
						|
}
 | 
						|
 | 
						|
var months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep',
 | 
						|
              'Oct', 'Nov', 'Dec'];
 | 
						|
 | 
						|
// 26 Feb 16:19:34
 | 
						|
function timestamp() {
 | 
						|
  var d = new Date();
 | 
						|
  var time = [pad(d.getHours()),
 | 
						|
              pad(d.getMinutes()),
 | 
						|
              pad(d.getSeconds())].join(':');
 | 
						|
  return [d.getDate(), months[d.getMonth()], time].join(' ');
 | 
						|
}
 | 
						|
 | 
						|
exports.log = function (msg) {};
 | 
						|
 | 
						|
exports.pump = null;
 | 
						|
 | 
						|
var Object_keys = Object.keys || function (obj) {
 | 
						|
    var res = [];
 | 
						|
    for (var key in obj) res.push(key);
 | 
						|
    return res;
 | 
						|
};
 | 
						|
 | 
						|
var Object_getOwnPropertyNames = Object.getOwnPropertyNames || function (obj) {
 | 
						|
    var res = [];
 | 
						|
    for (var key in obj) {
 | 
						|
        if (Object.hasOwnProperty.call(obj, key)) res.push(key);
 | 
						|
    }
 | 
						|
    return res;
 | 
						|
};
 | 
						|
 | 
						|
var Object_create = Object.create || function (prototype, properties) {
 | 
						|
    // from es5-shim
 | 
						|
    var object;
 | 
						|
    if (prototype === null) {
 | 
						|
        object = { '__proto__' : null };
 | 
						|
    }
 | 
						|
    else {
 | 
						|
        if (typeof prototype !== 'object') {
 | 
						|
            throw new TypeError(
 | 
						|
                'typeof prototype[' + (typeof prototype) + '] != \'object\''
 | 
						|
            );
 | 
						|
        }
 | 
						|
        var Type = function () {};
 | 
						|
        Type.prototype = prototype;
 | 
						|
        object = new Type();
 | 
						|
        object.__proto__ = prototype;
 | 
						|
    }
 | 
						|
    if (typeof properties !== 'undefined' && Object.defineProperties) {
 | 
						|
        Object.defineProperties(object, properties);
 | 
						|
    }
 | 
						|
    return object;
 | 
						|
};
 | 
						|
 | 
						|
exports.inherits = function(ctor, superCtor) {
 | 
						|
  ctor.super_ = superCtor;
 | 
						|
  ctor.prototype = Object_create(superCtor.prototype, {
 | 
						|
    constructor: {
 | 
						|
      value: ctor,
 | 
						|
      enumerable: false,
 | 
						|
      writable: true,
 | 
						|
      configurable: true
 | 
						|
    }
 | 
						|
  });
 | 
						|
};
 | 
						|
 | 
						|
var formatRegExp = /%[sdj%]/g;
 | 
						|
exports.format = function(f) {
 | 
						|
  if (typeof f !== 'string') {
 | 
						|
    var objects = [];
 | 
						|
    for (var i = 0; i < arguments.length; i++) {
 | 
						|
      objects.push(exports.inspect(arguments[i]));
 | 
						|
    }
 | 
						|
    return objects.join(' ');
 | 
						|
  }
 | 
						|
 | 
						|
  var i = 1;
 | 
						|
  var args = arguments;
 | 
						|
  var len = args.length;
 | 
						|
  var str = String(f).replace(formatRegExp, function(x) {
 | 
						|
    if (x === '%%') return '%';
 | 
						|
    if (i >= len) return x;
 | 
						|
    switch (x) {
 | 
						|
      case '%s': return String(args[i++]);
 | 
						|
      case '%d': return Number(args[i++]);
 | 
						|
      case '%j': return JSON.stringify(args[i++]);
 | 
						|
      default:
 | 
						|
        return x;
 | 
						|
    }
 | 
						|
  });
 | 
						|
  for(var x = args[i]; i < len; x = args[++i]){
 | 
						|
    if (x === null || typeof x !== 'object') {
 | 
						|
      str += ' ' + x;
 | 
						|
    } else {
 | 
						|
      str += ' ' + exports.inspect(x);
 | 
						|
    }
 | 
						|
  }
 | 
						|
  return str;
 | 
						|
};
 | 
						|
 | 
						|
},{"events":10}],4:[function(require,module,exports){
 | 
						|
var util = require('util');
 | 
						|
var webrtc = require('webrtcsupport');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var mockconsole = require('mockconsole');
 | 
						|
var localMedia = require('localmedia');
 | 
						|
var Peer = require('./peer');
 | 
						|
 | 
						|
 | 
						|
function WebRTC(opts) {
 | 
						|
    var self = this;
 | 
						|
    var options = opts || {};
 | 
						|
    var config = this.config = {
 | 
						|
            debug: false,
 | 
						|
            // makes the entire PC config overridable
 | 
						|
            peerConnectionConfig: {
 | 
						|
                iceServers: [{"url": "stun:stun.l.google.com:19302"}]
 | 
						|
            },
 | 
						|
            peerConnectionConstraints: {
 | 
						|
                optional: [
 | 
						|
                    {DtlsSrtpKeyAgreement: true}
 | 
						|
                ]
 | 
						|
            },
 | 
						|
            receiveMedia: {
 | 
						|
                mandatory: {
 | 
						|
                    OfferToReceiveAudio: true,
 | 
						|
                    OfferToReceiveVideo: true
 | 
						|
                }
 | 
						|
            },
 | 
						|
            enableDataChannels: true
 | 
						|
        };
 | 
						|
    var item;
 | 
						|
 | 
						|
    // expose screensharing check
 | 
						|
    this.screenSharingSupport = webrtc.screenSharing;
 | 
						|
 | 
						|
    // We also allow a 'logger' option. It can be any object that implements
 | 
						|
    // log, warn, and error methods.
 | 
						|
    // We log nothing by default, following "the rule of silence":
 | 
						|
    // http://www.linfo.org/rule_of_silence.html
 | 
						|
    this.logger = function () {
 | 
						|
        // we assume that if you're in debug mode and you didn't
 | 
						|
        // pass in a logger, you actually want to log as much as
 | 
						|
        // possible.
 | 
						|
        if (opts.debug) {
 | 
						|
            return opts.logger || console;
 | 
						|
        } else {
 | 
						|
        // or we'll use your logger which should have its own logic
 | 
						|
        // for output. Or we'll return the no-op.
 | 
						|
            return opts.logger || mockconsole;
 | 
						|
        }
 | 
						|
    }();
 | 
						|
 | 
						|
    // set options
 | 
						|
    for (item in options) {
 | 
						|
        this.config[item] = options[item];
 | 
						|
    }
 | 
						|
 | 
						|
    // check for support
 | 
						|
    if (!webrtc.support) {
 | 
						|
        this.logger.error('Your browser doesn\'t seem to support WebRTC');
 | 
						|
    }
 | 
						|
 | 
						|
    // where we'll store our peer connections
 | 
						|
    this.peers = [];
 | 
						|
 | 
						|
    // call localMedia constructor
 | 
						|
    localMedia.call(this, this.config);
 | 
						|
 | 
						|
    this.on('speaking', function () {
 | 
						|
        if (!self.hardMuted) {
 | 
						|
            // FIXME: should use sendDirectlyToAll, but currently has different semantics wrt payload
 | 
						|
            self.peers.forEach(function (peer) {
 | 
						|
                if (peer.enableDataChannels) {
 | 
						|
                    var dc = peer.getDataChannel('hark');
 | 
						|
                    if (dc.readyState != 'open') return;
 | 
						|
                    dc.send(JSON.stringify({type: 'speaking'}));
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    });
 | 
						|
    this.on('stoppedSpeaking', function () {
 | 
						|
        if (!self.hardMuted) {
 | 
						|
            // FIXME: should use sendDirectlyToAll, but currently has different semantics wrt payload
 | 
						|
            self.peers.forEach(function (peer) {
 | 
						|
                if (peer.enableDataChannels) {
 | 
						|
                    var dc = peer.getDataChannel('hark');
 | 
						|
                    if (dc.readyState != 'open') return;
 | 
						|
                    dc.send(JSON.stringify({type: 'stoppedSpeaking'}));
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    });
 | 
						|
    this.on('volumeChange', function (volume, treshold) {
 | 
						|
        if (!self.hardMuted) {
 | 
						|
            // FIXME: should use sendDirectlyToAll, but currently has different semantics wrt payload
 | 
						|
            self.peers.forEach(function (peer) {
 | 
						|
                if (peer.enableDataChannels) {
 | 
						|
                    var dc = peer.getDataChannel('hark');
 | 
						|
                    if (dc.readyState != 'open') return;
 | 
						|
                    dc.send(JSON.stringify({type: 'volume', volume: volume }));
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    // log events in debug mode
 | 
						|
    if (this.config.debug) {
 | 
						|
        this.on('*', function (event, val1, val2) {
 | 
						|
            var logger;
 | 
						|
            // if you didn't pass in a logger and you explicitly turning on debug
 | 
						|
            // we're just going to assume you're wanting log output with console
 | 
						|
            if (self.config.logger === mockconsole) {
 | 
						|
                logger = console;
 | 
						|
            } else {
 | 
						|
                logger = self.logger;
 | 
						|
            }
 | 
						|
            logger.log('event:', event, val1, val2);
 | 
						|
        });
 | 
						|
    }
 | 
						|
}
 | 
						|
 | 
						|
util.inherits(WebRTC, localMedia);
 | 
						|
 | 
						|
WebRTC.prototype.createPeer = function (opts) {
 | 
						|
    var peer;
 | 
						|
    opts.parent = this;
 | 
						|
    peer = new Peer(opts);
 | 
						|
    this.peers.push(peer);
 | 
						|
    return peer;
 | 
						|
};
 | 
						|
 | 
						|
// removes peers
 | 
						|
WebRTC.prototype.removePeers = function (id, type) {
 | 
						|
    this.getPeers(id, type).forEach(function (peer) {
 | 
						|
        peer.end();
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
// fetches all Peer objects by session id and/or type
 | 
						|
WebRTC.prototype.getPeers = function (sessionId, type) {
 | 
						|
    return this.peers.filter(function (peer) {
 | 
						|
        return (!sessionId || peer.id === sessionId) && (!type || peer.type === type);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
// sends message to all
 | 
						|
WebRTC.prototype.sendToAll = function (message, payload) {
 | 
						|
    this.peers.forEach(function (peer) {
 | 
						|
        peer.send(message, payload);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
// sends message to all using a datachannel
 | 
						|
// only sends to anyone who has an open datachannel
 | 
						|
WebRTC.prototype.sendDirectlyToAll = function (channel, message, payload) {
 | 
						|
    this.peers.forEach(function (peer) {
 | 
						|
        if (peer.enableDataChannels) {
 | 
						|
            peer.sendDirectly(channel, message, payload);
 | 
						|
        }
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
module.exports = WebRTC;
 | 
						|
 | 
						|
},{"./peer":11,"localmedia":12,"mockconsole":7,"util":9,"webrtcsupport":5,"wildemitter":3}],13:[function(require,module,exports){
 | 
						|
// shim for using process in browser
 | 
						|
 | 
						|
var process = module.exports = {};
 | 
						|
 | 
						|
process.nextTick = (function () {
 | 
						|
    var canSetImmediate = typeof window !== 'undefined'
 | 
						|
    && window.setImmediate;
 | 
						|
    var canPost = typeof window !== 'undefined'
 | 
						|
    && window.postMessage && window.addEventListener
 | 
						|
    ;
 | 
						|
 | 
						|
    if (canSetImmediate) {
 | 
						|
        return function (f) { return window.setImmediate(f) };
 | 
						|
    }
 | 
						|
 | 
						|
    if (canPost) {
 | 
						|
        var queue = [];
 | 
						|
        window.addEventListener('message', function (ev) {
 | 
						|
            var source = ev.source;
 | 
						|
            if ((source === window || source === null) && ev.data === 'process-tick') {
 | 
						|
                ev.stopPropagation();
 | 
						|
                if (queue.length > 0) {
 | 
						|
                    var fn = queue.shift();
 | 
						|
                    fn();
 | 
						|
                }
 | 
						|
            }
 | 
						|
        }, true);
 | 
						|
 | 
						|
        return function nextTick(fn) {
 | 
						|
            queue.push(fn);
 | 
						|
            window.postMessage('process-tick', '*');
 | 
						|
        };
 | 
						|
    }
 | 
						|
 | 
						|
    return function nextTick(fn) {
 | 
						|
        setTimeout(fn, 0);
 | 
						|
    };
 | 
						|
})();
 | 
						|
 | 
						|
process.title = 'browser';
 | 
						|
process.browser = true;
 | 
						|
process.env = {};
 | 
						|
process.argv = [];
 | 
						|
 | 
						|
process.binding = function (name) {
 | 
						|
    throw new Error('process.binding is not supported');
 | 
						|
}
 | 
						|
 | 
						|
// TODO(shtylman)
 | 
						|
process.cwd = function () { return '/' };
 | 
						|
process.chdir = function (dir) {
 | 
						|
    throw new Error('process.chdir is not supported');
 | 
						|
};
 | 
						|
 | 
						|
},{}],10:[function(require,module,exports){
 | 
						|
var process=require("__browserify_process");if (!process.EventEmitter) process.EventEmitter = function () {};
 | 
						|
 | 
						|
var EventEmitter = exports.EventEmitter = process.EventEmitter;
 | 
						|
var isArray = typeof Array.isArray === 'function'
 | 
						|
    ? Array.isArray
 | 
						|
    : function (xs) {
 | 
						|
        return Object.prototype.toString.call(xs) === '[object Array]'
 | 
						|
    }
 | 
						|
;
 | 
						|
function indexOf (xs, x) {
 | 
						|
    if (xs.indexOf) return xs.indexOf(x);
 | 
						|
    for (var i = 0; i < xs.length; i++) {
 | 
						|
        if (x === xs[i]) return i;
 | 
						|
    }
 | 
						|
    return -1;
 | 
						|
}
 | 
						|
 | 
						|
// By default EventEmitters will print a warning if more than
 | 
						|
// 10 listeners are added to it. This is a useful default which
 | 
						|
// helps finding memory leaks.
 | 
						|
//
 | 
						|
// Obviously not all Emitters should be limited to 10. This function allows
 | 
						|
// that to be increased. Set to zero for unlimited.
 | 
						|
var defaultMaxListeners = 10;
 | 
						|
EventEmitter.prototype.setMaxListeners = function(n) {
 | 
						|
  if (!this._events) this._events = {};
 | 
						|
  this._events.maxListeners = n;
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
EventEmitter.prototype.emit = function(type) {
 | 
						|
  // If there is no 'error' event listener then throw.
 | 
						|
  if (type === 'error') {
 | 
						|
    if (!this._events || !this._events.error ||
 | 
						|
        (isArray(this._events.error) && !this._events.error.length))
 | 
						|
    {
 | 
						|
      if (arguments[1] instanceof Error) {
 | 
						|
        throw arguments[1]; // Unhandled 'error' event
 | 
						|
      } else {
 | 
						|
        throw new Error("Uncaught, unspecified 'error' event.");
 | 
						|
      }
 | 
						|
      return false;
 | 
						|
    }
 | 
						|
  }
 | 
						|
 | 
						|
  if (!this._events) return false;
 | 
						|
  var handler = this._events[type];
 | 
						|
  if (!handler) return false;
 | 
						|
 | 
						|
  if (typeof handler == 'function') {
 | 
						|
    switch (arguments.length) {
 | 
						|
      // fast cases
 | 
						|
      case 1:
 | 
						|
        handler.call(this);
 | 
						|
        break;
 | 
						|
      case 2:
 | 
						|
        handler.call(this, arguments[1]);
 | 
						|
        break;
 | 
						|
      case 3:
 | 
						|
        handler.call(this, arguments[1], arguments[2]);
 | 
						|
        break;
 | 
						|
      // slower
 | 
						|
      default:
 | 
						|
        var args = Array.prototype.slice.call(arguments, 1);
 | 
						|
        handler.apply(this, args);
 | 
						|
    }
 | 
						|
    return true;
 | 
						|
 | 
						|
  } else if (isArray(handler)) {
 | 
						|
    var args = Array.prototype.slice.call(arguments, 1);
 | 
						|
 | 
						|
    var listeners = handler.slice();
 | 
						|
    for (var i = 0, l = listeners.length; i < l; i++) {
 | 
						|
      listeners[i].apply(this, args);
 | 
						|
    }
 | 
						|
    return true;
 | 
						|
 | 
						|
  } else {
 | 
						|
    return false;
 | 
						|
  }
 | 
						|
};
 | 
						|
 | 
						|
// EventEmitter is defined in src/node_events.cc
 | 
						|
// EventEmitter.prototype.emit() is also defined there.
 | 
						|
EventEmitter.prototype.addListener = function(type, listener) {
 | 
						|
  if ('function' !== typeof listener) {
 | 
						|
    throw new Error('addListener only takes instances of Function');
 | 
						|
  }
 | 
						|
 | 
						|
  if (!this._events) this._events = {};
 | 
						|
 | 
						|
  // To avoid recursion in the case that type == "newListeners"! Before
 | 
						|
  // adding it to the listeners, first emit "newListeners".
 | 
						|
  this.emit('newListener', type, listener);
 | 
						|
 | 
						|
  if (!this._events[type]) {
 | 
						|
    // Optimize the case of one listener. Don't need the extra array object.
 | 
						|
    this._events[type] = listener;
 | 
						|
  } else if (isArray(this._events[type])) {
 | 
						|
 | 
						|
    // Check for listener leak
 | 
						|
    if (!this._events[type].warned) {
 | 
						|
      var m;
 | 
						|
      if (this._events.maxListeners !== undefined) {
 | 
						|
        m = this._events.maxListeners;
 | 
						|
      } else {
 | 
						|
        m = defaultMaxListeners;
 | 
						|
      }
 | 
						|
 | 
						|
      if (m && m > 0 && this._events[type].length > m) {
 | 
						|
        this._events[type].warned = true;
 | 
						|
        console.error('(node) warning: possible EventEmitter memory ' +
 | 
						|
                      'leak detected. %d listeners added. ' +
 | 
						|
                      'Use emitter.setMaxListeners() to increase limit.',
 | 
						|
                      this._events[type].length);
 | 
						|
        console.trace();
 | 
						|
      }
 | 
						|
    }
 | 
						|
 | 
						|
    // If we've already got an array, just append.
 | 
						|
    this._events[type].push(listener);
 | 
						|
  } else {
 | 
						|
    // Adding the second element, need to change to array.
 | 
						|
    this._events[type] = [this._events[type], listener];
 | 
						|
  }
 | 
						|
 | 
						|
  return this;
 | 
						|
};
 | 
						|
 | 
						|
EventEmitter.prototype.on = EventEmitter.prototype.addListener;
 | 
						|
 | 
						|
EventEmitter.prototype.once = function(type, listener) {
 | 
						|
  var self = this;
 | 
						|
  self.on(type, function g() {
 | 
						|
    self.removeListener(type, g);
 | 
						|
    listener.apply(this, arguments);
 | 
						|
  });
 | 
						|
 | 
						|
  return this;
 | 
						|
};
 | 
						|
 | 
						|
EventEmitter.prototype.removeListener = function(type, listener) {
 | 
						|
  if ('function' !== typeof listener) {
 | 
						|
    throw new Error('removeListener only takes instances of Function');
 | 
						|
  }
 | 
						|
 | 
						|
  // does not use listeners(), so no side effect of creating _events[type]
 | 
						|
  if (!this._events || !this._events[type]) return this;
 | 
						|
 | 
						|
  var list = this._events[type];
 | 
						|
 | 
						|
  if (isArray(list)) {
 | 
						|
    var i = indexOf(list, listener);
 | 
						|
    if (i < 0) return this;
 | 
						|
    list.splice(i, 1);
 | 
						|
    if (list.length == 0)
 | 
						|
      delete this._events[type];
 | 
						|
  } else if (this._events[type] === listener) {
 | 
						|
    delete this._events[type];
 | 
						|
  }
 | 
						|
 | 
						|
  return this;
 | 
						|
};
 | 
						|
 | 
						|
EventEmitter.prototype.removeAllListeners = function(type) {
 | 
						|
  if (arguments.length === 0) {
 | 
						|
    this._events = {};
 | 
						|
    return this;
 | 
						|
  }
 | 
						|
 | 
						|
  // does not use listeners(), so no side effect of creating _events[type]
 | 
						|
  if (type && this._events && this._events[type]) this._events[type] = null;
 | 
						|
  return this;
 | 
						|
};
 | 
						|
 | 
						|
EventEmitter.prototype.listeners = function(type) {
 | 
						|
  if (!this._events) this._events = {};
 | 
						|
  if (!this._events[type]) this._events[type] = [];
 | 
						|
  if (!isArray(this._events[type])) {
 | 
						|
    this._events[type] = [this._events[type]];
 | 
						|
  }
 | 
						|
  return this._events[type];
 | 
						|
};
 | 
						|
 | 
						|
EventEmitter.listenerCount = function(emitter, type) {
 | 
						|
  var ret;
 | 
						|
  if (!emitter._events || !emitter._events[type])
 | 
						|
    ret = 0;
 | 
						|
  else if (typeof emitter._events[type] === 'function')
 | 
						|
    ret = 1;
 | 
						|
  else
 | 
						|
    ret = emitter._events[type].length;
 | 
						|
  return ret;
 | 
						|
};
 | 
						|
 | 
						|
},{"__browserify_process":13}],11:[function(require,module,exports){
 | 
						|
var util = require('util');
 | 
						|
var webrtc = require('webrtcsupport');
 | 
						|
var PeerConnection = require('rtcpeerconnection');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var FileTransfer = require('filetransfer');
 | 
						|
 | 
						|
// the inband-v1 protocol is sending metadata inband in a serialized JSON object
 | 
						|
// followed by the actual data. Receiver closes the datachannel upon completion
 | 
						|
var INBAND_FILETRANSFER_V1 = 'https://simplewebrtc.com/protocol/filetransfer#inband-v1';
 | 
						|
 | 
						|
function Peer(options) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    this.id = options.id;
 | 
						|
    this.parent = options.parent;
 | 
						|
    this.type = options.type || 'video';
 | 
						|
    this.oneway = options.oneway || false;
 | 
						|
    this.sharemyscreen = options.sharemyscreen || false;
 | 
						|
    this.browserPrefix = options.prefix;
 | 
						|
    this.stream = options.stream;
 | 
						|
    this.enableDataChannels = options.enableDataChannels === undefined ? this.parent.config.enableDataChannels : options.enableDataChannels;
 | 
						|
    this.receiveMedia = options.receiveMedia || this.parent.config.receiveMedia;
 | 
						|
    this.channels = {};
 | 
						|
    this.sid = options.sid || Date.now().toString();
 | 
						|
    // Create an RTCPeerConnection via the polyfill
 | 
						|
    this.pc = new PeerConnection(this.parent.config.peerConnectionConfig, this.parent.config.peerConnectionConstraints);
 | 
						|
    this.pc.on('ice', this.onIceCandidate.bind(this));
 | 
						|
    this.pc.on('offer', function (offer) {
 | 
						|
        self.send('offer', offer);
 | 
						|
    });
 | 
						|
    this.pc.on('answer', function (offer) {
 | 
						|
        self.send('answer', offer);
 | 
						|
    });
 | 
						|
    this.pc.on('addStream', this.handleRemoteStreamAdded.bind(this));
 | 
						|
    this.pc.on('addChannel', this.handleDataChannelAdded.bind(this));
 | 
						|
    this.pc.on('removeStream', this.handleStreamRemoved.bind(this));
 | 
						|
    // Just fire negotiation needed events for now
 | 
						|
    // When browser re-negotiation handling seems to work
 | 
						|
    // we can use this as the trigger for starting the offer/answer process
 | 
						|
    // automatically. We'll just leave it be for now while this stabalizes.
 | 
						|
    this.pc.on('negotiationNeeded', this.emit.bind(this, 'negotiationNeeded'));
 | 
						|
    this.pc.on('iceConnectionStateChange', this.emit.bind(this, 'iceConnectionStateChange'));
 | 
						|
    this.pc.on('iceConnectionStateChange', function () {
 | 
						|
        switch (self.pc.iceConnectionState) {
 | 
						|
        case 'failed':
 | 
						|
            // currently, in chrome only the initiator goes to failed
 | 
						|
            // so we need to signal this to the peer
 | 
						|
            if (self.pc.pc.peerconnection.localDescription.type === 'offer') {
 | 
						|
                self.parent.emit('iceFailed', self);
 | 
						|
                self.send('connectivityError');
 | 
						|
            }
 | 
						|
            break;
 | 
						|
        }
 | 
						|
    });
 | 
						|
    this.pc.on('signalingStateChange', this.emit.bind(this, 'signalingStateChange'));
 | 
						|
    this.logger = this.parent.logger;
 | 
						|
 | 
						|
    // handle screensharing/broadcast mode
 | 
						|
    if (options.type === 'screen') {
 | 
						|
        if (this.parent.localScreen && this.sharemyscreen) {
 | 
						|
            this.logger.log('adding local screen stream to peer connection');
 | 
						|
            this.pc.addStream(this.parent.localScreen);
 | 
						|
            this.broadcaster = options.broadcaster;
 | 
						|
        }
 | 
						|
    } else {
 | 
						|
        this.parent.localStreams.forEach(function (stream) {
 | 
						|
            self.pc.addStream(stream);
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    // call emitter constructor
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    this.on('channelOpen', function (channel) {
 | 
						|
        if (channel.protocol === INBAND_FILETRANSFER_V1) {
 | 
						|
            channel.onmessage = function (event) {
 | 
						|
                var metadata = JSON.parse(event.data);
 | 
						|
                var receiver = new FileTransfer.Receiver();
 | 
						|
                receiver.receive(metadata, channel);
 | 
						|
                self.emit('fileTransfer', metadata, receiver);
 | 
						|
                receiver.on('receivedFile', function (file, metadata) {
 | 
						|
                    receiver.channel.close();
 | 
						|
                });
 | 
						|
            };
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    // proxy events to parent
 | 
						|
    this.on('*', function () {
 | 
						|
        self.parent.emit.apply(self.parent, arguments);
 | 
						|
    });
 | 
						|
}
 | 
						|
 | 
						|
util.inherits(Peer, WildEmitter);
 | 
						|
 | 
						|
Peer.prototype.handleMessage = function (message) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    this.logger.log('getting', message.type, message);
 | 
						|
 | 
						|
    if (message.prefix) this.browserPrefix = message.prefix;
 | 
						|
 | 
						|
    if (message.type === 'offer') {
 | 
						|
        // workaround for https://bugzilla.mozilla.org/show_bug.cgi?id=1064247
 | 
						|
        message.payload.sdp = message.payload.sdp.replace('a=fmtp:0 profile-level-id=0x42e00c;packetization-mode=1\r\n', '');
 | 
						|
        this.pc.handleOffer(message.payload, function (err) {
 | 
						|
            if (err) {
 | 
						|
                return;
 | 
						|
            }
 | 
						|
            // auto-accept
 | 
						|
            self.pc.answer(self.receiveMedia, function (err, sessionDescription) {
 | 
						|
                //self.send('answer', sessionDescription);
 | 
						|
            });
 | 
						|
        });
 | 
						|
    } else if (message.type === 'answer') {
 | 
						|
        this.pc.handleAnswer(message.payload);
 | 
						|
    } else if (message.type === 'candidate') {
 | 
						|
        this.pc.processIce(message.payload);
 | 
						|
    } else if (message.type === 'connectivityError') {
 | 
						|
        this.parent.emit('connectivityError', self);
 | 
						|
    } else if (message.type === 'mute') {
 | 
						|
        this.parent.emit('mute', {id: message.from, name: message.payload.name});
 | 
						|
    } else if (message.type === 'unmute') {
 | 
						|
        this.parent.emit('unmute', {id: message.from, name: message.payload.name});
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
// send via signalling channel
 | 
						|
Peer.prototype.send = function (messageType, payload) {
 | 
						|
    var message = {
 | 
						|
        to: this.id,
 | 
						|
        sid: this.sid,
 | 
						|
        broadcaster: this.broadcaster,
 | 
						|
        roomType: this.type,
 | 
						|
        type: messageType,
 | 
						|
        payload: payload,
 | 
						|
        prefix: webrtc.prefix
 | 
						|
    };
 | 
						|
    this.logger.log('sending', messageType, message);
 | 
						|
    this.parent.emit('message', message);
 | 
						|
};
 | 
						|
 | 
						|
// send via data channel
 | 
						|
// returns true when message was sent and false if channel is not open
 | 
						|
Peer.prototype.sendDirectly = function (channel, messageType, payload) {
 | 
						|
    var message = {
 | 
						|
        type: messageType,
 | 
						|
        payload: payload
 | 
						|
    };
 | 
						|
    this.logger.log('sending via datachannel', channel, messageType, message);
 | 
						|
    var dc = this.getDataChannel(channel);
 | 
						|
    if (dc.readyState != 'open') return false;
 | 
						|
    dc.send(JSON.stringify(message));
 | 
						|
    return true;
 | 
						|
};
 | 
						|
 | 
						|
// Internal method registering handlers for a data channel and emitting events on the peer
 | 
						|
Peer.prototype._observeDataChannel = function (channel) {
 | 
						|
    var self = this;
 | 
						|
    channel.onclose = this.emit.bind(this, 'channelClose', channel);
 | 
						|
    channel.onerror = this.emit.bind(this, 'channelError', channel);
 | 
						|
    channel.onmessage = function (event) {
 | 
						|
        self.emit('channelMessage', self, channel.label, JSON.parse(event.data), channel, event);
 | 
						|
    };
 | 
						|
    channel.onopen = this.emit.bind(this, 'channelOpen', channel);
 | 
						|
};
 | 
						|
 | 
						|
// Fetch or create a data channel by the given name
 | 
						|
Peer.prototype.getDataChannel = function (name, opts) {
 | 
						|
    if (!webrtc.supportDataChannel) return this.emit('error', new Error('createDataChannel not supported'));
 | 
						|
    var channel = this.channels[name];
 | 
						|
    opts || (opts = {});
 | 
						|
    if (channel) return channel;
 | 
						|
    // if we don't have one by this label, create it
 | 
						|
    channel = this.channels[name] = this.pc.createDataChannel(name, opts);
 | 
						|
    this._observeDataChannel(channel);
 | 
						|
    return channel;
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.onIceCandidate = function (candidate) {
 | 
						|
    if (this.closed) return;
 | 
						|
    if (candidate) {
 | 
						|
        this.send('candidate', candidate);
 | 
						|
    } else {
 | 
						|
        this.logger.log("End of candidates.");
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.start = function () {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    // well, the webrtc api requires that we either
 | 
						|
    // a) create a datachannel a priori
 | 
						|
    // b) do a renegotiation later to add the SCTP m-line
 | 
						|
    // Let's do (a) first...
 | 
						|
    if (this.enableDataChannels) {
 | 
						|
        this.getDataChannel('simplewebrtc');
 | 
						|
    }
 | 
						|
 | 
						|
    this.pc.offer(this.receiveMedia, function (err, sessionDescription) {
 | 
						|
        //self.send('offer', sessionDescription);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.icerestart = function () {
 | 
						|
    var constraints = this.receiveMedia;
 | 
						|
    constraints.mandatory.IceRestart = true;
 | 
						|
    this.pc.offer(constraints, function (err, success) { });
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.end = function () {
 | 
						|
    if (this.closed) return;
 | 
						|
    this.pc.close();
 | 
						|
    this.handleStreamRemoved();
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.handleRemoteStreamAdded = function (event) {
 | 
						|
    var self = this;
 | 
						|
    if (this.stream) {
 | 
						|
        this.logger.warn('Already have a remote stream');
 | 
						|
    } else {
 | 
						|
        this.stream = event.stream;
 | 
						|
        // FIXME: addEventListener('ended', ...) would be nicer
 | 
						|
        // but does not work in firefox 
 | 
						|
        this.stream.onended = function () {
 | 
						|
            self.end();
 | 
						|
        };
 | 
						|
        this.parent.emit('peerStreamAdded', this);
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.handleStreamRemoved = function () {
 | 
						|
    this.parent.peers.splice(this.parent.peers.indexOf(this), 1);
 | 
						|
    this.closed = true;
 | 
						|
    this.parent.emit('peerStreamRemoved', this);
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.handleDataChannelAdded = function (channel) {
 | 
						|
    this.channels[channel.label] = channel;
 | 
						|
    this._observeDataChannel(channel);
 | 
						|
};
 | 
						|
 | 
						|
Peer.prototype.sendFile = function (file) {
 | 
						|
    var sender = new FileTransfer.Sender();
 | 
						|
    var dc = this.getDataChannel('filetransfer' + (new Date()).getTime(), {
 | 
						|
        protocol: INBAND_FILETRANSFER_V1
 | 
						|
    });
 | 
						|
    // override onopen
 | 
						|
    dc.onopen = function () {
 | 
						|
        dc.send(JSON.stringify({
 | 
						|
            size: file.size,
 | 
						|
            name: file.name
 | 
						|
        }));
 | 
						|
        sender.send(file, dc);
 | 
						|
    };
 | 
						|
    // override onclose
 | 
						|
    dc.onclose = function () {
 | 
						|
        console.log('sender received transfer');
 | 
						|
        sender.emit('complete');
 | 
						|
    };
 | 
						|
    return sender;
 | 
						|
};
 | 
						|
 | 
						|
module.exports = Peer;
 | 
						|
 | 
						|
},{"filetransfer":15,"rtcpeerconnection":14,"util":9,"webrtcsupport":5,"wildemitter":3}],16:[function(require,module,exports){
 | 
						|
// getUserMedia helper by @HenrikJoreteg
 | 
						|
var func = (window.navigator.getUserMedia ||
 | 
						|
            window.navigator.webkitGetUserMedia ||
 | 
						|
            window.navigator.mozGetUserMedia ||
 | 
						|
            window.navigator.msGetUserMedia);
 | 
						|
 | 
						|
 | 
						|
module.exports = function (constraints, cb) {
 | 
						|
    var options, error;
 | 
						|
    var haveOpts = arguments.length === 2;
 | 
						|
    var defaultOpts = {video: true, audio: true};
 | 
						|
    var denied = 'PermissionDeniedError';
 | 
						|
    var notSatisfied = 'ConstraintNotSatisfiedError';
 | 
						|
 | 
						|
    // make constraints optional
 | 
						|
    if (!haveOpts) {
 | 
						|
        cb = constraints;
 | 
						|
        constraints = defaultOpts;
 | 
						|
    }
 | 
						|
 | 
						|
    // treat lack of browser support like an error
 | 
						|
    if (!func) {
 | 
						|
        // throw proper error per spec
 | 
						|
        error = new Error('MediaStreamError');
 | 
						|
        error.name = 'NotSupportedError';
 | 
						|
 | 
						|
        // keep all callbacks async
 | 
						|
        return window.setTimeout(function () {
 | 
						|
            cb(error);
 | 
						|
        }, 0);
 | 
						|
    }
 | 
						|
 | 
						|
    // make requesting media from non-http sources trigger an error
 | 
						|
    // current browsers silently drop the request instead
 | 
						|
    var protocol = window.location.protocol;
 | 
						|
    if (protocol !== 'http:' && protocol !== 'https:') {
 | 
						|
        error = new Error('MediaStreamError');
 | 
						|
        error.name = 'NotSupportedError';
 | 
						|
 | 
						|
        // keep all callbacks async
 | 
						|
        return window.setTimeout(function () {
 | 
						|
            cb(error);
 | 
						|
        }, 0);
 | 
						|
    }
 | 
						|
 | 
						|
    // normalize error handling when no media types are requested
 | 
						|
    if (!constraints.audio && !constraints.video) {
 | 
						|
        error = new Error('MediaStreamError');
 | 
						|
        error.name = 'NoMediaRequestedError';
 | 
						|
 | 
						|
        // keep all callbacks async
 | 
						|
        return window.setTimeout(function () {
 | 
						|
            cb(error);
 | 
						|
        }, 0);
 | 
						|
    }
 | 
						|
 | 
						|
    if (localStorage && localStorage.useFirefoxFakeDevice === "true") {
 | 
						|
        constraints.fake = true;
 | 
						|
    }
 | 
						|
 | 
						|
    func.call(window.navigator, constraints, function (stream) {
 | 
						|
        cb(null, stream);
 | 
						|
    }, function (err) {
 | 
						|
        var error;
 | 
						|
        // coerce into an error object since FF gives us a string
 | 
						|
        // there are only two valid names according to the spec
 | 
						|
        // we coerce all non-denied to "constraint not satisfied".
 | 
						|
        if (typeof err === 'string') {
 | 
						|
            error = new Error('MediaStreamError');
 | 
						|
            if (err === denied) {
 | 
						|
                error.name = denied;
 | 
						|
            } else {
 | 
						|
                error.name = notSatisfied;
 | 
						|
            }
 | 
						|
        } else {
 | 
						|
            // if we get an error object make sure '.name' property is set
 | 
						|
            // according to spec: http://dev.w3.org/2011/webrtc/editor/getusermedia.html#navigatorusermediaerror-and-navigatorusermediaerrorcallback
 | 
						|
            error = err;
 | 
						|
            if (!error.name) {
 | 
						|
                // this is likely chrome which
 | 
						|
                // sets a property called "ERROR_DENIED" on the error object
 | 
						|
                // if so we make sure to set a name
 | 
						|
                if (error[denied]) {
 | 
						|
                    err.name = denied;
 | 
						|
                } else {
 | 
						|
                    err.name = notSatisfied;
 | 
						|
                }
 | 
						|
            }
 | 
						|
        }
 | 
						|
 | 
						|
        cb(error);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
},{}],12:[function(require,module,exports){
 | 
						|
var util = require('util');
 | 
						|
var hark = require('hark');
 | 
						|
var webrtc = require('webrtcsupport');
 | 
						|
var getUserMedia = require('getusermedia');
 | 
						|
var getScreenMedia = require('getscreenmedia');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var GainController = require('mediastream-gain');
 | 
						|
var mockconsole = require('mockconsole');
 | 
						|
 | 
						|
 | 
						|
function LocalMedia(opts) {
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    var config = this.config = {
 | 
						|
        autoAdjustMic: false,
 | 
						|
        detectSpeakingEvents: true,
 | 
						|
        media: {
 | 
						|
            audio: true,
 | 
						|
            video: true
 | 
						|
        },
 | 
						|
        logger: mockconsole
 | 
						|
    };
 | 
						|
 | 
						|
    var item;
 | 
						|
    for (item in opts) {
 | 
						|
        this.config[item] = opts[item];
 | 
						|
    }
 | 
						|
 | 
						|
    this.logger = config.logger;
 | 
						|
    this._log = this.logger.log.bind(this.logger, 'LocalMedia:');
 | 
						|
    this._logerror = this.logger.error.bind(this.logger, 'LocalMedia:');
 | 
						|
 | 
						|
    this.screenSharingSupport = webrtc.screenSharing;
 | 
						|
 | 
						|
    this.localStreams = [];
 | 
						|
    this.localScreens = [];
 | 
						|
 | 
						|
    if (!webrtc.support) {
 | 
						|
        this._logerror('Your browser does not support local media capture.');
 | 
						|
    }
 | 
						|
}
 | 
						|
 | 
						|
util.inherits(LocalMedia, WildEmitter);
 | 
						|
 | 
						|
 | 
						|
LocalMedia.prototype.start = function (mediaConstraints, cb) {
 | 
						|
    var self = this;
 | 
						|
    var constraints = mediaConstraints || this.config.media;
 | 
						|
 | 
						|
    getUserMedia(constraints, function (err, stream) {
 | 
						|
        if (!err) {
 | 
						|
            if (constraints.audio && self.config.detectSpeakingEvents) {
 | 
						|
                self.setupAudioMonitor(stream, self.config.harkOptions);
 | 
						|
            }
 | 
						|
            self.localStreams.push(stream);
 | 
						|
 | 
						|
            if (self.config.autoAdjustMic) {
 | 
						|
                self.gainController = new GainController(stream);
 | 
						|
                // start out somewhat muted if we can track audio
 | 
						|
                self.setMicIfEnabled(0.5);
 | 
						|
            }
 | 
						|
 | 
						|
            // TODO: might need to migrate to the video tracks onended
 | 
						|
            // FIXME: firefox does not seem to trigger this...
 | 
						|
            stream.onended = function () {
 | 
						|
                /*
 | 
						|
                var idx = self.localStreams.indexOf(stream);
 | 
						|
                if (idx > -1) {
 | 
						|
                    self.localScreens.splice(idx, 1);
 | 
						|
                }
 | 
						|
                self.emit('localStreamStopped', stream);
 | 
						|
                */
 | 
						|
            };
 | 
						|
 | 
						|
            self.emit('localStream', stream);
 | 
						|
        }
 | 
						|
        if (cb) {
 | 
						|
            return cb(err, stream);
 | 
						|
        }
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
LocalMedia.prototype.stop = function (stream) {
 | 
						|
    var self = this;
 | 
						|
    // FIXME: duplicates cleanup code until fixed in FF
 | 
						|
    if (stream) {
 | 
						|
        stream.stop();
 | 
						|
        self.emit('localStreamStopped', stream);
 | 
						|
        var idx = self.localStreams.indexOf(stream);
 | 
						|
        if (idx > -1) {
 | 
						|
            self.localStreams = self.localStreams.splice(idx, 1);
 | 
						|
        }
 | 
						|
    } else {
 | 
						|
        if (this.audioMonitor) {
 | 
						|
            this.audioMonitor.stop();
 | 
						|
            delete this.audioMonitor;
 | 
						|
        }
 | 
						|
        this.localStreams.forEach(function (stream) {
 | 
						|
            stream.stop();
 | 
						|
            self.emit('localStreamStopped', stream);
 | 
						|
        });
 | 
						|
        this.localStreams = [];
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
LocalMedia.prototype.startScreenShare = function (cb) {
 | 
						|
    var self = this;
 | 
						|
    getScreenMedia(function (err, stream) {
 | 
						|
        if (!err) {
 | 
						|
            self.localScreens.push(stream);
 | 
						|
 | 
						|
            // TODO: might need to migrate to the video tracks onended
 | 
						|
            // Firefox does not support .onended but it does not support
 | 
						|
            // screensharing either
 | 
						|
            stream.onended = function () {
 | 
						|
                var idx = self.localScreens.indexOf(stream);
 | 
						|
                if (idx > -1) {
 | 
						|
                    self.localScreens.splice(idx, 1);
 | 
						|
                }
 | 
						|
                self.emit('localScreenStopped', stream);
 | 
						|
            };
 | 
						|
            self.emit('localScreen', stream);
 | 
						|
        }
 | 
						|
 | 
						|
        // enable the callback
 | 
						|
        if (cb) {
 | 
						|
            return cb(err, stream);
 | 
						|
        }
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
LocalMedia.prototype.stopScreenShare = function (stream) {
 | 
						|
    if (stream) {
 | 
						|
        stream.stop();
 | 
						|
    } else {
 | 
						|
        this.localScreens.forEach(function (stream) {
 | 
						|
            stream.stop();
 | 
						|
        });
 | 
						|
        this.localScreens = [];
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
// Audio controls
 | 
						|
LocalMedia.prototype.mute = function () {
 | 
						|
    this._audioEnabled(false);
 | 
						|
    this.hardMuted = true;
 | 
						|
    this.emit('audioOff');
 | 
						|
};
 | 
						|
 | 
						|
LocalMedia.prototype.unmute = function () {
 | 
						|
    this._audioEnabled(true);
 | 
						|
    this.hardMuted = false;
 | 
						|
    this.emit('audioOn');
 | 
						|
};
 | 
						|
 | 
						|
LocalMedia.prototype.setupAudioMonitor = function (stream, harkOptions) {
 | 
						|
    this._log('Setup audio');
 | 
						|
    var audio = this.audioMonitor = hark(stream, harkOptions);
 | 
						|
    var self = this;
 | 
						|
    var timeout;
 | 
						|
 | 
						|
    audio.on('speaking', function () {
 | 
						|
        self.emit('speaking');
 | 
						|
        if (self.hardMuted) {
 | 
						|
            return;
 | 
						|
        }
 | 
						|
        self.setMicIfEnabled(1);
 | 
						|
    });
 | 
						|
 | 
						|
    audio.on('stopped_speaking', function () {
 | 
						|
        if (timeout) {
 | 
						|
            clearTimeout(timeout);
 | 
						|
        }
 | 
						|
 | 
						|
        timeout = setTimeout(function () {
 | 
						|
            self.emit('stoppedSpeaking');
 | 
						|
            if (self.hardMuted) {
 | 
						|
                return;
 | 
						|
            }
 | 
						|
            self.setMicIfEnabled(0.5);
 | 
						|
        }, 1000);
 | 
						|
    });
 | 
						|
    audio.on('volume_change', function (volume, treshold) {
 | 
						|
        self.emit('volumeChange', volume, treshold);
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
// We do this as a seperate method in order to
 | 
						|
// still leave the "setMicVolume" as a working
 | 
						|
// method.
 | 
						|
LocalMedia.prototype.setMicIfEnabled = function (volume) {
 | 
						|
    if (!this.config.autoAdjustMic) {
 | 
						|
        return;
 | 
						|
    }
 | 
						|
    this.gainController.setGain(volume);
 | 
						|
};
 | 
						|
 | 
						|
// Video controls
 | 
						|
LocalMedia.prototype.pauseVideo = function () {
 | 
						|
    this._videoEnabled(false);
 | 
						|
    this.emit('videoOff');
 | 
						|
};
 | 
						|
LocalMedia.prototype.resumeVideo = function () {
 | 
						|
    this._videoEnabled(true);
 | 
						|
    this.emit('videoOn');
 | 
						|
};
 | 
						|
 | 
						|
// Combined controls
 | 
						|
LocalMedia.prototype.pause = function () {
 | 
						|
    this.mute();
 | 
						|
    this.pauseVideo();
 | 
						|
};
 | 
						|
LocalMedia.prototype.resume = function () {
 | 
						|
    this.unmute();
 | 
						|
    this.resumeVideo();
 | 
						|
};
 | 
						|
 | 
						|
// Internal methods for enabling/disabling audio/video
 | 
						|
LocalMedia.prototype._audioEnabled = function (bool) {
 | 
						|
    // work around for chrome 27 bug where disabling tracks
 | 
						|
    // doesn't seem to work (works in canary, remove when working)
 | 
						|
    this.setMicIfEnabled(bool ? 1 : 0);
 | 
						|
    this.localStreams.forEach(function (stream) {
 | 
						|
        stream.getAudioTracks().forEach(function (track) {
 | 
						|
            track.enabled = !!bool;
 | 
						|
        });
 | 
						|
    });
 | 
						|
};
 | 
						|
LocalMedia.prototype._videoEnabled = function (bool) {
 | 
						|
    this.localStreams.forEach(function (stream) {
 | 
						|
        stream.getVideoTracks().forEach(function (track) {
 | 
						|
            track.enabled = !!bool;
 | 
						|
        });
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
// check if all audio streams are enabled
 | 
						|
LocalMedia.prototype.isAudioEnabled = function () {
 | 
						|
    var enabled = true;
 | 
						|
    this.localStreams.forEach(function (stream) {
 | 
						|
        stream.getAudioTracks().forEach(function (track) {
 | 
						|
            enabled = enabled && track.enabled;
 | 
						|
        });
 | 
						|
    });
 | 
						|
    return enabled;
 | 
						|
};
 | 
						|
 | 
						|
// check if all video streams are enabled
 | 
						|
LocalMedia.prototype.isVideoEnabled = function () {
 | 
						|
    var enabled = true;
 | 
						|
    this.localStreams.forEach(function (stream) {
 | 
						|
        stream.getVideoTracks().forEach(function (track) {
 | 
						|
            enabled = enabled && track.enabled;
 | 
						|
        });
 | 
						|
    });
 | 
						|
    return enabled;
 | 
						|
};
 | 
						|
 | 
						|
// Backwards Compat
 | 
						|
LocalMedia.prototype.startLocalMedia = LocalMedia.prototype.start;
 | 
						|
LocalMedia.prototype.stopLocalMedia = LocalMedia.prototype.stop;
 | 
						|
 | 
						|
// fallback for old .localStream behaviour
 | 
						|
Object.defineProperty(LocalMedia.prototype, 'localStream', {
 | 
						|
    get: function () {
 | 
						|
        return this.localStreams.length > 0 ? this.localStreams[0] : null;
 | 
						|
    }
 | 
						|
});
 | 
						|
// fallback for old .localScreen behaviour
 | 
						|
Object.defineProperty(LocalMedia.prototype, 'localScreen', {
 | 
						|
    get: function () {
 | 
						|
        return this.localScreens.length > 0 ? this.localScreens[0] : null;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
module.exports = LocalMedia;
 | 
						|
 | 
						|
},{"getscreenmedia":18,"getusermedia":16,"hark":17,"mediastream-gain":19,"mockconsole":7,"util":9,"webrtcsupport":5,"wildemitter":3}],20:[function(require,module,exports){
 | 
						|
//     Underscore.js 1.8.2
 | 
						|
//     http://underscorejs.org
 | 
						|
//     (c) 2009-2015 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
 | 
						|
//     Underscore may be freely distributed under the MIT license.
 | 
						|
 | 
						|
(function() {
 | 
						|
 | 
						|
  // Baseline setup
 | 
						|
  // --------------
 | 
						|
 | 
						|
  // Establish the root object, `window` in the browser, or `exports` on the server.
 | 
						|
  var root = this;
 | 
						|
 | 
						|
  // Save the previous value of the `_` variable.
 | 
						|
  var previousUnderscore = root._;
 | 
						|
 | 
						|
  // Save bytes in the minified (but not gzipped) version:
 | 
						|
  var ArrayProto = Array.prototype, ObjProto = Object.prototype, FuncProto = Function.prototype;
 | 
						|
 | 
						|
  // Create quick reference variables for speed access to core prototypes.
 | 
						|
  var
 | 
						|
    push             = ArrayProto.push,
 | 
						|
    slice            = ArrayProto.slice,
 | 
						|
    toString         = ObjProto.toString,
 | 
						|
    hasOwnProperty   = ObjProto.hasOwnProperty;
 | 
						|
 | 
						|
  // All **ECMAScript 5** native function implementations that we hope to use
 | 
						|
  // are declared here.
 | 
						|
  var
 | 
						|
    nativeIsArray      = Array.isArray,
 | 
						|
    nativeKeys         = Object.keys,
 | 
						|
    nativeBind         = FuncProto.bind,
 | 
						|
    nativeCreate       = Object.create;
 | 
						|
 | 
						|
  // Naked function reference for surrogate-prototype-swapping.
 | 
						|
  var Ctor = function(){};
 | 
						|
 | 
						|
  // Create a safe reference to the Underscore object for use below.
 | 
						|
  var _ = function(obj) {
 | 
						|
    if (obj instanceof _) return obj;
 | 
						|
    if (!(this instanceof _)) return new _(obj);
 | 
						|
    this._wrapped = obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Export the Underscore object for **Node.js**, with
 | 
						|
  // backwards-compatibility for the old `require()` API. If we're in
 | 
						|
  // the browser, add `_` as a global object.
 | 
						|
  if (typeof exports !== 'undefined') {
 | 
						|
    if (typeof module !== 'undefined' && module.exports) {
 | 
						|
      exports = module.exports = _;
 | 
						|
    }
 | 
						|
    exports._ = _;
 | 
						|
  } else {
 | 
						|
    root._ = _;
 | 
						|
  }
 | 
						|
 | 
						|
  // Current version.
 | 
						|
  _.VERSION = '1.8.2';
 | 
						|
 | 
						|
  // Internal function that returns an efficient (for current engines) version
 | 
						|
  // of the passed-in callback, to be repeatedly applied in other Underscore
 | 
						|
  // functions.
 | 
						|
  var optimizeCb = function(func, context, argCount) {
 | 
						|
    if (context === void 0) return func;
 | 
						|
    switch (argCount == null ? 3 : argCount) {
 | 
						|
      case 1: return function(value) {
 | 
						|
        return func.call(context, value);
 | 
						|
      };
 | 
						|
      case 2: return function(value, other) {
 | 
						|
        return func.call(context, value, other);
 | 
						|
      };
 | 
						|
      case 3: return function(value, index, collection) {
 | 
						|
        return func.call(context, value, index, collection);
 | 
						|
      };
 | 
						|
      case 4: return function(accumulator, value, index, collection) {
 | 
						|
        return func.call(context, accumulator, value, index, collection);
 | 
						|
      };
 | 
						|
    }
 | 
						|
    return function() {
 | 
						|
      return func.apply(context, arguments);
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // A mostly-internal function to generate callbacks that can be applied
 | 
						|
  // to each element in a collection, returning the desired result — either
 | 
						|
  // identity, an arbitrary callback, a property matcher, or a property accessor.
 | 
						|
  var cb = function(value, context, argCount) {
 | 
						|
    if (value == null) return _.identity;
 | 
						|
    if (_.isFunction(value)) return optimizeCb(value, context, argCount);
 | 
						|
    if (_.isObject(value)) return _.matcher(value);
 | 
						|
    return _.property(value);
 | 
						|
  };
 | 
						|
  _.iteratee = function(value, context) {
 | 
						|
    return cb(value, context, Infinity);
 | 
						|
  };
 | 
						|
 | 
						|
  // An internal function for creating assigner functions.
 | 
						|
  var createAssigner = function(keysFunc, undefinedOnly) {
 | 
						|
    return function(obj) {
 | 
						|
      var length = arguments.length;
 | 
						|
      if (length < 2 || obj == null) return obj;
 | 
						|
      for (var index = 1; index < length; index++) {
 | 
						|
        var source = arguments[index],
 | 
						|
            keys = keysFunc(source),
 | 
						|
            l = keys.length;
 | 
						|
        for (var i = 0; i < l; i++) {
 | 
						|
          var key = keys[i];
 | 
						|
          if (!undefinedOnly || obj[key] === void 0) obj[key] = source[key];
 | 
						|
        }
 | 
						|
      }
 | 
						|
      return obj;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // An internal function for creating a new object that inherits from another.
 | 
						|
  var baseCreate = function(prototype) {
 | 
						|
    if (!_.isObject(prototype)) return {};
 | 
						|
    if (nativeCreate) return nativeCreate(prototype);
 | 
						|
    Ctor.prototype = prototype;
 | 
						|
    var result = new Ctor;
 | 
						|
    Ctor.prototype = null;
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Helper for collection methods to determine whether a collection
 | 
						|
  // should be iterated as an array or as an object
 | 
						|
  // Related: http://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength
 | 
						|
  var MAX_ARRAY_INDEX = Math.pow(2, 53) - 1;
 | 
						|
  var isArrayLike = function(collection) {
 | 
						|
    var length = collection && collection.length;
 | 
						|
    return typeof length == 'number' && length >= 0 && length <= MAX_ARRAY_INDEX;
 | 
						|
  };
 | 
						|
 | 
						|
  // Collection Functions
 | 
						|
  // --------------------
 | 
						|
 | 
						|
  // The cornerstone, an `each` implementation, aka `forEach`.
 | 
						|
  // Handles raw objects in addition to array-likes. Treats all
 | 
						|
  // sparse array-likes as if they were dense.
 | 
						|
  _.each = _.forEach = function(obj, iteratee, context) {
 | 
						|
    iteratee = optimizeCb(iteratee, context);
 | 
						|
    var i, length;
 | 
						|
    if (isArrayLike(obj)) {
 | 
						|
      for (i = 0, length = obj.length; i < length; i++) {
 | 
						|
        iteratee(obj[i], i, obj);
 | 
						|
      }
 | 
						|
    } else {
 | 
						|
      var keys = _.keys(obj);
 | 
						|
      for (i = 0, length = keys.length; i < length; i++) {
 | 
						|
        iteratee(obj[keys[i]], keys[i], obj);
 | 
						|
      }
 | 
						|
    }
 | 
						|
    return obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return the results of applying the iteratee to each element.
 | 
						|
  _.map = _.collect = function(obj, iteratee, context) {
 | 
						|
    iteratee = cb(iteratee, context);
 | 
						|
    var keys = !isArrayLike(obj) && _.keys(obj),
 | 
						|
        length = (keys || obj).length,
 | 
						|
        results = Array(length);
 | 
						|
    for (var index = 0; index < length; index++) {
 | 
						|
      var currentKey = keys ? keys[index] : index;
 | 
						|
      results[index] = iteratee(obj[currentKey], currentKey, obj);
 | 
						|
    }
 | 
						|
    return results;
 | 
						|
  };
 | 
						|
 | 
						|
  // Create a reducing function iterating left or right.
 | 
						|
  function createReduce(dir) {
 | 
						|
    // Optimized iterator function as using arguments.length
 | 
						|
    // in the main function will deoptimize the, see #1991.
 | 
						|
    function iterator(obj, iteratee, memo, keys, index, length) {
 | 
						|
      for (; index >= 0 && index < length; index += dir) {
 | 
						|
        var currentKey = keys ? keys[index] : index;
 | 
						|
        memo = iteratee(memo, obj[currentKey], currentKey, obj);
 | 
						|
      }
 | 
						|
      return memo;
 | 
						|
    }
 | 
						|
 | 
						|
    return function(obj, iteratee, memo, context) {
 | 
						|
      iteratee = optimizeCb(iteratee, context, 4);
 | 
						|
      var keys = !isArrayLike(obj) && _.keys(obj),
 | 
						|
          length = (keys || obj).length,
 | 
						|
          index = dir > 0 ? 0 : length - 1;
 | 
						|
      // Determine the initial value if none is provided.
 | 
						|
      if (arguments.length < 3) {
 | 
						|
        memo = obj[keys ? keys[index] : index];
 | 
						|
        index += dir;
 | 
						|
      }
 | 
						|
      return iterator(obj, iteratee, memo, keys, index, length);
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  // **Reduce** builds up a single result from a list of values, aka `inject`,
 | 
						|
  // or `foldl`.
 | 
						|
  _.reduce = _.foldl = _.inject = createReduce(1);
 | 
						|
 | 
						|
  // The right-associative version of reduce, also known as `foldr`.
 | 
						|
  _.reduceRight = _.foldr = createReduce(-1);
 | 
						|
 | 
						|
  // Return the first value which passes a truth test. Aliased as `detect`.
 | 
						|
  _.find = _.detect = function(obj, predicate, context) {
 | 
						|
    var key;
 | 
						|
    if (isArrayLike(obj)) {
 | 
						|
      key = _.findIndex(obj, predicate, context);
 | 
						|
    } else {
 | 
						|
      key = _.findKey(obj, predicate, context);
 | 
						|
    }
 | 
						|
    if (key !== void 0 && key !== -1) return obj[key];
 | 
						|
  };
 | 
						|
 | 
						|
  // Return all the elements that pass a truth test.
 | 
						|
  // Aliased as `select`.
 | 
						|
  _.filter = _.select = function(obj, predicate, context) {
 | 
						|
    var results = [];
 | 
						|
    predicate = cb(predicate, context);
 | 
						|
    _.each(obj, function(value, index, list) {
 | 
						|
      if (predicate(value, index, list)) results.push(value);
 | 
						|
    });
 | 
						|
    return results;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return all the elements for which a truth test fails.
 | 
						|
  _.reject = function(obj, predicate, context) {
 | 
						|
    return _.filter(obj, _.negate(cb(predicate)), context);
 | 
						|
  };
 | 
						|
 | 
						|
  // Determine whether all of the elements match a truth test.
 | 
						|
  // Aliased as `all`.
 | 
						|
  _.every = _.all = function(obj, predicate, context) {
 | 
						|
    predicate = cb(predicate, context);
 | 
						|
    var keys = !isArrayLike(obj) && _.keys(obj),
 | 
						|
        length = (keys || obj).length;
 | 
						|
    for (var index = 0; index < length; index++) {
 | 
						|
      var currentKey = keys ? keys[index] : index;
 | 
						|
      if (!predicate(obj[currentKey], currentKey, obj)) return false;
 | 
						|
    }
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  // Determine if at least one element in the object matches a truth test.
 | 
						|
  // Aliased as `any`.
 | 
						|
  _.some = _.any = function(obj, predicate, context) {
 | 
						|
    predicate = cb(predicate, context);
 | 
						|
    var keys = !isArrayLike(obj) && _.keys(obj),
 | 
						|
        length = (keys || obj).length;
 | 
						|
    for (var index = 0; index < length; index++) {
 | 
						|
      var currentKey = keys ? keys[index] : index;
 | 
						|
      if (predicate(obj[currentKey], currentKey, obj)) return true;
 | 
						|
    }
 | 
						|
    return false;
 | 
						|
  };
 | 
						|
 | 
						|
  // Determine if the array or object contains a given value (using `===`).
 | 
						|
  // Aliased as `includes` and `include`.
 | 
						|
  _.contains = _.includes = _.include = function(obj, target, fromIndex) {
 | 
						|
    if (!isArrayLike(obj)) obj = _.values(obj);
 | 
						|
    return _.indexOf(obj, target, typeof fromIndex == 'number' && fromIndex) >= 0;
 | 
						|
  };
 | 
						|
 | 
						|
  // Invoke a method (with arguments) on every item in a collection.
 | 
						|
  _.invoke = function(obj, method) {
 | 
						|
    var args = slice.call(arguments, 2);
 | 
						|
    var isFunc = _.isFunction(method);
 | 
						|
    return _.map(obj, function(value) {
 | 
						|
      var func = isFunc ? method : value[method];
 | 
						|
      return func == null ? func : func.apply(value, args);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  // Convenience version of a common use case of `map`: fetching a property.
 | 
						|
  _.pluck = function(obj, key) {
 | 
						|
    return _.map(obj, _.property(key));
 | 
						|
  };
 | 
						|
 | 
						|
  // Convenience version of a common use case of `filter`: selecting only objects
 | 
						|
  // containing specific `key:value` pairs.
 | 
						|
  _.where = function(obj, attrs) {
 | 
						|
    return _.filter(obj, _.matcher(attrs));
 | 
						|
  };
 | 
						|
 | 
						|
  // Convenience version of a common use case of `find`: getting the first object
 | 
						|
  // containing specific `key:value` pairs.
 | 
						|
  _.findWhere = function(obj, attrs) {
 | 
						|
    return _.find(obj, _.matcher(attrs));
 | 
						|
  };
 | 
						|
 | 
						|
  // Return the maximum element (or element-based computation).
 | 
						|
  _.max = function(obj, iteratee, context) {
 | 
						|
    var result = -Infinity, lastComputed = -Infinity,
 | 
						|
        value, computed;
 | 
						|
    if (iteratee == null && obj != null) {
 | 
						|
      obj = isArrayLike(obj) ? obj : _.values(obj);
 | 
						|
      for (var i = 0, length = obj.length; i < length; i++) {
 | 
						|
        value = obj[i];
 | 
						|
        if (value > result) {
 | 
						|
          result = value;
 | 
						|
        }
 | 
						|
      }
 | 
						|
    } else {
 | 
						|
      iteratee = cb(iteratee, context);
 | 
						|
      _.each(obj, function(value, index, list) {
 | 
						|
        computed = iteratee(value, index, list);
 | 
						|
        if (computed > lastComputed || computed === -Infinity && result === -Infinity) {
 | 
						|
          result = value;
 | 
						|
          lastComputed = computed;
 | 
						|
        }
 | 
						|
      });
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return the minimum element (or element-based computation).
 | 
						|
  _.min = function(obj, iteratee, context) {
 | 
						|
    var result = Infinity, lastComputed = Infinity,
 | 
						|
        value, computed;
 | 
						|
    if (iteratee == null && obj != null) {
 | 
						|
      obj = isArrayLike(obj) ? obj : _.values(obj);
 | 
						|
      for (var i = 0, length = obj.length; i < length; i++) {
 | 
						|
        value = obj[i];
 | 
						|
        if (value < result) {
 | 
						|
          result = value;
 | 
						|
        }
 | 
						|
      }
 | 
						|
    } else {
 | 
						|
      iteratee = cb(iteratee, context);
 | 
						|
      _.each(obj, function(value, index, list) {
 | 
						|
        computed = iteratee(value, index, list);
 | 
						|
        if (computed < lastComputed || computed === Infinity && result === Infinity) {
 | 
						|
          result = value;
 | 
						|
          lastComputed = computed;
 | 
						|
        }
 | 
						|
      });
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Shuffle a collection, using the modern version of the
 | 
						|
  // [Fisher-Yates shuffle](http://en.wikipedia.org/wiki/Fisher–Yates_shuffle).
 | 
						|
  _.shuffle = function(obj) {
 | 
						|
    var set = isArrayLike(obj) ? obj : _.values(obj);
 | 
						|
    var length = set.length;
 | 
						|
    var shuffled = Array(length);
 | 
						|
    for (var index = 0, rand; index < length; index++) {
 | 
						|
      rand = _.random(0, index);
 | 
						|
      if (rand !== index) shuffled[index] = shuffled[rand];
 | 
						|
      shuffled[rand] = set[index];
 | 
						|
    }
 | 
						|
    return shuffled;
 | 
						|
  };
 | 
						|
 | 
						|
  // Sample **n** random values from a collection.
 | 
						|
  // If **n** is not specified, returns a single random element.
 | 
						|
  // The internal `guard` argument allows it to work with `map`.
 | 
						|
  _.sample = function(obj, n, guard) {
 | 
						|
    if (n == null || guard) {
 | 
						|
      if (!isArrayLike(obj)) obj = _.values(obj);
 | 
						|
      return obj[_.random(obj.length - 1)];
 | 
						|
    }
 | 
						|
    return _.shuffle(obj).slice(0, Math.max(0, n));
 | 
						|
  };
 | 
						|
 | 
						|
  // Sort the object's values by a criterion produced by an iteratee.
 | 
						|
  _.sortBy = function(obj, iteratee, context) {
 | 
						|
    iteratee = cb(iteratee, context);
 | 
						|
    return _.pluck(_.map(obj, function(value, index, list) {
 | 
						|
      return {
 | 
						|
        value: value,
 | 
						|
        index: index,
 | 
						|
        criteria: iteratee(value, index, list)
 | 
						|
      };
 | 
						|
    }).sort(function(left, right) {
 | 
						|
      var a = left.criteria;
 | 
						|
      var b = right.criteria;
 | 
						|
      if (a !== b) {
 | 
						|
        if (a > b || a === void 0) return 1;
 | 
						|
        if (a < b || b === void 0) return -1;
 | 
						|
      }
 | 
						|
      return left.index - right.index;
 | 
						|
    }), 'value');
 | 
						|
  };
 | 
						|
 | 
						|
  // An internal function used for aggregate "group by" operations.
 | 
						|
  var group = function(behavior) {
 | 
						|
    return function(obj, iteratee, context) {
 | 
						|
      var result = {};
 | 
						|
      iteratee = cb(iteratee, context);
 | 
						|
      _.each(obj, function(value, index) {
 | 
						|
        var key = iteratee(value, index, obj);
 | 
						|
        behavior(result, value, key);
 | 
						|
      });
 | 
						|
      return result;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Groups the object's values by a criterion. Pass either a string attribute
 | 
						|
  // to group by, or a function that returns the criterion.
 | 
						|
  _.groupBy = group(function(result, value, key) {
 | 
						|
    if (_.has(result, key)) result[key].push(value); else result[key] = [value];
 | 
						|
  });
 | 
						|
 | 
						|
  // Indexes the object's values by a criterion, similar to `groupBy`, but for
 | 
						|
  // when you know that your index values will be unique.
 | 
						|
  _.indexBy = group(function(result, value, key) {
 | 
						|
    result[key] = value;
 | 
						|
  });
 | 
						|
 | 
						|
  // Counts instances of an object that group by a certain criterion. Pass
 | 
						|
  // either a string attribute to count by, or a function that returns the
 | 
						|
  // criterion.
 | 
						|
  _.countBy = group(function(result, value, key) {
 | 
						|
    if (_.has(result, key)) result[key]++; else result[key] = 1;
 | 
						|
  });
 | 
						|
 | 
						|
  // Safely create a real, live array from anything iterable.
 | 
						|
  _.toArray = function(obj) {
 | 
						|
    if (!obj) return [];
 | 
						|
    if (_.isArray(obj)) return slice.call(obj);
 | 
						|
    if (isArrayLike(obj)) return _.map(obj, _.identity);
 | 
						|
    return _.values(obj);
 | 
						|
  };
 | 
						|
 | 
						|
  // Return the number of elements in an object.
 | 
						|
  _.size = function(obj) {
 | 
						|
    if (obj == null) return 0;
 | 
						|
    return isArrayLike(obj) ? obj.length : _.keys(obj).length;
 | 
						|
  };
 | 
						|
 | 
						|
  // Split a collection into two arrays: one whose elements all satisfy the given
 | 
						|
  // predicate, and one whose elements all do not satisfy the predicate.
 | 
						|
  _.partition = function(obj, predicate, context) {
 | 
						|
    predicate = cb(predicate, context);
 | 
						|
    var pass = [], fail = [];
 | 
						|
    _.each(obj, function(value, key, obj) {
 | 
						|
      (predicate(value, key, obj) ? pass : fail).push(value);
 | 
						|
    });
 | 
						|
    return [pass, fail];
 | 
						|
  };
 | 
						|
 | 
						|
  // Array Functions
 | 
						|
  // ---------------
 | 
						|
 | 
						|
  // Get the first element of an array. Passing **n** will return the first N
 | 
						|
  // values in the array. Aliased as `head` and `take`. The **guard** check
 | 
						|
  // allows it to work with `_.map`.
 | 
						|
  _.first = _.head = _.take = function(array, n, guard) {
 | 
						|
    if (array == null) return void 0;
 | 
						|
    if (n == null || guard) return array[0];
 | 
						|
    return _.initial(array, array.length - n);
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns everything but the last entry of the array. Especially useful on
 | 
						|
  // the arguments object. Passing **n** will return all the values in
 | 
						|
  // the array, excluding the last N.
 | 
						|
  _.initial = function(array, n, guard) {
 | 
						|
    return slice.call(array, 0, Math.max(0, array.length - (n == null || guard ? 1 : n)));
 | 
						|
  };
 | 
						|
 | 
						|
  // Get the last element of an array. Passing **n** will return the last N
 | 
						|
  // values in the array.
 | 
						|
  _.last = function(array, n, guard) {
 | 
						|
    if (array == null) return void 0;
 | 
						|
    if (n == null || guard) return array[array.length - 1];
 | 
						|
    return _.rest(array, Math.max(0, array.length - n));
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns everything but the first entry of the array. Aliased as `tail` and `drop`.
 | 
						|
  // Especially useful on the arguments object. Passing an **n** will return
 | 
						|
  // the rest N values in the array.
 | 
						|
  _.rest = _.tail = _.drop = function(array, n, guard) {
 | 
						|
    return slice.call(array, n == null || guard ? 1 : n);
 | 
						|
  };
 | 
						|
 | 
						|
  // Trim out all falsy values from an array.
 | 
						|
  _.compact = function(array) {
 | 
						|
    return _.filter(array, _.identity);
 | 
						|
  };
 | 
						|
 | 
						|
  // Internal implementation of a recursive `flatten` function.
 | 
						|
  var flatten = function(input, shallow, strict, startIndex) {
 | 
						|
    var output = [], idx = 0;
 | 
						|
    for (var i = startIndex || 0, length = input && input.length; i < length; i++) {
 | 
						|
      var value = input[i];
 | 
						|
      if (isArrayLike(value) && (_.isArray(value) || _.isArguments(value))) {
 | 
						|
        //flatten current level of array or arguments object
 | 
						|
        if (!shallow) value = flatten(value, shallow, strict);
 | 
						|
        var j = 0, len = value.length;
 | 
						|
        output.length += len;
 | 
						|
        while (j < len) {
 | 
						|
          output[idx++] = value[j++];
 | 
						|
        }
 | 
						|
      } else if (!strict) {
 | 
						|
        output[idx++] = value;
 | 
						|
      }
 | 
						|
    }
 | 
						|
    return output;
 | 
						|
  };
 | 
						|
 | 
						|
  // Flatten out an array, either recursively (by default), or just one level.
 | 
						|
  _.flatten = function(array, shallow) {
 | 
						|
    return flatten(array, shallow, false);
 | 
						|
  };
 | 
						|
 | 
						|
  // Return a version of the array that does not contain the specified value(s).
 | 
						|
  _.without = function(array) {
 | 
						|
    return _.difference(array, slice.call(arguments, 1));
 | 
						|
  };
 | 
						|
 | 
						|
  // Produce a duplicate-free version of the array. If the array has already
 | 
						|
  // been sorted, you have the option of using a faster algorithm.
 | 
						|
  // Aliased as `unique`.
 | 
						|
  _.uniq = _.unique = function(array, isSorted, iteratee, context) {
 | 
						|
    if (array == null) return [];
 | 
						|
    if (!_.isBoolean(isSorted)) {
 | 
						|
      context = iteratee;
 | 
						|
      iteratee = isSorted;
 | 
						|
      isSorted = false;
 | 
						|
    }
 | 
						|
    if (iteratee != null) iteratee = cb(iteratee, context);
 | 
						|
    var result = [];
 | 
						|
    var seen = [];
 | 
						|
    for (var i = 0, length = array.length; i < length; i++) {
 | 
						|
      var value = array[i],
 | 
						|
          computed = iteratee ? iteratee(value, i, array) : value;
 | 
						|
      if (isSorted) {
 | 
						|
        if (!i || seen !== computed) result.push(value);
 | 
						|
        seen = computed;
 | 
						|
      } else if (iteratee) {
 | 
						|
        if (!_.contains(seen, computed)) {
 | 
						|
          seen.push(computed);
 | 
						|
          result.push(value);
 | 
						|
        }
 | 
						|
      } else if (!_.contains(result, value)) {
 | 
						|
        result.push(value);
 | 
						|
      }
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Produce an array that contains the union: each distinct element from all of
 | 
						|
  // the passed-in arrays.
 | 
						|
  _.union = function() {
 | 
						|
    return _.uniq(flatten(arguments, true, true));
 | 
						|
  };
 | 
						|
 | 
						|
  // Produce an array that contains every item shared between all the
 | 
						|
  // passed-in arrays.
 | 
						|
  _.intersection = function(array) {
 | 
						|
    if (array == null) return [];
 | 
						|
    var result = [];
 | 
						|
    var argsLength = arguments.length;
 | 
						|
    for (var i = 0, length = array.length; i < length; i++) {
 | 
						|
      var item = array[i];
 | 
						|
      if (_.contains(result, item)) continue;
 | 
						|
      for (var j = 1; j < argsLength; j++) {
 | 
						|
        if (!_.contains(arguments[j], item)) break;
 | 
						|
      }
 | 
						|
      if (j === argsLength) result.push(item);
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Take the difference between one array and a number of other arrays.
 | 
						|
  // Only the elements present in just the first array will remain.
 | 
						|
  _.difference = function(array) {
 | 
						|
    var rest = flatten(arguments, true, true, 1);
 | 
						|
    return _.filter(array, function(value){
 | 
						|
      return !_.contains(rest, value);
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  // Zip together multiple lists into a single array -- elements that share
 | 
						|
  // an index go together.
 | 
						|
  _.zip = function() {
 | 
						|
    return _.unzip(arguments);
 | 
						|
  };
 | 
						|
 | 
						|
  // Complement of _.zip. Unzip accepts an array of arrays and groups
 | 
						|
  // each array's elements on shared indices
 | 
						|
  _.unzip = function(array) {
 | 
						|
    var length = array && _.max(array, 'length').length || 0;
 | 
						|
    var result = Array(length);
 | 
						|
 | 
						|
    for (var index = 0; index < length; index++) {
 | 
						|
      result[index] = _.pluck(array, index);
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Converts lists into objects. Pass either a single array of `[key, value]`
 | 
						|
  // pairs, or two parallel arrays of the same length -- one of keys, and one of
 | 
						|
  // the corresponding values.
 | 
						|
  _.object = function(list, values) {
 | 
						|
    var result = {};
 | 
						|
    for (var i = 0, length = list && list.length; i < length; i++) {
 | 
						|
      if (values) {
 | 
						|
        result[list[i]] = values[i];
 | 
						|
      } else {
 | 
						|
        result[list[i][0]] = list[i][1];
 | 
						|
      }
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return the position of the first occurrence of an item in an array,
 | 
						|
  // or -1 if the item is not included in the array.
 | 
						|
  // If the array is large and already in sort order, pass `true`
 | 
						|
  // for **isSorted** to use binary search.
 | 
						|
  _.indexOf = function(array, item, isSorted) {
 | 
						|
    var i = 0, length = array && array.length;
 | 
						|
    if (typeof isSorted == 'number') {
 | 
						|
      i = isSorted < 0 ? Math.max(0, length + isSorted) : isSorted;
 | 
						|
    } else if (isSorted && length) {
 | 
						|
      i = _.sortedIndex(array, item);
 | 
						|
      return array[i] === item ? i : -1;
 | 
						|
    }
 | 
						|
    if (item !== item) {
 | 
						|
      return _.findIndex(slice.call(array, i), _.isNaN);
 | 
						|
    }
 | 
						|
    for (; i < length; i++) if (array[i] === item) return i;
 | 
						|
    return -1;
 | 
						|
  };
 | 
						|
 | 
						|
  _.lastIndexOf = function(array, item, from) {
 | 
						|
    var idx = array ? array.length : 0;
 | 
						|
    if (typeof from == 'number') {
 | 
						|
      idx = from < 0 ? idx + from + 1 : Math.min(idx, from + 1);
 | 
						|
    }
 | 
						|
    if (item !== item) {
 | 
						|
      return _.findLastIndex(slice.call(array, 0, idx), _.isNaN);
 | 
						|
    }
 | 
						|
    while (--idx >= 0) if (array[idx] === item) return idx;
 | 
						|
    return -1;
 | 
						|
  };
 | 
						|
 | 
						|
  // Generator function to create the findIndex and findLastIndex functions
 | 
						|
  function createIndexFinder(dir) {
 | 
						|
    return function(array, predicate, context) {
 | 
						|
      predicate = cb(predicate, context);
 | 
						|
      var length = array != null && array.length;
 | 
						|
      var index = dir > 0 ? 0 : length - 1;
 | 
						|
      for (; index >= 0 && index < length; index += dir) {
 | 
						|
        if (predicate(array[index], index, array)) return index;
 | 
						|
      }
 | 
						|
      return -1;
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  // Returns the first index on an array-like that passes a predicate test
 | 
						|
  _.findIndex = createIndexFinder(1);
 | 
						|
 | 
						|
  _.findLastIndex = createIndexFinder(-1);
 | 
						|
 | 
						|
  // Use a comparator function to figure out the smallest index at which
 | 
						|
  // an object should be inserted so as to maintain order. Uses binary search.
 | 
						|
  _.sortedIndex = function(array, obj, iteratee, context) {
 | 
						|
    iteratee = cb(iteratee, context, 1);
 | 
						|
    var value = iteratee(obj);
 | 
						|
    var low = 0, high = array.length;
 | 
						|
    while (low < high) {
 | 
						|
      var mid = Math.floor((low + high) / 2);
 | 
						|
      if (iteratee(array[mid]) < value) low = mid + 1; else high = mid;
 | 
						|
    }
 | 
						|
    return low;
 | 
						|
  };
 | 
						|
 | 
						|
  // Generate an integer Array containing an arithmetic progression. A port of
 | 
						|
  // the native Python `range()` function. See
 | 
						|
  // [the Python documentation](http://docs.python.org/library/functions.html#range).
 | 
						|
  _.range = function(start, stop, step) {
 | 
						|
    if (arguments.length <= 1) {
 | 
						|
      stop = start || 0;
 | 
						|
      start = 0;
 | 
						|
    }
 | 
						|
    step = step || 1;
 | 
						|
 | 
						|
    var length = Math.max(Math.ceil((stop - start) / step), 0);
 | 
						|
    var range = Array(length);
 | 
						|
 | 
						|
    for (var idx = 0; idx < length; idx++, start += step) {
 | 
						|
      range[idx] = start;
 | 
						|
    }
 | 
						|
 | 
						|
    return range;
 | 
						|
  };
 | 
						|
 | 
						|
  // Function (ahem) Functions
 | 
						|
  // ------------------
 | 
						|
 | 
						|
  // Determines whether to execute a function as a constructor
 | 
						|
  // or a normal function with the provided arguments
 | 
						|
  var executeBound = function(sourceFunc, boundFunc, context, callingContext, args) {
 | 
						|
    if (!(callingContext instanceof boundFunc)) return sourceFunc.apply(context, args);
 | 
						|
    var self = baseCreate(sourceFunc.prototype);
 | 
						|
    var result = sourceFunc.apply(self, args);
 | 
						|
    if (_.isObject(result)) return result;
 | 
						|
    return self;
 | 
						|
  };
 | 
						|
 | 
						|
  // Create a function bound to a given object (assigning `this`, and arguments,
 | 
						|
  // optionally). Delegates to **ECMAScript 5**'s native `Function.bind` if
 | 
						|
  // available.
 | 
						|
  _.bind = function(func, context) {
 | 
						|
    if (nativeBind && func.bind === nativeBind) return nativeBind.apply(func, slice.call(arguments, 1));
 | 
						|
    if (!_.isFunction(func)) throw new TypeError('Bind must be called on a function');
 | 
						|
    var args = slice.call(arguments, 2);
 | 
						|
    var bound = function() {
 | 
						|
      return executeBound(func, bound, context, this, args.concat(slice.call(arguments)));
 | 
						|
    };
 | 
						|
    return bound;
 | 
						|
  };
 | 
						|
 | 
						|
  // Partially apply a function by creating a version that has had some of its
 | 
						|
  // arguments pre-filled, without changing its dynamic `this` context. _ acts
 | 
						|
  // as a placeholder, allowing any combination of arguments to be pre-filled.
 | 
						|
  _.partial = function(func) {
 | 
						|
    var boundArgs = slice.call(arguments, 1);
 | 
						|
    var bound = function() {
 | 
						|
      var position = 0, length = boundArgs.length;
 | 
						|
      var args = Array(length);
 | 
						|
      for (var i = 0; i < length; i++) {
 | 
						|
        args[i] = boundArgs[i] === _ ? arguments[position++] : boundArgs[i];
 | 
						|
      }
 | 
						|
      while (position < arguments.length) args.push(arguments[position++]);
 | 
						|
      return executeBound(func, bound, this, this, args);
 | 
						|
    };
 | 
						|
    return bound;
 | 
						|
  };
 | 
						|
 | 
						|
  // Bind a number of an object's methods to that object. Remaining arguments
 | 
						|
  // are the method names to be bound. Useful for ensuring that all callbacks
 | 
						|
  // defined on an object belong to it.
 | 
						|
  _.bindAll = function(obj) {
 | 
						|
    var i, length = arguments.length, key;
 | 
						|
    if (length <= 1) throw new Error('bindAll must be passed function names');
 | 
						|
    for (i = 1; i < length; i++) {
 | 
						|
      key = arguments[i];
 | 
						|
      obj[key] = _.bind(obj[key], obj);
 | 
						|
    }
 | 
						|
    return obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Memoize an expensive function by storing its results.
 | 
						|
  _.memoize = function(func, hasher) {
 | 
						|
    var memoize = function(key) {
 | 
						|
      var cache = memoize.cache;
 | 
						|
      var address = '' + (hasher ? hasher.apply(this, arguments) : key);
 | 
						|
      if (!_.has(cache, address)) cache[address] = func.apply(this, arguments);
 | 
						|
      return cache[address];
 | 
						|
    };
 | 
						|
    memoize.cache = {};
 | 
						|
    return memoize;
 | 
						|
  };
 | 
						|
 | 
						|
  // Delays a function for the given number of milliseconds, and then calls
 | 
						|
  // it with the arguments supplied.
 | 
						|
  _.delay = function(func, wait) {
 | 
						|
    var args = slice.call(arguments, 2);
 | 
						|
    return setTimeout(function(){
 | 
						|
      return func.apply(null, args);
 | 
						|
    }, wait);
 | 
						|
  };
 | 
						|
 | 
						|
  // Defers a function, scheduling it to run after the current call stack has
 | 
						|
  // cleared.
 | 
						|
  _.defer = _.partial(_.delay, _, 1);
 | 
						|
 | 
						|
  // Returns a function, that, when invoked, will only be triggered at most once
 | 
						|
  // during a given window of time. Normally, the throttled function will run
 | 
						|
  // as much as it can, without ever going more than once per `wait` duration;
 | 
						|
  // but if you'd like to disable the execution on the leading edge, pass
 | 
						|
  // `{leading: false}`. To disable execution on the trailing edge, ditto.
 | 
						|
  _.throttle = function(func, wait, options) {
 | 
						|
    var context, args, result;
 | 
						|
    var timeout = null;
 | 
						|
    var previous = 0;
 | 
						|
    if (!options) options = {};
 | 
						|
    var later = function() {
 | 
						|
      previous = options.leading === false ? 0 : _.now();
 | 
						|
      timeout = null;
 | 
						|
      result = func.apply(context, args);
 | 
						|
      if (!timeout) context = args = null;
 | 
						|
    };
 | 
						|
    return function() {
 | 
						|
      var now = _.now();
 | 
						|
      if (!previous && options.leading === false) previous = now;
 | 
						|
      var remaining = wait - (now - previous);
 | 
						|
      context = this;
 | 
						|
      args = arguments;
 | 
						|
      if (remaining <= 0 || remaining > wait) {
 | 
						|
        if (timeout) {
 | 
						|
          clearTimeout(timeout);
 | 
						|
          timeout = null;
 | 
						|
        }
 | 
						|
        previous = now;
 | 
						|
        result = func.apply(context, args);
 | 
						|
        if (!timeout) context = args = null;
 | 
						|
      } else if (!timeout && options.trailing !== false) {
 | 
						|
        timeout = setTimeout(later, remaining);
 | 
						|
      }
 | 
						|
      return result;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a function, that, as long as it continues to be invoked, will not
 | 
						|
  // be triggered. The function will be called after it stops being called for
 | 
						|
  // N milliseconds. If `immediate` is passed, trigger the function on the
 | 
						|
  // leading edge, instead of the trailing.
 | 
						|
  _.debounce = function(func, wait, immediate) {
 | 
						|
    var timeout, args, context, timestamp, result;
 | 
						|
 | 
						|
    var later = function() {
 | 
						|
      var last = _.now() - timestamp;
 | 
						|
 | 
						|
      if (last < wait && last >= 0) {
 | 
						|
        timeout = setTimeout(later, wait - last);
 | 
						|
      } else {
 | 
						|
        timeout = null;
 | 
						|
        if (!immediate) {
 | 
						|
          result = func.apply(context, args);
 | 
						|
          if (!timeout) context = args = null;
 | 
						|
        }
 | 
						|
      }
 | 
						|
    };
 | 
						|
 | 
						|
    return function() {
 | 
						|
      context = this;
 | 
						|
      args = arguments;
 | 
						|
      timestamp = _.now();
 | 
						|
      var callNow = immediate && !timeout;
 | 
						|
      if (!timeout) timeout = setTimeout(later, wait);
 | 
						|
      if (callNow) {
 | 
						|
        result = func.apply(context, args);
 | 
						|
        context = args = null;
 | 
						|
      }
 | 
						|
 | 
						|
      return result;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns the first function passed as an argument to the second,
 | 
						|
  // allowing you to adjust arguments, run code before and after, and
 | 
						|
  // conditionally execute the original function.
 | 
						|
  _.wrap = function(func, wrapper) {
 | 
						|
    return _.partial(wrapper, func);
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a negated version of the passed-in predicate.
 | 
						|
  _.negate = function(predicate) {
 | 
						|
    return function() {
 | 
						|
      return !predicate.apply(this, arguments);
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a function that is the composition of a list of functions, each
 | 
						|
  // consuming the return value of the function that follows.
 | 
						|
  _.compose = function() {
 | 
						|
    var args = arguments;
 | 
						|
    var start = args.length - 1;
 | 
						|
    return function() {
 | 
						|
      var i = start;
 | 
						|
      var result = args[start].apply(this, arguments);
 | 
						|
      while (i--) result = args[i].call(this, result);
 | 
						|
      return result;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a function that will only be executed on and after the Nth call.
 | 
						|
  _.after = function(times, func) {
 | 
						|
    return function() {
 | 
						|
      if (--times < 1) {
 | 
						|
        return func.apply(this, arguments);
 | 
						|
      }
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a function that will only be executed up to (but not including) the Nth call.
 | 
						|
  _.before = function(times, func) {
 | 
						|
    var memo;
 | 
						|
    return function() {
 | 
						|
      if (--times > 0) {
 | 
						|
        memo = func.apply(this, arguments);
 | 
						|
      }
 | 
						|
      if (times <= 1) func = null;
 | 
						|
      return memo;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a function that will be executed at most one time, no matter how
 | 
						|
  // often you call it. Useful for lazy initialization.
 | 
						|
  _.once = _.partial(_.before, 2);
 | 
						|
 | 
						|
  // Object Functions
 | 
						|
  // ----------------
 | 
						|
 | 
						|
  // Keys in IE < 9 that won't be iterated by `for key in ...` and thus missed.
 | 
						|
  var hasEnumBug = !{toString: null}.propertyIsEnumerable('toString');
 | 
						|
  var nonEnumerableProps = ['valueOf', 'isPrototypeOf', 'toString',
 | 
						|
                      'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString'];
 | 
						|
 | 
						|
  function collectNonEnumProps(obj, keys) {
 | 
						|
    var nonEnumIdx = nonEnumerableProps.length;
 | 
						|
    var constructor = obj.constructor;
 | 
						|
    var proto = (_.isFunction(constructor) && constructor.prototype) || ObjProto;
 | 
						|
 | 
						|
    // Constructor is a special case.
 | 
						|
    var prop = 'constructor';
 | 
						|
    if (_.has(obj, prop) && !_.contains(keys, prop)) keys.push(prop);
 | 
						|
 | 
						|
    while (nonEnumIdx--) {
 | 
						|
      prop = nonEnumerableProps[nonEnumIdx];
 | 
						|
      if (prop in obj && obj[prop] !== proto[prop] && !_.contains(keys, prop)) {
 | 
						|
        keys.push(prop);
 | 
						|
      }
 | 
						|
    }
 | 
						|
  }
 | 
						|
 | 
						|
  // Retrieve the names of an object's own properties.
 | 
						|
  // Delegates to **ECMAScript 5**'s native `Object.keys`
 | 
						|
  _.keys = function(obj) {
 | 
						|
    if (!_.isObject(obj)) return [];
 | 
						|
    if (nativeKeys) return nativeKeys(obj);
 | 
						|
    var keys = [];
 | 
						|
    for (var key in obj) if (_.has(obj, key)) keys.push(key);
 | 
						|
    // Ahem, IE < 9.
 | 
						|
    if (hasEnumBug) collectNonEnumProps(obj, keys);
 | 
						|
    return keys;
 | 
						|
  };
 | 
						|
 | 
						|
  // Retrieve all the property names of an object.
 | 
						|
  _.allKeys = function(obj) {
 | 
						|
    if (!_.isObject(obj)) return [];
 | 
						|
    var keys = [];
 | 
						|
    for (var key in obj) keys.push(key);
 | 
						|
    // Ahem, IE < 9.
 | 
						|
    if (hasEnumBug) collectNonEnumProps(obj, keys);
 | 
						|
    return keys;
 | 
						|
  };
 | 
						|
 | 
						|
  // Retrieve the values of an object's properties.
 | 
						|
  _.values = function(obj) {
 | 
						|
    var keys = _.keys(obj);
 | 
						|
    var length = keys.length;
 | 
						|
    var values = Array(length);
 | 
						|
    for (var i = 0; i < length; i++) {
 | 
						|
      values[i] = obj[keys[i]];
 | 
						|
    }
 | 
						|
    return values;
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns the results of applying the iteratee to each element of the object
 | 
						|
  // In contrast to _.map it returns an object
 | 
						|
  _.mapObject = function(obj, iteratee, context) {
 | 
						|
    iteratee = cb(iteratee, context);
 | 
						|
    var keys =  _.keys(obj),
 | 
						|
          length = keys.length,
 | 
						|
          results = {},
 | 
						|
          currentKey;
 | 
						|
      for (var index = 0; index < length; index++) {
 | 
						|
        currentKey = keys[index];
 | 
						|
        results[currentKey] = iteratee(obj[currentKey], currentKey, obj);
 | 
						|
      }
 | 
						|
      return results;
 | 
						|
  };
 | 
						|
 | 
						|
  // Convert an object into a list of `[key, value]` pairs.
 | 
						|
  _.pairs = function(obj) {
 | 
						|
    var keys = _.keys(obj);
 | 
						|
    var length = keys.length;
 | 
						|
    var pairs = Array(length);
 | 
						|
    for (var i = 0; i < length; i++) {
 | 
						|
      pairs[i] = [keys[i], obj[keys[i]]];
 | 
						|
    }
 | 
						|
    return pairs;
 | 
						|
  };
 | 
						|
 | 
						|
  // Invert the keys and values of an object. The values must be serializable.
 | 
						|
  _.invert = function(obj) {
 | 
						|
    var result = {};
 | 
						|
    var keys = _.keys(obj);
 | 
						|
    for (var i = 0, length = keys.length; i < length; i++) {
 | 
						|
      result[obj[keys[i]]] = keys[i];
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return a sorted list of the function names available on the object.
 | 
						|
  // Aliased as `methods`
 | 
						|
  _.functions = _.methods = function(obj) {
 | 
						|
    var names = [];
 | 
						|
    for (var key in obj) {
 | 
						|
      if (_.isFunction(obj[key])) names.push(key);
 | 
						|
    }
 | 
						|
    return names.sort();
 | 
						|
  };
 | 
						|
 | 
						|
  // Extend a given object with all the properties in passed-in object(s).
 | 
						|
  _.extend = createAssigner(_.allKeys);
 | 
						|
 | 
						|
  // Assigns a given object with all the own properties in the passed-in object(s)
 | 
						|
  // (https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/Object/assign)
 | 
						|
  _.extendOwn = _.assign = createAssigner(_.keys);
 | 
						|
 | 
						|
  // Returns the first key on an object that passes a predicate test
 | 
						|
  _.findKey = function(obj, predicate, context) {
 | 
						|
    predicate = cb(predicate, context);
 | 
						|
    var keys = _.keys(obj), key;
 | 
						|
    for (var i = 0, length = keys.length; i < length; i++) {
 | 
						|
      key = keys[i];
 | 
						|
      if (predicate(obj[key], key, obj)) return key;
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  // Return a copy of the object only containing the whitelisted properties.
 | 
						|
  _.pick = function(object, oiteratee, context) {
 | 
						|
    var result = {}, obj = object, iteratee, keys;
 | 
						|
    if (obj == null) return result;
 | 
						|
    if (_.isFunction(oiteratee)) {
 | 
						|
      keys = _.allKeys(obj);
 | 
						|
      iteratee = optimizeCb(oiteratee, context);
 | 
						|
    } else {
 | 
						|
      keys = flatten(arguments, false, false, 1);
 | 
						|
      iteratee = function(value, key, obj) { return key in obj; };
 | 
						|
      obj = Object(obj);
 | 
						|
    }
 | 
						|
    for (var i = 0, length = keys.length; i < length; i++) {
 | 
						|
      var key = keys[i];
 | 
						|
      var value = obj[key];
 | 
						|
      if (iteratee(value, key, obj)) result[key] = value;
 | 
						|
    }
 | 
						|
    return result;
 | 
						|
  };
 | 
						|
 | 
						|
   // Return a copy of the object without the blacklisted properties.
 | 
						|
  _.omit = function(obj, iteratee, context) {
 | 
						|
    if (_.isFunction(iteratee)) {
 | 
						|
      iteratee = _.negate(iteratee);
 | 
						|
    } else {
 | 
						|
      var keys = _.map(flatten(arguments, false, false, 1), String);
 | 
						|
      iteratee = function(value, key) {
 | 
						|
        return !_.contains(keys, key);
 | 
						|
      };
 | 
						|
    }
 | 
						|
    return _.pick(obj, iteratee, context);
 | 
						|
  };
 | 
						|
 | 
						|
  // Fill in a given object with default properties.
 | 
						|
  _.defaults = createAssigner(_.allKeys, true);
 | 
						|
 | 
						|
  // Create a (shallow-cloned) duplicate of an object.
 | 
						|
  _.clone = function(obj) {
 | 
						|
    if (!_.isObject(obj)) return obj;
 | 
						|
    return _.isArray(obj) ? obj.slice() : _.extend({}, obj);
 | 
						|
  };
 | 
						|
 | 
						|
  // Invokes interceptor with the obj, and then returns obj.
 | 
						|
  // The primary purpose of this method is to "tap into" a method chain, in
 | 
						|
  // order to perform operations on intermediate results within the chain.
 | 
						|
  _.tap = function(obj, interceptor) {
 | 
						|
    interceptor(obj);
 | 
						|
    return obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns whether an object has a given set of `key:value` pairs.
 | 
						|
  _.isMatch = function(object, attrs) {
 | 
						|
    var keys = _.keys(attrs), length = keys.length;
 | 
						|
    if (object == null) return !length;
 | 
						|
    var obj = Object(object);
 | 
						|
    for (var i = 0; i < length; i++) {
 | 
						|
      var key = keys[i];
 | 
						|
      if (attrs[key] !== obj[key] || !(key in obj)) return false;
 | 
						|
    }
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
 | 
						|
  // Internal recursive comparison function for `isEqual`.
 | 
						|
  var eq = function(a, b, aStack, bStack) {
 | 
						|
    // Identical objects are equal. `0 === -0`, but they aren't identical.
 | 
						|
    // See the [Harmony `egal` proposal](http://wiki.ecmascript.org/doku.php?id=harmony:egal).
 | 
						|
    if (a === b) return a !== 0 || 1 / a === 1 / b;
 | 
						|
    // A strict comparison is necessary because `null == undefined`.
 | 
						|
    if (a == null || b == null) return a === b;
 | 
						|
    // Unwrap any wrapped objects.
 | 
						|
    if (a instanceof _) a = a._wrapped;
 | 
						|
    if (b instanceof _) b = b._wrapped;
 | 
						|
    // Compare `[[Class]]` names.
 | 
						|
    var className = toString.call(a);
 | 
						|
    if (className !== toString.call(b)) return false;
 | 
						|
    switch (className) {
 | 
						|
      // Strings, numbers, regular expressions, dates, and booleans are compared by value.
 | 
						|
      case '[object RegExp]':
 | 
						|
      // RegExps are coerced to strings for comparison (Note: '' + /a/i === '/a/i')
 | 
						|
      case '[object String]':
 | 
						|
        // Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is
 | 
						|
        // equivalent to `new String("5")`.
 | 
						|
        return '' + a === '' + b;
 | 
						|
      case '[object Number]':
 | 
						|
        // `NaN`s are equivalent, but non-reflexive.
 | 
						|
        // Object(NaN) is equivalent to NaN
 | 
						|
        if (+a !== +a) return +b !== +b;
 | 
						|
        // An `egal` comparison is performed for other numeric values.
 | 
						|
        return +a === 0 ? 1 / +a === 1 / b : +a === +b;
 | 
						|
      case '[object Date]':
 | 
						|
      case '[object Boolean]':
 | 
						|
        // Coerce dates and booleans to numeric primitive values. Dates are compared by their
 | 
						|
        // millisecond representations. Note that invalid dates with millisecond representations
 | 
						|
        // of `NaN` are not equivalent.
 | 
						|
        return +a === +b;
 | 
						|
    }
 | 
						|
 | 
						|
    var areArrays = className === '[object Array]';
 | 
						|
    if (!areArrays) {
 | 
						|
      if (typeof a != 'object' || typeof b != 'object') return false;
 | 
						|
 | 
						|
      // Objects with different constructors are not equivalent, but `Object`s or `Array`s
 | 
						|
      // from different frames are.
 | 
						|
      var aCtor = a.constructor, bCtor = b.constructor;
 | 
						|
      if (aCtor !== bCtor && !(_.isFunction(aCtor) && aCtor instanceof aCtor &&
 | 
						|
                               _.isFunction(bCtor) && bCtor instanceof bCtor)
 | 
						|
                          && ('constructor' in a && 'constructor' in b)) {
 | 
						|
        return false;
 | 
						|
      }
 | 
						|
    }
 | 
						|
    // Assume equality for cyclic structures. The algorithm for detecting cyclic
 | 
						|
    // structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`.
 | 
						|
    
 | 
						|
    // Initializing stack of traversed objects.
 | 
						|
    // It's done here since we only need them for objects and arrays comparison.
 | 
						|
    aStack = aStack || [];
 | 
						|
    bStack = bStack || [];
 | 
						|
    var length = aStack.length;
 | 
						|
    while (length--) {
 | 
						|
      // Linear search. Performance is inversely proportional to the number of
 | 
						|
      // unique nested structures.
 | 
						|
      if (aStack[length] === a) return bStack[length] === b;
 | 
						|
    }
 | 
						|
 | 
						|
    // Add the first object to the stack of traversed objects.
 | 
						|
    aStack.push(a);
 | 
						|
    bStack.push(b);
 | 
						|
 | 
						|
    // Recursively compare objects and arrays.
 | 
						|
    if (areArrays) {
 | 
						|
      // Compare array lengths to determine if a deep comparison is necessary.
 | 
						|
      length = a.length;
 | 
						|
      if (length !== b.length) return false;
 | 
						|
      // Deep compare the contents, ignoring non-numeric properties.
 | 
						|
      while (length--) {
 | 
						|
        if (!eq(a[length], b[length], aStack, bStack)) return false;
 | 
						|
      }
 | 
						|
    } else {
 | 
						|
      // Deep compare objects.
 | 
						|
      var keys = _.keys(a), key;
 | 
						|
      length = keys.length;
 | 
						|
      // Ensure that both objects contain the same number of properties before comparing deep equality.
 | 
						|
      if (_.keys(b).length !== length) return false;
 | 
						|
      while (length--) {
 | 
						|
        // Deep compare each member
 | 
						|
        key = keys[length];
 | 
						|
        if (!(_.has(b, key) && eq(a[key], b[key], aStack, bStack))) return false;
 | 
						|
      }
 | 
						|
    }
 | 
						|
    // Remove the first object from the stack of traversed objects.
 | 
						|
    aStack.pop();
 | 
						|
    bStack.pop();
 | 
						|
    return true;
 | 
						|
  };
 | 
						|
 | 
						|
  // Perform a deep comparison to check if two objects are equal.
 | 
						|
  _.isEqual = function(a, b) {
 | 
						|
    return eq(a, b);
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given array, string, or object empty?
 | 
						|
  // An "empty" object has no enumerable own-properties.
 | 
						|
  _.isEmpty = function(obj) {
 | 
						|
    if (obj == null) return true;
 | 
						|
    if (isArrayLike(obj) && (_.isArray(obj) || _.isString(obj) || _.isArguments(obj))) return obj.length === 0;
 | 
						|
    return _.keys(obj).length === 0;
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given value a DOM element?
 | 
						|
  _.isElement = function(obj) {
 | 
						|
    return !!(obj && obj.nodeType === 1);
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given value an array?
 | 
						|
  // Delegates to ECMA5's native Array.isArray
 | 
						|
  _.isArray = nativeIsArray || function(obj) {
 | 
						|
    return toString.call(obj) === '[object Array]';
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given variable an object?
 | 
						|
  _.isObject = function(obj) {
 | 
						|
    var type = typeof obj;
 | 
						|
    return type === 'function' || type === 'object' && !!obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Add some isType methods: isArguments, isFunction, isString, isNumber, isDate, isRegExp, isError.
 | 
						|
  _.each(['Arguments', 'Function', 'String', 'Number', 'Date', 'RegExp', 'Error'], function(name) {
 | 
						|
    _['is' + name] = function(obj) {
 | 
						|
      return toString.call(obj) === '[object ' + name + ']';
 | 
						|
    };
 | 
						|
  });
 | 
						|
 | 
						|
  // Define a fallback version of the method in browsers (ahem, IE < 9), where
 | 
						|
  // there isn't any inspectable "Arguments" type.
 | 
						|
  if (!_.isArguments(arguments)) {
 | 
						|
    _.isArguments = function(obj) {
 | 
						|
      return _.has(obj, 'callee');
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  // Optimize `isFunction` if appropriate. Work around some typeof bugs in old v8,
 | 
						|
  // IE 11 (#1621), and in Safari 8 (#1929).
 | 
						|
  if (typeof /./ != 'function' && typeof Int8Array != 'object') {
 | 
						|
    _.isFunction = function(obj) {
 | 
						|
      return typeof obj == 'function' || false;
 | 
						|
    };
 | 
						|
  }
 | 
						|
 | 
						|
  // Is a given object a finite number?
 | 
						|
  _.isFinite = function(obj) {
 | 
						|
    return isFinite(obj) && !isNaN(parseFloat(obj));
 | 
						|
  };
 | 
						|
 | 
						|
  // Is the given value `NaN`? (NaN is the only number which does not equal itself).
 | 
						|
  _.isNaN = function(obj) {
 | 
						|
    return _.isNumber(obj) && obj !== +obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given value a boolean?
 | 
						|
  _.isBoolean = function(obj) {
 | 
						|
    return obj === true || obj === false || toString.call(obj) === '[object Boolean]';
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given value equal to null?
 | 
						|
  _.isNull = function(obj) {
 | 
						|
    return obj === null;
 | 
						|
  };
 | 
						|
 | 
						|
  // Is a given variable undefined?
 | 
						|
  _.isUndefined = function(obj) {
 | 
						|
    return obj === void 0;
 | 
						|
  };
 | 
						|
 | 
						|
  // Shortcut function for checking if an object has a given property directly
 | 
						|
  // on itself (in other words, not on a prototype).
 | 
						|
  _.has = function(obj, key) {
 | 
						|
    return obj != null && hasOwnProperty.call(obj, key);
 | 
						|
  };
 | 
						|
 | 
						|
  // Utility Functions
 | 
						|
  // -----------------
 | 
						|
 | 
						|
  // Run Underscore.js in *noConflict* mode, returning the `_` variable to its
 | 
						|
  // previous owner. Returns a reference to the Underscore object.
 | 
						|
  _.noConflict = function() {
 | 
						|
    root._ = previousUnderscore;
 | 
						|
    return this;
 | 
						|
  };
 | 
						|
 | 
						|
  // Keep the identity function around for default iteratees.
 | 
						|
  _.identity = function(value) {
 | 
						|
    return value;
 | 
						|
  };
 | 
						|
 | 
						|
  // Predicate-generating functions. Often useful outside of Underscore.
 | 
						|
  _.constant = function(value) {
 | 
						|
    return function() {
 | 
						|
      return value;
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  _.noop = function(){};
 | 
						|
 | 
						|
  _.property = function(key) {
 | 
						|
    return function(obj) {
 | 
						|
      return obj == null ? void 0 : obj[key];
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Generates a function for a given object that returns a given property.
 | 
						|
  _.propertyOf = function(obj) {
 | 
						|
    return obj == null ? function(){} : function(key) {
 | 
						|
      return obj[key];
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Returns a predicate for checking whether an object has a given set of 
 | 
						|
  // `key:value` pairs.
 | 
						|
  _.matcher = _.matches = function(attrs) {
 | 
						|
    attrs = _.extendOwn({}, attrs);
 | 
						|
    return function(obj) {
 | 
						|
      return _.isMatch(obj, attrs);
 | 
						|
    };
 | 
						|
  };
 | 
						|
 | 
						|
  // Run a function **n** times.
 | 
						|
  _.times = function(n, iteratee, context) {
 | 
						|
    var accum = Array(Math.max(0, n));
 | 
						|
    iteratee = optimizeCb(iteratee, context, 1);
 | 
						|
    for (var i = 0; i < n; i++) accum[i] = iteratee(i);
 | 
						|
    return accum;
 | 
						|
  };
 | 
						|
 | 
						|
  // Return a random integer between min and max (inclusive).
 | 
						|
  _.random = function(min, max) {
 | 
						|
    if (max == null) {
 | 
						|
      max = min;
 | 
						|
      min = 0;
 | 
						|
    }
 | 
						|
    return min + Math.floor(Math.random() * (max - min + 1));
 | 
						|
  };
 | 
						|
 | 
						|
  // A (possibly faster) way to get the current timestamp as an integer.
 | 
						|
  _.now = Date.now || function() {
 | 
						|
    return new Date().getTime();
 | 
						|
  };
 | 
						|
 | 
						|
   // List of HTML entities for escaping.
 | 
						|
  var escapeMap = {
 | 
						|
    '&': '&',
 | 
						|
    '<': '<',
 | 
						|
    '>': '>',
 | 
						|
    '"': '"',
 | 
						|
    "'": ''',
 | 
						|
    '`': '`'
 | 
						|
  };
 | 
						|
  var unescapeMap = _.invert(escapeMap);
 | 
						|
 | 
						|
  // Functions for escaping and unescaping strings to/from HTML interpolation.
 | 
						|
  var createEscaper = function(map) {
 | 
						|
    var escaper = function(match) {
 | 
						|
      return map[match];
 | 
						|
    };
 | 
						|
    // Regexes for identifying a key that needs to be escaped
 | 
						|
    var source = '(?:' + _.keys(map).join('|') + ')';
 | 
						|
    var testRegexp = RegExp(source);
 | 
						|
    var replaceRegexp = RegExp(source, 'g');
 | 
						|
    return function(string) {
 | 
						|
      string = string == null ? '' : '' + string;
 | 
						|
      return testRegexp.test(string) ? string.replace(replaceRegexp, escaper) : string;
 | 
						|
    };
 | 
						|
  };
 | 
						|
  _.escape = createEscaper(escapeMap);
 | 
						|
  _.unescape = createEscaper(unescapeMap);
 | 
						|
 | 
						|
  // If the value of the named `property` is a function then invoke it with the
 | 
						|
  // `object` as context; otherwise, return it.
 | 
						|
  _.result = function(object, property, fallback) {
 | 
						|
    var value = object == null ? void 0 : object[property];
 | 
						|
    if (value === void 0) {
 | 
						|
      value = fallback;
 | 
						|
    }
 | 
						|
    return _.isFunction(value) ? value.call(object) : value;
 | 
						|
  };
 | 
						|
 | 
						|
  // Generate a unique integer id (unique within the entire client session).
 | 
						|
  // Useful for temporary DOM ids.
 | 
						|
  var idCounter = 0;
 | 
						|
  _.uniqueId = function(prefix) {
 | 
						|
    var id = ++idCounter + '';
 | 
						|
    return prefix ? prefix + id : id;
 | 
						|
  };
 | 
						|
 | 
						|
  // By default, Underscore uses ERB-style template delimiters, change the
 | 
						|
  // following template settings to use alternative delimiters.
 | 
						|
  _.templateSettings = {
 | 
						|
    evaluate    : /<%([\s\S]+?)%>/g,
 | 
						|
    interpolate : /<%=([\s\S]+?)%>/g,
 | 
						|
    escape      : /<%-([\s\S]+?)%>/g
 | 
						|
  };
 | 
						|
 | 
						|
  // When customizing `templateSettings`, if you don't want to define an
 | 
						|
  // interpolation, evaluation or escaping regex, we need one that is
 | 
						|
  // guaranteed not to match.
 | 
						|
  var noMatch = /(.)^/;
 | 
						|
 | 
						|
  // Certain characters need to be escaped so that they can be put into a
 | 
						|
  // string literal.
 | 
						|
  var escapes = {
 | 
						|
    "'":      "'",
 | 
						|
    '\\':     '\\',
 | 
						|
    '\r':     'r',
 | 
						|
    '\n':     'n',
 | 
						|
    '\u2028': 'u2028',
 | 
						|
    '\u2029': 'u2029'
 | 
						|
  };
 | 
						|
 | 
						|
  var escaper = /\\|'|\r|\n|\u2028|\u2029/g;
 | 
						|
 | 
						|
  var escapeChar = function(match) {
 | 
						|
    return '\\' + escapes[match];
 | 
						|
  };
 | 
						|
 | 
						|
  // JavaScript micro-templating, similar to John Resig's implementation.
 | 
						|
  // Underscore templating handles arbitrary delimiters, preserves whitespace,
 | 
						|
  // and correctly escapes quotes within interpolated code.
 | 
						|
  // NB: `oldSettings` only exists for backwards compatibility.
 | 
						|
  _.template = function(text, settings, oldSettings) {
 | 
						|
    if (!settings && oldSettings) settings = oldSettings;
 | 
						|
    settings = _.defaults({}, settings, _.templateSettings);
 | 
						|
 | 
						|
    // Combine delimiters into one regular expression via alternation.
 | 
						|
    var matcher = RegExp([
 | 
						|
      (settings.escape || noMatch).source,
 | 
						|
      (settings.interpolate || noMatch).source,
 | 
						|
      (settings.evaluate || noMatch).source
 | 
						|
    ].join('|') + '|$', 'g');
 | 
						|
 | 
						|
    // Compile the template source, escaping string literals appropriately.
 | 
						|
    var index = 0;
 | 
						|
    var source = "__p+='";
 | 
						|
    text.replace(matcher, function(match, escape, interpolate, evaluate, offset) {
 | 
						|
      source += text.slice(index, offset).replace(escaper, escapeChar);
 | 
						|
      index = offset + match.length;
 | 
						|
 | 
						|
      if (escape) {
 | 
						|
        source += "'+\n((__t=(" + escape + "))==null?'':_.escape(__t))+\n'";
 | 
						|
      } else if (interpolate) {
 | 
						|
        source += "'+\n((__t=(" + interpolate + "))==null?'':__t)+\n'";
 | 
						|
      } else if (evaluate) {
 | 
						|
        source += "';\n" + evaluate + "\n__p+='";
 | 
						|
      }
 | 
						|
 | 
						|
      // Adobe VMs need the match returned to produce the correct offest.
 | 
						|
      return match;
 | 
						|
    });
 | 
						|
    source += "';\n";
 | 
						|
 | 
						|
    // If a variable is not specified, place data values in local scope.
 | 
						|
    if (!settings.variable) source = 'with(obj||{}){\n' + source + '}\n';
 | 
						|
 | 
						|
    source = "var __t,__p='',__j=Array.prototype.join," +
 | 
						|
      "print=function(){__p+=__j.call(arguments,'');};\n" +
 | 
						|
      source + 'return __p;\n';
 | 
						|
 | 
						|
    try {
 | 
						|
      var render = new Function(settings.variable || 'obj', '_', source);
 | 
						|
    } catch (e) {
 | 
						|
      e.source = source;
 | 
						|
      throw e;
 | 
						|
    }
 | 
						|
 | 
						|
    var template = function(data) {
 | 
						|
      return render.call(this, data, _);
 | 
						|
    };
 | 
						|
 | 
						|
    // Provide the compiled source as a convenience for precompilation.
 | 
						|
    var argument = settings.variable || 'obj';
 | 
						|
    template.source = 'function(' + argument + '){\n' + source + '}';
 | 
						|
 | 
						|
    return template;
 | 
						|
  };
 | 
						|
 | 
						|
  // Add a "chain" function. Start chaining a wrapped Underscore object.
 | 
						|
  _.chain = function(obj) {
 | 
						|
    var instance = _(obj);
 | 
						|
    instance._chain = true;
 | 
						|
    return instance;
 | 
						|
  };
 | 
						|
 | 
						|
  // OOP
 | 
						|
  // ---------------
 | 
						|
  // If Underscore is called as a function, it returns a wrapped object that
 | 
						|
  // can be used OO-style. This wrapper holds altered versions of all the
 | 
						|
  // underscore functions. Wrapped objects may be chained.
 | 
						|
 | 
						|
  // Helper function to continue chaining intermediate results.
 | 
						|
  var result = function(instance, obj) {
 | 
						|
    return instance._chain ? _(obj).chain() : obj;
 | 
						|
  };
 | 
						|
 | 
						|
  // Add your own custom functions to the Underscore object.
 | 
						|
  _.mixin = function(obj) {
 | 
						|
    _.each(_.functions(obj), function(name) {
 | 
						|
      var func = _[name] = obj[name];
 | 
						|
      _.prototype[name] = function() {
 | 
						|
        var args = [this._wrapped];
 | 
						|
        push.apply(args, arguments);
 | 
						|
        return result(this, func.apply(_, args));
 | 
						|
      };
 | 
						|
    });
 | 
						|
  };
 | 
						|
 | 
						|
  // Add all of the Underscore functions to the wrapper object.
 | 
						|
  _.mixin(_);
 | 
						|
 | 
						|
  // Add all mutator Array functions to the wrapper.
 | 
						|
  _.each(['pop', 'push', 'reverse', 'shift', 'sort', 'splice', 'unshift'], function(name) {
 | 
						|
    var method = ArrayProto[name];
 | 
						|
    _.prototype[name] = function() {
 | 
						|
      var obj = this._wrapped;
 | 
						|
      method.apply(obj, arguments);
 | 
						|
      if ((name === 'shift' || name === 'splice') && obj.length === 0) delete obj[0];
 | 
						|
      return result(this, obj);
 | 
						|
    };
 | 
						|
  });
 | 
						|
 | 
						|
  // Add all accessor Array functions to the wrapper.
 | 
						|
  _.each(['concat', 'join', 'slice'], function(name) {
 | 
						|
    var method = ArrayProto[name];
 | 
						|
    _.prototype[name] = function() {
 | 
						|
      return result(this, method.apply(this._wrapped, arguments));
 | 
						|
    };
 | 
						|
  });
 | 
						|
 | 
						|
  // Extracts the result from a wrapped and chained object.
 | 
						|
  _.prototype.value = function() {
 | 
						|
    return this._wrapped;
 | 
						|
  };
 | 
						|
 | 
						|
  // Provide unwrapping proxy for some methods used in engine operations
 | 
						|
  // such as arithmetic and JSON stringification.
 | 
						|
  _.prototype.valueOf = _.prototype.toJSON = _.prototype.value;
 | 
						|
  
 | 
						|
  _.prototype.toString = function() {
 | 
						|
    return '' + this._wrapped;
 | 
						|
  };
 | 
						|
 | 
						|
  // AMD registration happens at the end for compatibility with AMD loaders
 | 
						|
  // that may not enforce next-turn semantics on modules. Even though general
 | 
						|
  // practice for AMD registration is to be anonymous, underscore registers
 | 
						|
  // as a named module because, like jQuery, it is a base library that is
 | 
						|
  // popular enough to be bundled in a third party lib, but not be part of
 | 
						|
  // an AMD load request. Those cases could generate an error when an
 | 
						|
  // anonymous define() is called outside of a loader request.
 | 
						|
  if (typeof define === 'function' && define.amd) {
 | 
						|
    define('underscore', [], function() {
 | 
						|
      return _;
 | 
						|
    });
 | 
						|
  }
 | 
						|
}.call(this));
 | 
						|
 | 
						|
},{}],21:[function(require,module,exports){
 | 
						|
var toSDP = require('./lib/tosdp');
 | 
						|
var toJSON = require('./lib/tojson');
 | 
						|
 | 
						|
 | 
						|
// Converstion from JSON to SDP
 | 
						|
 | 
						|
exports.toIncomingSDPOffer = function (session) {
 | 
						|
    return toSDP.toSessionSDP(session, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'incoming'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingSDPOffer = function (session) {
 | 
						|
    return toSDP.toSessionSDP(session, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'outgoing'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingSDPAnswer = function (session) {
 | 
						|
    return toSDP.toSessionSDP(session, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'incoming'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingSDPAnswer = function (session) {
 | 
						|
    return toSDP.toSessionSDP(session, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'outgoing'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingMediaSDPOffer = function (media) {
 | 
						|
    return toSDP.toMediaSDP(media, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'incoming'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingMediaSDPOffer = function (media) {
 | 
						|
    return toSDP.toMediaSDP(media, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'outgoing'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingMediaSDPAnswer = function (media) {
 | 
						|
    return toSDP.toMediaSDP(media, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'incoming'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingMediaSDPAnswer = function (media) {
 | 
						|
    return toSDP.toMediaSDP(media, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'outgoing'
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toCandidateSDP = toSDP.toCandidateSDP;
 | 
						|
exports.toMediaSDP = toSDP.toMediaSDP;
 | 
						|
exports.toSessionSDP = toSDP.toSessionSDP;
 | 
						|
 | 
						|
 | 
						|
// Conversion from SDP to JSON
 | 
						|
 | 
						|
exports.toIncomingJSONOffer = function (sdp, creators) {
 | 
						|
    return toJSON.toSessionJSON(sdp, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'incoming',
 | 
						|
        creators: creators
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingJSONOffer = function (sdp, creators) {
 | 
						|
    return toJSON.toSessionJSON(sdp, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'outgoing',
 | 
						|
        creators: creators
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingJSONAnswer = function (sdp, creators) {
 | 
						|
    return toJSON.toSessionJSON(sdp, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'incoming',
 | 
						|
        creators: creators
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingJSONAnswer = function (sdp, creators) {
 | 
						|
    return toJSON.toSessionJSON(sdp, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'outgoing',
 | 
						|
        creators: creators
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingMediaJSONOffer = function (sdp, creator) {
 | 
						|
    return toJSON.toMediaJSON(sdp, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'incoming',
 | 
						|
        creator: creator
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingMediaJSONOffer = function (sdp, creator) {
 | 
						|
    return toJSON.toMediaJSON(sdp, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'outgoing',
 | 
						|
        creator: creator
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toIncomingMediaJSONAnswer = function (sdp, creator) {
 | 
						|
    return toJSON.toMediaJSON(sdp, {
 | 
						|
        role: 'initiator',
 | 
						|
        direction: 'incoming',
 | 
						|
        creator: creator
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toOutgoingMediaJSONAnswer = function (sdp, creator) {
 | 
						|
    return toJSON.toMediaJSON(sdp, {
 | 
						|
        role: 'responder',
 | 
						|
        direction: 'outgoing',
 | 
						|
        creator: creator
 | 
						|
    });
 | 
						|
};
 | 
						|
exports.toCandidateJSON = toJSON.toCandidateJSON;
 | 
						|
exports.toMediaJSON = toJSON.toMediaJSON;
 | 
						|
exports.toSessionJSON = toJSON.toSessionJSON;
 | 
						|
 | 
						|
},{"./lib/tojson":23,"./lib/tosdp":22}],14:[function(require,module,exports){
 | 
						|
var _ = require('underscore');
 | 
						|
var util = require('util');
 | 
						|
var webrtc = require('webrtcsupport');
 | 
						|
var SJJ = require('sdp-jingle-json');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var peerconn = require('traceablepeerconnection');
 | 
						|
 | 
						|
function PeerConnection(config, constraints) {
 | 
						|
    var self = this;
 | 
						|
    var item;
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    config = config || {};
 | 
						|
    config.iceServers = config.iceServers || [];
 | 
						|
 | 
						|
    // make sure this only gets enabled in Google Chrome
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    this.enableChromeNativeSimulcast = false;
 | 
						|
    if (constraints && constraints.optional &&
 | 
						|
            webrtc.prefix === 'webkit' &&
 | 
						|
            navigator.appVersion.match(/Chromium\//) === null) {
 | 
						|
        constraints.optional.forEach(function (constraint, idx) {
 | 
						|
            if (constraint.enableChromeNativeSimulcast) {
 | 
						|
                self.enableChromeNativeSimulcast = true;
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    this.enableMultiStreamHacks = false;
 | 
						|
    if (constraints && constraints.optional) {
 | 
						|
        constraints.optional.forEach(function (constraint, idx) {
 | 
						|
            if (constraint.enableMultiStreamHacks) {
 | 
						|
                self.enableMultiStreamHacks = true;
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    this.restrictBandwidth = 0;
 | 
						|
    if (constraints && constraints.optional) {
 | 
						|
        constraints.optional.forEach(function (constraint, idx) {
 | 
						|
            if (constraint.andyetRestrictBandwidth) {
 | 
						|
                self.restrictBandwidth = constraint.andyetRestrictBandwidth;
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    // bundle up ice candidates, only works for jingle mode
 | 
						|
    // number > 0 is the delay to wait for additional candidates
 | 
						|
    // ~20ms seems good
 | 
						|
    this.batchIceCandidates = 0;
 | 
						|
    if (constraints && constraints.optional) {
 | 
						|
        constraints.optional.forEach(function (constraint, idx) {
 | 
						|
            if (constraint.andyetBatchIce) {
 | 
						|
                self.batchIceCandidates = constraint.andyetBatchIce;
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
    this.batchedIceCandidates = [];
 | 
						|
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    this.assumeSetLocalSuccess = false;
 | 
						|
    if (constraints && constraints.optional) {
 | 
						|
        constraints.optional.forEach(function (constraint, idx) {
 | 
						|
            if (constraint.andyetAssumeSetLocalSuccess) {
 | 
						|
                self.assumeSetLocalSuccess = constraint.andyetAssumeSetLocalSuccess;
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    // EXPERIMENTAL FLAG, might get removed without notice
 | 
						|
    // working around https://bugzilla.mozilla.org/show_bug.cgi?id=1087551
 | 
						|
    // pass in a timeout for this
 | 
						|
    if (webrtc.prefix === 'moz') {
 | 
						|
        if (constraints && constraints.optional) {
 | 
						|
            this.wtFirefox = 0;
 | 
						|
            constraints.optional.forEach(function (constraint, idx) {
 | 
						|
                if (constraint.andyetFirefoxMakesMeSad) {
 | 
						|
                    self.wtFirefox = constraint.andyetFirefoxMakesMeSad;
 | 
						|
                    if (self.wtFirefox > 0) {
 | 
						|
                        self.firefoxcandidatebuffer = [];
 | 
						|
                    }
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
 | 
						|
    this.pc = new peerconn(config, constraints);
 | 
						|
 | 
						|
    this.getLocalStreams = this.pc.getLocalStreams.bind(this.pc);
 | 
						|
    this.getRemoteStreams = this.pc.getRemoteStreams.bind(this.pc);
 | 
						|
    this.addStream = this.pc.addStream.bind(this.pc);
 | 
						|
    this.removeStream = this.pc.removeStream.bind(this.pc);
 | 
						|
 | 
						|
    // proxy events 
 | 
						|
    this.pc.on('*', function () {
 | 
						|
        self.emit.apply(self, arguments);
 | 
						|
    });
 | 
						|
 | 
						|
    // proxy some events directly
 | 
						|
    this.pc.onremovestream = this.emit.bind(this, 'removeStream');
 | 
						|
    this.pc.onaddstream = this.emit.bind(this, 'addStream');
 | 
						|
    this.pc.onnegotiationneeded = this.emit.bind(this, 'negotiationNeeded');
 | 
						|
    this.pc.oniceconnectionstatechange = this.emit.bind(this, 'iceConnectionStateChange');
 | 
						|
    this.pc.onsignalingstatechange = this.emit.bind(this, 'signalingStateChange');
 | 
						|
 | 
						|
    // handle ice candidate and data channel events
 | 
						|
    this.pc.onicecandidate = this._onIce.bind(this);
 | 
						|
    this.pc.ondatachannel = this._onDataChannel.bind(this);
 | 
						|
 | 
						|
    this.localDescription = {
 | 
						|
        contents: []
 | 
						|
    };
 | 
						|
    this.remoteDescription = {
 | 
						|
        contents: []
 | 
						|
    };
 | 
						|
 | 
						|
    this.config = {
 | 
						|
        debug: false,
 | 
						|
        ice: {},
 | 
						|
        sid: '',
 | 
						|
        isInitiator: true,
 | 
						|
        sdpSessionID: Date.now(),
 | 
						|
        useJingle: false
 | 
						|
    };
 | 
						|
 | 
						|
    // apply our config
 | 
						|
    for (item in config) {
 | 
						|
        this.config[item] = config[item];
 | 
						|
    }
 | 
						|
 | 
						|
    if (this.config.debug) {
 | 
						|
        this.on('*', function (eventName, event) {
 | 
						|
            var logger = config.logger || console;
 | 
						|
            logger.log('PeerConnection event:', arguments);
 | 
						|
        });
 | 
						|
    }
 | 
						|
    this.hadLocalStunCandidate = false;
 | 
						|
    this.hadRemoteStunCandidate = false;
 | 
						|
    this.hadLocalRelayCandidate = false;
 | 
						|
    this.hadRemoteRelayCandidate = false;
 | 
						|
 | 
						|
    this.hadLocalIPv6Candidate = false;
 | 
						|
    this.hadRemoteIPv6Candidate = false;
 | 
						|
 | 
						|
    // keeping references for all our data channels
 | 
						|
    // so they dont get garbage collected
 | 
						|
    // can be removed once the following bugs have been fixed
 | 
						|
    // https://crbug.com/405545 
 | 
						|
    // https://bugzilla.mozilla.org/show_bug.cgi?id=964092
 | 
						|
    // to be filed for opera
 | 
						|
    this._remoteDataChannels = [];
 | 
						|
    this._localDataChannels = [];
 | 
						|
}
 | 
						|
 | 
						|
util.inherits(PeerConnection, WildEmitter);
 | 
						|
 | 
						|
Object.defineProperty(PeerConnection.prototype, 'signalingState', {
 | 
						|
    get: function () {
 | 
						|
        return this.pc.signalingState;
 | 
						|
    }
 | 
						|
});
 | 
						|
Object.defineProperty(PeerConnection.prototype, 'iceConnectionState', {
 | 
						|
    get: function () {
 | 
						|
        return this.pc.iceConnectionState;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
PeerConnection.prototype._role = function () {
 | 
						|
    return this.isInitiator ? 'initiator' : 'responder';
 | 
						|
};
 | 
						|
 | 
						|
// Add a stream to the peer connection object
 | 
						|
PeerConnection.prototype.addStream = function (stream) {
 | 
						|
    this.localStream = stream;
 | 
						|
    this.pc.addStream(stream);
 | 
						|
};
 | 
						|
 | 
						|
// helper function to check if a remote candidate is a stun/relay
 | 
						|
// candidate or an ipv6 candidate
 | 
						|
PeerConnection.prototype._checkLocalCandidate = function (candidate) {
 | 
						|
    var cand = SJJ.toCandidateJSON(candidate);
 | 
						|
    if (cand.type == 'srflx') {
 | 
						|
        this.hadLocalStunCandidate = true;
 | 
						|
    } else if (cand.type == 'relay') {
 | 
						|
        this.hadLocalRelayCandidate = true;
 | 
						|
    }
 | 
						|
    if (cand.ip.indexOf(':') != -1) {
 | 
						|
        this.hadLocalIPv6Candidate = true;
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
// helper function to check if a remote candidate is a stun/relay
 | 
						|
// candidate or an ipv6 candidate
 | 
						|
PeerConnection.prototype._checkRemoteCandidate = function (candidate) {
 | 
						|
    var cand = SJJ.toCandidateJSON(candidate);
 | 
						|
    if (cand.type == 'srflx') {
 | 
						|
        this.hadRemoteStunCandidate = true;
 | 
						|
    } else if (cand.type == 'relay') {
 | 
						|
        this.hadRemoteRelayCandidate = true;
 | 
						|
    }
 | 
						|
    if (cand.ip.indexOf(':') != -1) {
 | 
						|
        this.hadRemoteIPv6Candidate = true;
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
// Init and add ice candidate object with correct constructor
 | 
						|
PeerConnection.prototype.processIce = function (update, cb) {
 | 
						|
    cb = cb || function () {};
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    // ignore any added ice candidates to avoid errors. why does the
 | 
						|
    // spec not do this?
 | 
						|
    if (this.pc.signalingState === 'closed') return cb();
 | 
						|
 | 
						|
    if (update.contents || (update.jingle && update.jingle.contents)) {
 | 
						|
        var contentNames = _.pluck(this.remoteDescription.contents, 'name');
 | 
						|
        var contents = update.contents || update.jingle.contents;
 | 
						|
 | 
						|
        contents.forEach(function (content) {
 | 
						|
            var transport = content.transport || {};
 | 
						|
            var candidates = transport.candidates || [];
 | 
						|
            var mline = contentNames.indexOf(content.name);
 | 
						|
            var mid = content.name;
 | 
						|
 | 
						|
            candidates.forEach(
 | 
						|
                function (candidate) {
 | 
						|
                var iceCandidate = SJJ.toCandidateSDP(candidate) + '\r\n';
 | 
						|
                self.pc.addIceCandidate(
 | 
						|
                    new webrtc.IceCandidate({
 | 
						|
                        candidate: iceCandidate,
 | 
						|
                        sdpMLineIndex: mline,
 | 
						|
                        sdpMid: mid
 | 
						|
                    }), function () {
 | 
						|
                        // well, this success callback is pretty meaningless
 | 
						|
                    },
 | 
						|
                    function (err) {
 | 
						|
                        self.emit('error', err);
 | 
						|
                    }
 | 
						|
                );
 | 
						|
                self._checkRemoteCandidate(iceCandidate);
 | 
						|
            });
 | 
						|
        });
 | 
						|
    } else {
 | 
						|
        // working around https://code.google.com/p/webrtc/issues/detail?id=3669
 | 
						|
        if (update.candidate && update.candidate.candidate.indexOf('a=') !== 0) {
 | 
						|
            update.candidate.candidate = 'a=' + update.candidate.candidate;
 | 
						|
        }
 | 
						|
 | 
						|
        if (this.wtFirefox && this.firefoxcandidatebuffer !== null) {
 | 
						|
            // we cant add this yet due to https://bugzilla.mozilla.org/show_bug.cgi?id=1087551
 | 
						|
            if (this.pc.localDescription && this.pc.localDescription.type === 'offer') {
 | 
						|
                this.firefoxcandidatebuffer.push(update.candidate);
 | 
						|
                return cb();
 | 
						|
            }
 | 
						|
        }
 | 
						|
 | 
						|
        self.pc.addIceCandidate(
 | 
						|
            new webrtc.IceCandidate(update.candidate),
 | 
						|
            function () { },
 | 
						|
            function (err) {
 | 
						|
                self.emit('error', err);
 | 
						|
            }
 | 
						|
        );
 | 
						|
        self._checkRemoteCandidate(update.candidate.candidate);
 | 
						|
    }
 | 
						|
    cb();
 | 
						|
};
 | 
						|
 | 
						|
// Generate and emit an offer with the given constraints
 | 
						|
PeerConnection.prototype.offer = function (constraints, cb) {
 | 
						|
    var self = this;
 | 
						|
    var hasConstraints = arguments.length === 2;
 | 
						|
    var mediaConstraints = hasConstraints ? constraints : {
 | 
						|
            mandatory: {
 | 
						|
                OfferToReceiveAudio: true,
 | 
						|
                OfferToReceiveVideo: true
 | 
						|
            }
 | 
						|
        };
 | 
						|
    cb = hasConstraints ? cb : constraints;
 | 
						|
    cb = cb || function () {};
 | 
						|
 | 
						|
    if (this.pc.signalingState === 'closed') return cb('Already closed');
 | 
						|
 | 
						|
    // Actually generate the offer
 | 
						|
    this.pc.createOffer(
 | 
						|
        function (offer) {
 | 
						|
            // does not work for jingle, but jingle.js doesn't need
 | 
						|
            // this hack...
 | 
						|
            var expandedOffer = {
 | 
						|
                type: 'offer',
 | 
						|
                sdp: offer.sdp
 | 
						|
            };
 | 
						|
            if (self.assumeSetLocalSuccess) {
 | 
						|
                self.emit('offer', expandedOffer);
 | 
						|
                cb(null, expandedOffer);
 | 
						|
            }
 | 
						|
            self.pc.setLocalDescription(offer,
 | 
						|
                function () {
 | 
						|
                    var jingle;
 | 
						|
                    if (self.config.useJingle) {
 | 
						|
                        jingle = SJJ.toSessionJSON(offer.sdp, {
 | 
						|
                            role: self._role(),
 | 
						|
                            direction: 'outgoing'
 | 
						|
                        });
 | 
						|
                        jingle.sid = self.config.sid;
 | 
						|
                        self.localDescription = jingle;
 | 
						|
 | 
						|
                        // Save ICE credentials
 | 
						|
                        _.each(jingle.contents, function (content) {
 | 
						|
                            var transport = content.transport || {};
 | 
						|
                            if (transport.ufrag) {
 | 
						|
                                self.config.ice[content.name] = {
 | 
						|
                                    ufrag: transport.ufrag,
 | 
						|
                                    pwd: transport.pwd
 | 
						|
                                };
 | 
						|
                            }
 | 
						|
                        });
 | 
						|
 | 
						|
                        expandedOffer.jingle = jingle;
 | 
						|
                    }
 | 
						|
                    expandedOffer.sdp.split('\r\n').forEach(function (line) {
 | 
						|
                        if (line.indexOf('a=candidate:') === 0) {
 | 
						|
                            self._checkLocalCandidate(line);
 | 
						|
                        }
 | 
						|
                    });
 | 
						|
 | 
						|
                    if (!self.assumeSetLocalSuccess) {
 | 
						|
                        self.emit('offer', expandedOffer);
 | 
						|
                        cb(null, expandedOffer);
 | 
						|
                    }
 | 
						|
                },
 | 
						|
                function (err) {
 | 
						|
                    self.emit('error', err);
 | 
						|
                    cb(err);
 | 
						|
                }
 | 
						|
            );
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.emit('error', err);
 | 
						|
            cb(err);
 | 
						|
        },
 | 
						|
        mediaConstraints
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
// Process an incoming offer so that ICE may proceed before deciding
 | 
						|
// to answer the request.
 | 
						|
PeerConnection.prototype.handleOffer = function (offer, cb) {
 | 
						|
    cb = cb || function () {};
 | 
						|
    var self = this;
 | 
						|
    offer.type = 'offer';
 | 
						|
    if (offer.jingle) {
 | 
						|
        if (this.enableChromeNativeSimulcast) {
 | 
						|
            offer.jingle.contents.forEach(function (content) {
 | 
						|
                if (content.name === 'video') {
 | 
						|
                    content.description.googConferenceFlag = true;
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
        /*
 | 
						|
        if (this.enableMultiStreamHacks) {
 | 
						|
            // add a mixed video stream as first stream
 | 
						|
            offer.jingle.contents.forEach(function (content) {
 | 
						|
                if (content.name === 'video') {
 | 
						|
                    var sources = content.description.sources || [];
 | 
						|
                    if (sources.length === 0 || sources[0].ssrc !== "3735928559") {
 | 
						|
                        sources.unshift({
 | 
						|
                            ssrc: "3735928559", // 0xdeadbeef
 | 
						|
                            parameters: [
 | 
						|
                                {
 | 
						|
                                    key: "cname",
 | 
						|
                                    value: "deadbeef"
 | 
						|
                                },
 | 
						|
                                {
 | 
						|
                                    key: "msid",
 | 
						|
                                    value: "mixyourfecintothis please"
 | 
						|
                                }
 | 
						|
                            ]
 | 
						|
                        });
 | 
						|
                        content.description.sources = sources;
 | 
						|
                    }
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
        */
 | 
						|
        if (self.restrictBandwidth > 0) {
 | 
						|
            if (offer.jingle.contents.length >= 2 && offer.jingle.contents[1].name === 'video') {
 | 
						|
                var content = offer.jingle.contents[1];
 | 
						|
                var hasBw = content.description && content.description.bandwidth;
 | 
						|
                if (!hasBw) {
 | 
						|
                    offer.jingle.contents[1].description.bandwidth = { type:'AS', bandwidth: self.restrictBandwidth.toString() };
 | 
						|
                    offer.sdp = SJJ.toSessionSDP(offer.jingle, {
 | 
						|
                        sid: self.config.sdpSessionID,
 | 
						|
                        role: self._role(),
 | 
						|
                        direction: 'outgoing'
 | 
						|
                    });
 | 
						|
                }
 | 
						|
            }
 | 
						|
        }
 | 
						|
        offer.sdp = SJJ.toSessionSDP(offer.jingle, {
 | 
						|
            sid: self.config.sdpSessionID,
 | 
						|
            role: self._role(),
 | 
						|
            direction: 'incoming'
 | 
						|
        });
 | 
						|
        self.remoteDescription = offer.jingle;
 | 
						|
    }
 | 
						|
    offer.sdp.split('\r\n').forEach(function (line) {
 | 
						|
        if (line.indexOf('a=candidate:') === 0) {
 | 
						|
            self._checkRemoteCandidate(line);
 | 
						|
        }
 | 
						|
    });
 | 
						|
    self.pc.setRemoteDescription(new webrtc.SessionDescription(offer),
 | 
						|
        function () {
 | 
						|
            cb();
 | 
						|
        },
 | 
						|
        cb
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
// Answer an offer with audio only
 | 
						|
PeerConnection.prototype.answerAudioOnly = function (cb) {
 | 
						|
    var mediaConstraints = {
 | 
						|
            mandatory: {
 | 
						|
                OfferToReceiveAudio: true,
 | 
						|
                OfferToReceiveVideo: false
 | 
						|
            }
 | 
						|
        };
 | 
						|
    this._answer(mediaConstraints, cb);
 | 
						|
};
 | 
						|
 | 
						|
// Answer an offer without offering to recieve
 | 
						|
PeerConnection.prototype.answerBroadcastOnly = function (cb) {
 | 
						|
    var mediaConstraints = {
 | 
						|
            mandatory: {
 | 
						|
                OfferToReceiveAudio: false,
 | 
						|
                OfferToReceiveVideo: false
 | 
						|
            }
 | 
						|
        };
 | 
						|
    this._answer(mediaConstraints, cb);
 | 
						|
};
 | 
						|
 | 
						|
// Answer an offer with given constraints default is audio/video
 | 
						|
PeerConnection.prototype.answer = function (constraints, cb) {
 | 
						|
    var self = this;
 | 
						|
    var hasConstraints = arguments.length === 2;
 | 
						|
    var callback = hasConstraints ? cb : constraints;
 | 
						|
    var mediaConstraints = hasConstraints ? constraints : {
 | 
						|
            mandatory: {
 | 
						|
                OfferToReceiveAudio: true,
 | 
						|
                OfferToReceiveVideo: true
 | 
						|
            }
 | 
						|
        };
 | 
						|
 | 
						|
    this._answer(mediaConstraints, callback);
 | 
						|
};
 | 
						|
 | 
						|
// Process an answer
 | 
						|
PeerConnection.prototype.handleAnswer = function (answer, cb) {
 | 
						|
    cb = cb || function () {};
 | 
						|
    var self = this;
 | 
						|
    if (answer.jingle) {
 | 
						|
        answer.sdp = SJJ.toSessionSDP(answer.jingle, {
 | 
						|
            sid: self.config.sdpSessionID,
 | 
						|
            role: self._role(),
 | 
						|
            direction: 'incoming'
 | 
						|
        });
 | 
						|
        self.remoteDescription = answer.jingle;
 | 
						|
    }
 | 
						|
    answer.sdp.split('\r\n').forEach(function (line) {
 | 
						|
        if (line.indexOf('a=candidate:') === 0) {
 | 
						|
            self._checkRemoteCandidate(line);
 | 
						|
        }
 | 
						|
    });
 | 
						|
    self.pc.setRemoteDescription(
 | 
						|
        new webrtc.SessionDescription(answer),
 | 
						|
        function () {
 | 
						|
            if (self.wtFirefox) {
 | 
						|
                window.setTimeout(function () {
 | 
						|
                    self.firefoxcandidatebuffer.forEach(function (candidate) {
 | 
						|
                        // add candidates later
 | 
						|
                        self.pc.addIceCandidate(
 | 
						|
                            new webrtc.IceCandidate(candidate),
 | 
						|
                            function () { },
 | 
						|
                            function (err) {
 | 
						|
                                self.emit('error', err);
 | 
						|
                            }
 | 
						|
                        );
 | 
						|
                        self._checkRemoteCandidate(candidate.candidate);
 | 
						|
                    });
 | 
						|
                    self.firefoxcandidatebuffer = null;
 | 
						|
                }, self.wtFirefox);
 | 
						|
            }
 | 
						|
            cb(null);
 | 
						|
        },
 | 
						|
        cb
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
// Close the peer connection
 | 
						|
PeerConnection.prototype.close = function () {
 | 
						|
    this.pc.close();
 | 
						|
 | 
						|
    this._localDataChannels = [];
 | 
						|
    this._remoteDataChannels = [];
 | 
						|
 | 
						|
    this.emit('close');
 | 
						|
};
 | 
						|
 | 
						|
// Internal code sharing for various types of answer methods
 | 
						|
PeerConnection.prototype._answer = function (constraints, cb) {
 | 
						|
    cb = cb || function () {};
 | 
						|
    var self = this;
 | 
						|
    if (!this.pc.remoteDescription) {
 | 
						|
        // the old API is used, call handleOffer
 | 
						|
        throw new Error('remoteDescription not set');
 | 
						|
    }
 | 
						|
 | 
						|
    if (this.pc.signalingState === 'closed') return cb('Already closed');
 | 
						|
 | 
						|
    self.pc.createAnswer(
 | 
						|
        function (answer) {
 | 
						|
            var sim = [];
 | 
						|
            var rtx = [];
 | 
						|
            if (self.enableChromeNativeSimulcast) {
 | 
						|
                // native simulcast part 1: add another SSRC
 | 
						|
                answer.jingle = SJJ.toSessionJSON(answer.sdp, {
 | 
						|
                    role: self._role(),
 | 
						|
                    direction: 'outgoing'
 | 
						|
                });
 | 
						|
                if (answer.jingle.contents.length >= 2 && answer.jingle.contents[1].name === 'video') {
 | 
						|
                    var hasSimgroup = false;
 | 
						|
                    var groups = answer.jingle.contents[1].description.sourceGroups || [];
 | 
						|
                    var hasSim = false;
 | 
						|
                    groups.forEach(function (group) {
 | 
						|
                        if (group.semantics == 'SIM') hasSim = true;
 | 
						|
                    });
 | 
						|
                    if (!hasSim &&
 | 
						|
                        answer.jingle.contents[1].description.sources.length) {
 | 
						|
                        var newssrc = JSON.parse(JSON.stringify(answer.jingle.contents[1].description.sources[0]));
 | 
						|
                        newssrc.ssrc = '' + Math.floor(Math.random() * 0xffffffff); // FIXME: look for conflicts
 | 
						|
                        answer.jingle.contents[1].description.sources.push(newssrc);
 | 
						|
 | 
						|
                        sim.push(answer.jingle.contents[1].description.sources[0].ssrc);
 | 
						|
                        sim.push(newssrc.ssrc);
 | 
						|
                        groups.push({
 | 
						|
                            semantics: 'SIM',
 | 
						|
                            sources: sim
 | 
						|
                        });
 | 
						|
 | 
						|
                        // also create an RTX one for the SIM one
 | 
						|
                        var rtxssrc = JSON.parse(JSON.stringify(newssrc));
 | 
						|
                        rtxssrc.ssrc = '' + Math.floor(Math.random() * 0xffffffff); // FIXME: look for conflicts
 | 
						|
                        answer.jingle.contents[1].description.sources.push(rtxssrc);
 | 
						|
                        groups.push({
 | 
						|
                            semantics: 'FID',
 | 
						|
                            sources: [newssrc.ssrc, rtxssrc.ssrc]
 | 
						|
                        });
 | 
						|
 | 
						|
                        answer.jingle.contents[1].description.sourceGroups = groups;
 | 
						|
                        answer.sdp = SJJ.toSessionSDP(answer.jingle, {
 | 
						|
                            sid: self.config.sdpSessionID,
 | 
						|
                            role: self._role(),
 | 
						|
                            direction: 'outgoing'
 | 
						|
                        });
 | 
						|
                    }
 | 
						|
                }
 | 
						|
            }
 | 
						|
            var expandedAnswer = {
 | 
						|
                type: 'answer',
 | 
						|
                sdp: answer.sdp
 | 
						|
            };
 | 
						|
            if (self.assumeSetLocalSuccess) {
 | 
						|
                // not safe to do when doing simulcast mangling
 | 
						|
                self.emit('answer', expandedAnswer);
 | 
						|
                cb(null, expandedAnswer);
 | 
						|
            }
 | 
						|
            self.pc.setLocalDescription(answer,
 | 
						|
                function () {
 | 
						|
                    if (self.config.useJingle) {
 | 
						|
                        var jingle = SJJ.toSessionJSON(answer.sdp, {
 | 
						|
                            role: self._role(),
 | 
						|
                            direction: 'outgoing'
 | 
						|
                        });
 | 
						|
                        jingle.sid = self.config.sid;
 | 
						|
                        self.localDescription = jingle;
 | 
						|
                        expandedAnswer.jingle = jingle;
 | 
						|
                    }
 | 
						|
                    if (self.enableChromeNativeSimulcast) {
 | 
						|
                        // native simulcast part 2: 
 | 
						|
                        // signal multiple tracks to the receiver
 | 
						|
                        // for anything in the SIM group
 | 
						|
                        if (!expandedAnswer.jingle) {
 | 
						|
                            expandedAnswer.jingle = SJJ.toSessionJSON(answer.sdp, {
 | 
						|
                                role: self._role(),
 | 
						|
                                direction: 'outgoing'
 | 
						|
                            });
 | 
						|
                        }
 | 
						|
                        var groups = expandedAnswer.jingle.contents[1].description.sourceGroups || [];
 | 
						|
                        expandedAnswer.jingle.contents[1].description.sources.forEach(function (source, idx) {
 | 
						|
                            // the floor idx/2 is a hack that relies on a particular order
 | 
						|
                            // of groups, alternating between sim and rtx
 | 
						|
                            source.parameters = source.parameters.map(function (parameter) {
 | 
						|
                                if (parameter.key === 'msid') {
 | 
						|
                                    parameter.value += '-' + Math.floor(idx / 2);
 | 
						|
                                }
 | 
						|
                                return parameter;
 | 
						|
                            });
 | 
						|
                        });
 | 
						|
                        expandedAnswer.sdp = SJJ.toSessionSDP(expandedAnswer.jingle, {
 | 
						|
                            sid: self.sdpSessionID,
 | 
						|
                            role: self._role(),
 | 
						|
                            direction: 'outgoing'
 | 
						|
                        });
 | 
						|
                    }
 | 
						|
                    expandedAnswer.sdp.split('\r\n').forEach(function (line) {
 | 
						|
                        if (line.indexOf('a=candidate:') === 0) {
 | 
						|
                            self._checkLocalCandidate(line);
 | 
						|
                        }
 | 
						|
                    });
 | 
						|
                    if (!self.assumeSetLocalSuccess) {
 | 
						|
                        self.emit('answer', expandedAnswer);
 | 
						|
                        cb(null, expandedAnswer);
 | 
						|
                    }
 | 
						|
                },
 | 
						|
                function (err) {
 | 
						|
                    self.emit('error', err);
 | 
						|
                    cb(err);
 | 
						|
                }
 | 
						|
            );
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.emit('error', err);
 | 
						|
            cb(err);
 | 
						|
        },
 | 
						|
        constraints
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
// Internal method for emitting ice candidates on our peer object
 | 
						|
PeerConnection.prototype._onIce = function (event) {
 | 
						|
    var self = this;
 | 
						|
    if (event.candidate) {
 | 
						|
        var ice = event.candidate;
 | 
						|
 | 
						|
        var expandedCandidate = {
 | 
						|
            candidate: {
 | 
						|
                candidate: ice.candidate,
 | 
						|
                sdpMid: ice.sdpMid,
 | 
						|
                sdpMLineIndex: ice.sdpMLineIndex
 | 
						|
            }
 | 
						|
        };
 | 
						|
        this._checkLocalCandidate(ice.candidate);
 | 
						|
 | 
						|
        var cand = SJJ.toCandidateJSON(ice.candidate);
 | 
						|
        if (self.config.useJingle) {
 | 
						|
            if (!ice.sdpMid) { // firefox doesn't set this
 | 
						|
                ice.sdpMid = self.localDescription.contents[ice.sdpMLineIndex].name;
 | 
						|
            }
 | 
						|
            if (!self.config.ice[ice.sdpMid]) {
 | 
						|
                var jingle = SJJ.toSessionJSON(self.pc.localDescription.sdp, {
 | 
						|
                    role: self._role(),
 | 
						|
                    direction: 'outgoing'
 | 
						|
                });
 | 
						|
                _.each(jingle.contents, function (content) {
 | 
						|
                    var transport = content.transport || {};
 | 
						|
                    if (transport.ufrag) {
 | 
						|
                        self.config.ice[content.name] = {
 | 
						|
                            ufrag: transport.ufrag,
 | 
						|
                            pwd: transport.pwd
 | 
						|
                        };
 | 
						|
                    }
 | 
						|
                });
 | 
						|
            }
 | 
						|
            expandedCandidate.jingle = {
 | 
						|
                contents: [{
 | 
						|
                    name: ice.sdpMid,
 | 
						|
                    creator: self._role(),
 | 
						|
                    transport: {
 | 
						|
                        transType: 'iceUdp',
 | 
						|
                        ufrag: self.config.ice[ice.sdpMid].ufrag,
 | 
						|
                        pwd: self.config.ice[ice.sdpMid].pwd,
 | 
						|
                        candidates: [
 | 
						|
                            cand
 | 
						|
                        ]
 | 
						|
                    }
 | 
						|
                }]
 | 
						|
            };
 | 
						|
            if (self.batchIceCandidates > 0) {
 | 
						|
                if (self.batchedIceCandidates.length === 0) {
 | 
						|
                    window.setTimeout(function () {
 | 
						|
                        var contents = {};
 | 
						|
                        self.batchedIceCandidates.forEach(function (content) {
 | 
						|
                            content = content.contents[0];
 | 
						|
                            if (!contents[content.name]) contents[content.name] = content;
 | 
						|
                            contents[content.name].transport.candidates.push(content.transport.candidates[0]);
 | 
						|
                        });
 | 
						|
                        var newCand = { 
 | 
						|
                            jingle: {
 | 
						|
                                contents: []
 | 
						|
                            }
 | 
						|
                        };
 | 
						|
                        Object.keys(contents).forEach(function (name) {
 | 
						|
                            newCand.jingle.contents.push(contents[name]);
 | 
						|
                        });
 | 
						|
                        self.batchedIceCandidates = [];
 | 
						|
                        self.emit('ice', newCand);
 | 
						|
                    }, self.batchIceCandidates);
 | 
						|
                }
 | 
						|
                self.batchedIceCandidates.push(expandedCandidate.jingle);
 | 
						|
                return;
 | 
						|
            }
 | 
						|
 | 
						|
        }
 | 
						|
        this.emit('ice', expandedCandidate);
 | 
						|
    } else {
 | 
						|
        this.emit('endOfCandidates');
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
// Internal method for processing a new data channel being added by the
 | 
						|
// other peer.
 | 
						|
PeerConnection.prototype._onDataChannel = function (event) {
 | 
						|
    // make sure we keep a reference so this doesn't get garbage collected
 | 
						|
    var channel = event.channel;
 | 
						|
    this._remoteDataChannels.push(channel);
 | 
						|
 | 
						|
    this.emit('addChannel', channel);
 | 
						|
};
 | 
						|
 | 
						|
// Create a data channel spec reference:
 | 
						|
// http://dev.w3.org/2011/webrtc/editor/webrtc.html#idl-def-RTCDataChannelInit
 | 
						|
PeerConnection.prototype.createDataChannel = function (name, opts) {
 | 
						|
    var channel = this.pc.createDataChannel(name, opts);
 | 
						|
 | 
						|
    // make sure we keep a reference so this doesn't get garbage collected
 | 
						|
    this._localDataChannels.push(channel);
 | 
						|
 | 
						|
    return channel;
 | 
						|
};
 | 
						|
 | 
						|
// a wrapper around getStats which hides the differences (where possible)
 | 
						|
PeerConnection.prototype.getStats = function (cb) {
 | 
						|
    if (webrtc.prefix === 'moz') {
 | 
						|
        this.pc.getStats(
 | 
						|
            function (res) {
 | 
						|
                var items = [];
 | 
						|
                for (var result in res) {
 | 
						|
                    if (typeof res[result] === 'object') {
 | 
						|
                        items.push(res[result]);
 | 
						|
                    }
 | 
						|
                }
 | 
						|
                cb(null, items);
 | 
						|
            },
 | 
						|
            cb
 | 
						|
        );
 | 
						|
    } else {
 | 
						|
        this.pc.getStats(function (res) {
 | 
						|
            var items = [];
 | 
						|
            res.result().forEach(function (result) {
 | 
						|
                var item = {};
 | 
						|
                result.names().forEach(function (name) {
 | 
						|
                    item[name] = result.stat(name);
 | 
						|
                });
 | 
						|
                item.id = result.id;
 | 
						|
                item.type = result.type;
 | 
						|
                item.timestamp = result.timestamp;
 | 
						|
                items.push(item);
 | 
						|
            });
 | 
						|
            cb(null, items);
 | 
						|
        });
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
module.exports = PeerConnection;
 | 
						|
 | 
						|
},{"sdp-jingle-json":21,"traceablepeerconnection":24,"underscore":20,"util":9,"webrtcsupport":5,"wildemitter":3}],15:[function(require,module,exports){
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
var util = require('util');
 | 
						|
 | 
						|
function Sender(opts) {
 | 
						|
    WildEmitter.call(this);
 | 
						|
    var options = opts || {};
 | 
						|
    this.config = {
 | 
						|
        chunksize: 16384,
 | 
						|
        pacing: 0
 | 
						|
    };
 | 
						|
    // set our config from options
 | 
						|
    var item;
 | 
						|
    for (item in options) {
 | 
						|
        this.config[item] = options[item];
 | 
						|
    }
 | 
						|
 | 
						|
    this.file = null;
 | 
						|
    this.channel = null;
 | 
						|
}
 | 
						|
util.inherits(Sender, WildEmitter);
 | 
						|
 | 
						|
Sender.prototype.send = function (file, channel) {
 | 
						|
    var self = this;
 | 
						|
    this.file = file;
 | 
						|
    this.channel = channel;
 | 
						|
    var sliceFile = function(offset) {
 | 
						|
        var reader = new window.FileReader();
 | 
						|
        reader.onload = (function() {
 | 
						|
            return function(e) {
 | 
						|
                self.channel.send(e.target.result);
 | 
						|
                self.emit('progress', offset, file.size, e.target.result);
 | 
						|
                if (file.size > offset + e.target.result.byteLength) {
 | 
						|
                    window.setTimeout(sliceFile, self.config.pacing, offset + self.config.chunksize);
 | 
						|
                } else {
 | 
						|
                    self.emit('progress', file.size, file.size, null);
 | 
						|
                    self.emit('sentFile');
 | 
						|
                }
 | 
						|
            };
 | 
						|
        })(file);
 | 
						|
        var slice = file.slice(offset, offset + self.config.chunksize);
 | 
						|
        reader.readAsArrayBuffer(slice);
 | 
						|
    };
 | 
						|
    window.setTimeout(sliceFile, 0, 0);
 | 
						|
};
 | 
						|
 | 
						|
function Receiver() {
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    this.receiveBuffer = [];
 | 
						|
    this.received = 0;
 | 
						|
    this.metadata = {};
 | 
						|
    this.channel = null;
 | 
						|
}
 | 
						|
util.inherits(Receiver, WildEmitter);
 | 
						|
 | 
						|
Receiver.prototype.receive = function (metadata, channel) {
 | 
						|
    var self = this;
 | 
						|
 | 
						|
    if (metadata) {
 | 
						|
        this.metadata = metadata;
 | 
						|
    }
 | 
						|
    this.channel = channel;
 | 
						|
    // chrome only supports arraybuffers and those make it easier to calc the hash
 | 
						|
    channel.binaryType = 'arraybuffer';
 | 
						|
    this.channel.onmessage = function (event) {
 | 
						|
        var len = event.data.byteLength;
 | 
						|
        self.received += len;
 | 
						|
        self.receiveBuffer.push(event.data);
 | 
						|
 | 
						|
        self.emit('progress', self.received, self.metadata.size, event.data);
 | 
						|
        if (self.received === self.metadata.size) {
 | 
						|
            self.emit('receivedFile', new window.Blob(self.receiveBuffer), self.metadata);
 | 
						|
            self.receiveBuffer = []; // discard receivebuffer
 | 
						|
        } else if (self.received > self.metadata.size) {
 | 
						|
            // FIXME
 | 
						|
            console.error('received more than expected, discarding...');
 | 
						|
            self.receiveBuffer = []; // just discard...
 | 
						|
 | 
						|
        }
 | 
						|
    };
 | 
						|
};
 | 
						|
 | 
						|
module.exports = {};
 | 
						|
module.exports.support = window && window.File && window.FileReader && window.Blob;
 | 
						|
module.exports.Sender = Sender;
 | 
						|
module.exports.Receiver = Receiver;
 | 
						|
 | 
						|
},{"util":9,"wildemitter":3}],18:[function(require,module,exports){
 | 
						|
// getScreenMedia helper by @HenrikJoreteg
 | 
						|
var getUserMedia = require('getusermedia');
 | 
						|
 | 
						|
// cache for constraints and callback
 | 
						|
var cache = {};
 | 
						|
 | 
						|
module.exports = function (constraints, cb) {
 | 
						|
    var hasConstraints = arguments.length === 2;
 | 
						|
    var callback = hasConstraints ? cb : constraints;
 | 
						|
    var error;
 | 
						|
 | 
						|
    if (typeof window === 'undefined' || window.location.protocol === 'http:') {
 | 
						|
        error = new Error('NavigatorUserMediaError');
 | 
						|
        error.name = 'HTTPS_REQUIRED';
 | 
						|
        return callback(error);
 | 
						|
    }
 | 
						|
 | 
						|
    if (window.navigator.userAgent.match('Chrome')) {
 | 
						|
        var chromever = parseInt(window.navigator.userAgent.match(/Chrome\/(.*) /)[1], 10);
 | 
						|
        var maxver = 33;
 | 
						|
        var isCef = !window.chrome.webstore;
 | 
						|
        // "known" crash in chrome 34 and 35 on linux
 | 
						|
        if (window.navigator.userAgent.match('Linux')) maxver = 35;
 | 
						|
        if (isCef || (chromever >= 26 && chromever <= maxver)) {
 | 
						|
            // chrome 26 - chrome 33 way to do it -- requires bad chrome://flags
 | 
						|
            // note: this is basically in maintenance mode and will go away soon
 | 
						|
            constraints = (hasConstraints && constraints) || {
 | 
						|
                video: {
 | 
						|
                    mandatory: {
 | 
						|
                        googLeakyBucket: true,
 | 
						|
                        maxWidth: window.screen.width,
 | 
						|
                        maxHeight: window.screen.height,
 | 
						|
                        maxFrameRate: 3,
 | 
						|
                        chromeMediaSource: 'screen'
 | 
						|
                    }
 | 
						|
                }
 | 
						|
            };
 | 
						|
            getUserMedia(constraints, callback);
 | 
						|
        } else {
 | 
						|
            // chrome 34+ way requiring an extension
 | 
						|
            var pending = window.setTimeout(function () {
 | 
						|
                error = new Error('NavigatorUserMediaError');
 | 
						|
                error.name = 'EXTENSION_UNAVAILABLE';
 | 
						|
                return callback(error);
 | 
						|
            }, 1000);
 | 
						|
            cache[pending] = [callback, hasConstraints ? constraint : null];
 | 
						|
            window.postMessage({ type: 'getScreen', id: pending }, '*');
 | 
						|
        }
 | 
						|
    } else if (window.navigator.userAgent.match('Firefox')) {
 | 
						|
        var ffver = parseInt(window.navigator.userAgent.match(/Firefox\/(.*)/)[1], 10);
 | 
						|
        if (ffver >= 33) {
 | 
						|
            constraints = (hasConstraints && constraints) || {
 | 
						|
                video: {
 | 
						|
                    mozMediaSource: 'window',
 | 
						|
                    mediaSource: 'window'
 | 
						|
                }
 | 
						|
            }
 | 
						|
            getUserMedia(constraints, function (err, stream) {
 | 
						|
                callback(err, stream);
 | 
						|
                // workaround for https://bugzilla.mozilla.org/show_bug.cgi?id=1045810
 | 
						|
                if (!err) {
 | 
						|
                    var lastTime = stream.currentTime;
 | 
						|
                    var polly = window.setInterval(function () {
 | 
						|
                        if (!stream) window.clearInterval(polly);
 | 
						|
                        if (stream.currentTime == lastTime) {
 | 
						|
                            window.clearInterval(polly);
 | 
						|
                            if (stream.onended) {
 | 
						|
                                stream.onended();
 | 
						|
                            }
 | 
						|
                        }
 | 
						|
                        lastTime = stream.currentTime;
 | 
						|
                    }, 500);
 | 
						|
                }
 | 
						|
            });
 | 
						|
        } else {
 | 
						|
            error = new Error('NavigatorUserMediaError');
 | 
						|
            error.name = 'EXTENSION_UNAVAILABLE'; // does not make much sense but...
 | 
						|
        }
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
window.addEventListener('message', function (event) {
 | 
						|
    if (event.origin != window.location.origin) {
 | 
						|
        return;
 | 
						|
    }
 | 
						|
    if (event.data.type == 'gotScreen' && cache[event.data.id]) {
 | 
						|
        var data = cache[event.data.id];
 | 
						|
        var constraints = data[1];
 | 
						|
        var callback = data[0];
 | 
						|
        delete cache[event.data.id];
 | 
						|
 | 
						|
        if (event.data.sourceId === '') { // user canceled
 | 
						|
            var error = new Error('NavigatorUserMediaError');
 | 
						|
            error.name = 'PERMISSION_DENIED';
 | 
						|
            callback(error);
 | 
						|
        } else {
 | 
						|
            constraints = constraints || {audio: false, video: {
 | 
						|
                mandatory: {
 | 
						|
                    chromeMediaSource: 'desktop',
 | 
						|
                    maxWidth: window.screen.width,
 | 
						|
                    maxHeight: window.screen.height,
 | 
						|
                    maxFrameRate: 3
 | 
						|
                },
 | 
						|
                optional: [
 | 
						|
                    {googLeakyBucket: true},
 | 
						|
                    {googTemporalLayeredScreencast: true}
 | 
						|
                ]
 | 
						|
            }};
 | 
						|
            constraints.video.mandatory.chromeMediaSourceId = event.data.sourceId;
 | 
						|
            getUserMedia(constraints, callback);
 | 
						|
        }
 | 
						|
    } else if (event.data.type == 'getScreenPending') {
 | 
						|
        window.clearTimeout(event.data.id);
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
},{"getusermedia":16}],19:[function(require,module,exports){
 | 
						|
var support = require('webrtcsupport');
 | 
						|
 | 
						|
 | 
						|
function GainController(stream) {
 | 
						|
    this.support = support.webAudio && support.mediaStream;
 | 
						|
 | 
						|
    // set our starting value
 | 
						|
    this.gain = 1;
 | 
						|
 | 
						|
    if (this.support) {
 | 
						|
        var context = this.context = new support.AudioContext();
 | 
						|
        this.microphone = context.createMediaStreamSource(stream);
 | 
						|
        this.gainFilter = context.createGain();
 | 
						|
        this.destination = context.createMediaStreamDestination();
 | 
						|
        this.outputStream = this.destination.stream;
 | 
						|
        this.microphone.connect(this.gainFilter);
 | 
						|
        this.gainFilter.connect(this.destination);
 | 
						|
        stream.addTrack(this.outputStream.getAudioTracks()[0]);
 | 
						|
        stream.removeTrack(stream.getAudioTracks()[0]);
 | 
						|
    }
 | 
						|
    this.stream = stream;
 | 
						|
}
 | 
						|
 | 
						|
// setting
 | 
						|
GainController.prototype.setGain = function (val) {
 | 
						|
    // check for support
 | 
						|
    if (!this.support) return;
 | 
						|
    this.gainFilter.gain.value = val;
 | 
						|
    this.gain = val;
 | 
						|
};
 | 
						|
 | 
						|
GainController.prototype.getGain = function () {
 | 
						|
    return this.gain;
 | 
						|
};
 | 
						|
 | 
						|
GainController.prototype.off = function () {
 | 
						|
    return this.setGain(0);
 | 
						|
};
 | 
						|
 | 
						|
GainController.prototype.on = function () {
 | 
						|
    this.setGain(1);
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
module.exports = GainController;
 | 
						|
 | 
						|
},{"webrtcsupport":5}],17:[function(require,module,exports){
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
 | 
						|
function getMaxVolume (analyser, fftBins) {
 | 
						|
  var maxVolume = -Infinity;
 | 
						|
  analyser.getFloatFrequencyData(fftBins);
 | 
						|
 | 
						|
  for(var i=4, ii=fftBins.length; i < ii; i++) {
 | 
						|
    if (fftBins[i] > maxVolume && fftBins[i] < 0) {
 | 
						|
      maxVolume = fftBins[i];
 | 
						|
    }
 | 
						|
  };
 | 
						|
 | 
						|
  return maxVolume;
 | 
						|
}
 | 
						|
 | 
						|
 | 
						|
var audioContextType = window.AudioContext || window.webkitAudioContext;
 | 
						|
// use a single audio context due to hardware limits
 | 
						|
var audioContext = null;
 | 
						|
module.exports = function(stream, options) {
 | 
						|
  var harker = new WildEmitter();
 | 
						|
 | 
						|
 | 
						|
  // make it not break in non-supported browsers
 | 
						|
  if (!audioContextType) return harker;
 | 
						|
 | 
						|
  //Config
 | 
						|
  var options = options || {},
 | 
						|
      smoothing = (options.smoothing || 0.1),
 | 
						|
      interval = (options.interval || 50),
 | 
						|
      threshold = options.threshold,
 | 
						|
      play = options.play,
 | 
						|
      history = options.history || 10,
 | 
						|
      running = true;
 | 
						|
 | 
						|
  //Setup Audio Context
 | 
						|
  if (!audioContext) {
 | 
						|
    audioContext = new audioContextType();
 | 
						|
  }
 | 
						|
  var sourceNode, fftBins, analyser;
 | 
						|
 | 
						|
  analyser = audioContext.createAnalyser();
 | 
						|
  analyser.fftSize = 512;
 | 
						|
  analyser.smoothingTimeConstant = smoothing;
 | 
						|
  fftBins = new Float32Array(analyser.fftSize);
 | 
						|
 | 
						|
  if (stream.jquery) stream = stream[0];
 | 
						|
  if (stream instanceof HTMLAudioElement || stream instanceof HTMLVideoElement) {
 | 
						|
    //Audio Tag
 | 
						|
    sourceNode = audioContext.createMediaElementSource(stream);
 | 
						|
    if (typeof play === 'undefined') play = true;
 | 
						|
    threshold = threshold || -50;
 | 
						|
  } else {
 | 
						|
    //WebRTC Stream
 | 
						|
    sourceNode = audioContext.createMediaStreamSource(stream);
 | 
						|
    threshold = threshold || -50;
 | 
						|
  }
 | 
						|
 | 
						|
  sourceNode.connect(analyser);
 | 
						|
  if (play) analyser.connect(audioContext.destination);
 | 
						|
 | 
						|
  harker.speaking = false;
 | 
						|
 | 
						|
  harker.setThreshold = function(t) {
 | 
						|
    threshold = t;
 | 
						|
  };
 | 
						|
 | 
						|
  harker.setInterval = function(i) {
 | 
						|
    interval = i;
 | 
						|
  };
 | 
						|
  
 | 
						|
  harker.stop = function() {
 | 
						|
    running = false;
 | 
						|
    harker.emit('volume_change', -100, threshold);
 | 
						|
    if (harker.speaking) {
 | 
						|
      harker.speaking = false;
 | 
						|
      harker.emit('stopped_speaking');
 | 
						|
    }
 | 
						|
  };
 | 
						|
  harker.speakingHistory = [];
 | 
						|
  for (var i = 0; i < history; i++) {
 | 
						|
      harker.speakingHistory.push(0);
 | 
						|
  }
 | 
						|
 | 
						|
  // Poll the analyser node to determine if speaking
 | 
						|
  // and emit events if changed
 | 
						|
  var looper = function() {
 | 
						|
    setTimeout(function() {
 | 
						|
    
 | 
						|
      //check if stop has been called
 | 
						|
      if(!running) {
 | 
						|
        return;
 | 
						|
      }
 | 
						|
      
 | 
						|
      var currentVolume = getMaxVolume(analyser, fftBins);
 | 
						|
 | 
						|
      harker.emit('volume_change', currentVolume, threshold);
 | 
						|
 | 
						|
      var history = 0;
 | 
						|
      if (currentVolume > threshold && !harker.speaking) {
 | 
						|
        // trigger quickly, short history
 | 
						|
        for (var i = harker.speakingHistory.length - 3; i < harker.speakingHistory.length; i++) {
 | 
						|
          history += harker.speakingHistory[i];
 | 
						|
        }
 | 
						|
        if (history >= 2) {
 | 
						|
          harker.speaking = true;
 | 
						|
          harker.emit('speaking');
 | 
						|
        }
 | 
						|
      } else if (currentVolume < threshold && harker.speaking) {
 | 
						|
        for (var i = 0; i < harker.speakingHistory.length; i++) {
 | 
						|
          history += harker.speakingHistory[i];
 | 
						|
        }
 | 
						|
        if (history == 0) {
 | 
						|
          harker.speaking = false;
 | 
						|
          harker.emit('stopped_speaking');
 | 
						|
        }
 | 
						|
      }
 | 
						|
      harker.speakingHistory.shift();
 | 
						|
      harker.speakingHistory.push(0 + (currentVolume > threshold));
 | 
						|
 | 
						|
      looper();
 | 
						|
    }, interval);
 | 
						|
  };
 | 
						|
  looper();
 | 
						|
 | 
						|
 | 
						|
  return harker;
 | 
						|
}
 | 
						|
 | 
						|
},{"wildemitter":3}],22:[function(require,module,exports){
 | 
						|
var SENDERS = require('./senders');
 | 
						|
 | 
						|
 | 
						|
exports.toSessionSDP = function (session, opts) {
 | 
						|
    var role = opts.role || 'initiator';
 | 
						|
    var direction = opts.direction || 'outgoing';
 | 
						|
    var sid = opts.sid || session.sid || Date.now();
 | 
						|
    var time = opts.time || Date.now();
 | 
						|
 | 
						|
    var sdp = [
 | 
						|
        'v=0',
 | 
						|
        'o=- ' + sid + ' ' + time + ' IN IP4 0.0.0.0',
 | 
						|
        's=-',
 | 
						|
        't=0 0'
 | 
						|
    ];
 | 
						|
 | 
						|
    var groups = session.groups || [];
 | 
						|
    groups.forEach(function (group) {
 | 
						|
        sdp.push('a=group:' + group.semantics + ' ' + group.contents.join(' '));
 | 
						|
    });
 | 
						|
 | 
						|
    var contents = session.contents || [];
 | 
						|
    contents.forEach(function (content) {
 | 
						|
        sdp.push(exports.toMediaSDP(content, opts));
 | 
						|
    });
 | 
						|
 | 
						|
    return sdp.join('\r\n') + '\r\n';
 | 
						|
};
 | 
						|
 | 
						|
exports.toMediaSDP = function (content, opts) {
 | 
						|
    var sdp = [];
 | 
						|
 | 
						|
    var role = opts.role || 'initiator';
 | 
						|
    var direction = opts.direction || 'outgoing';
 | 
						|
 | 
						|
    var desc = content.description;
 | 
						|
    var transport = content.transport;
 | 
						|
    var payloads = desc.payloads || [];
 | 
						|
    var fingerprints = (transport && transport.fingerprints) || [];
 | 
						|
 | 
						|
    var mline = [];
 | 
						|
    if (desc.descType == 'datachannel') {
 | 
						|
        mline.push('application');
 | 
						|
        mline.push('1');
 | 
						|
        mline.push('DTLS/SCTP');
 | 
						|
        if (transport.sctp) {
 | 
						|
            transport.sctp.forEach(function (map) {
 | 
						|
                mline.push(map.number);
 | 
						|
            });
 | 
						|
        }
 | 
						|
    } else {
 | 
						|
        mline.push(desc.media);
 | 
						|
        mline.push('1');
 | 
						|
        if ((desc.encryption && desc.encryption.length > 0) || (fingerprints.length > 0)) {
 | 
						|
            mline.push('RTP/SAVPF');
 | 
						|
        } else {
 | 
						|
            mline.push('RTP/AVPF');
 | 
						|
        }
 | 
						|
        payloads.forEach(function (payload) {
 | 
						|
            mline.push(payload.id);
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
 | 
						|
    sdp.push('m=' + mline.join(' '));
 | 
						|
 | 
						|
    sdp.push('c=IN IP4 0.0.0.0');
 | 
						|
    if (desc.bandwidth && desc.bandwidth.type && desc.bandwidth.bandwidth) {
 | 
						|
        sdp.push('b=' + desc.bandwidth.type + ':' + desc.bandwidth.bandwidth);
 | 
						|
    }
 | 
						|
    if (desc.descType == 'rtp') {
 | 
						|
        sdp.push('a=rtcp:1 IN IP4 0.0.0.0');
 | 
						|
    }
 | 
						|
 | 
						|
    if (transport) {
 | 
						|
        if (transport.ufrag) {
 | 
						|
            sdp.push('a=ice-ufrag:' + transport.ufrag);
 | 
						|
        }
 | 
						|
        if (transport.pwd) {
 | 
						|
            sdp.push('a=ice-pwd:' + transport.pwd);
 | 
						|
        }
 | 
						|
 | 
						|
        var pushedSetup = false;
 | 
						|
        fingerprints.forEach(function (fingerprint) {
 | 
						|
            sdp.push('a=fingerprint:' + fingerprint.hash + ' ' + fingerprint.value);
 | 
						|
            if (fingerprint.setup && !pushedSetup) {
 | 
						|
                sdp.push('a=setup:' + fingerprint.setup);
 | 
						|
            }
 | 
						|
        });
 | 
						|
 | 
						|
        if (transport.sctp) {
 | 
						|
            transport.sctp.forEach(function (map) {
 | 
						|
                sdp.push('a=sctpmap:' + map.number + ' ' + map.protocol + ' ' + map.streams);
 | 
						|
            });
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    if (desc.descType == 'rtp') {
 | 
						|
        sdp.push('a=' + (SENDERS[role][direction][content.senders] || 'sendrecv'));
 | 
						|
    }
 | 
						|
    sdp.push('a=mid:' + content.name);
 | 
						|
 | 
						|
    if (desc.mux) {
 | 
						|
        sdp.push('a=rtcp-mux');
 | 
						|
    }
 | 
						|
 | 
						|
    var encryption = desc.encryption || [];
 | 
						|
    encryption.forEach(function (crypto) {
 | 
						|
        sdp.push('a=crypto:' + crypto.tag + ' ' + crypto.cipherSuite + ' ' + crypto.keyParams + (crypto.sessionParams ? ' ' + crypto.sessionParams : ''));
 | 
						|
    });
 | 
						|
    if (desc.googConferenceFlag) {
 | 
						|
        sdp.push('a=x-google-flag:conference');
 | 
						|
    }
 | 
						|
 | 
						|
    payloads.forEach(function (payload) {
 | 
						|
        var rtpmap = 'a=rtpmap:' + payload.id + ' ' + payload.name + '/' + payload.clockrate;
 | 
						|
        if (payload.channels && payload.channels != '1') {
 | 
						|
            rtpmap += '/' + payload.channels;
 | 
						|
        }
 | 
						|
        sdp.push(rtpmap);
 | 
						|
 | 
						|
        if (payload.parameters && payload.parameters.length) {
 | 
						|
            var fmtp = ['a=fmtp:' + payload.id];
 | 
						|
            var parameters = [];
 | 
						|
            payload.parameters.forEach(function (param) {
 | 
						|
                parameters.push((param.key ? param.key + '=' : '') + param.value);
 | 
						|
            });
 | 
						|
            fmtp.push(parameters.join(';'));
 | 
						|
            sdp.push(fmtp.join(' '));
 | 
						|
        }
 | 
						|
 | 
						|
        if (payload.feedback) {
 | 
						|
            payload.feedback.forEach(function (fb) {
 | 
						|
                if (fb.type === 'trr-int') {
 | 
						|
                    sdp.push('a=rtcp-fb:' + payload.id + ' trr-int ' + (fb.value ? fb.value : '0'));
 | 
						|
                } else {
 | 
						|
                    sdp.push('a=rtcp-fb:' + payload.id + ' ' + fb.type + (fb.subtype ? ' ' + fb.subtype : ''));
 | 
						|
                }
 | 
						|
            });
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    if (desc.feedback) {
 | 
						|
        desc.feedback.forEach(function (fb) {
 | 
						|
            if (fb.type === 'trr-int') {
 | 
						|
                sdp.push('a=rtcp-fb:* trr-int ' + (fb.value ? fb.value : '0'));
 | 
						|
            } else {
 | 
						|
                sdp.push('a=rtcp-fb:* ' + fb.type + (fb.subtype ? ' ' + fb.subtype : ''));
 | 
						|
            }
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    var hdrExts = desc.headerExtensions || [];
 | 
						|
    hdrExts.forEach(function (hdr) {
 | 
						|
        sdp.push('a=extmap:' + hdr.id + (hdr.senders ? '/' + SENDERS[role][direction][hdr.senders] : '') + ' ' + hdr.uri);
 | 
						|
    });
 | 
						|
 | 
						|
    var ssrcGroups = desc.sourceGroups || [];
 | 
						|
    ssrcGroups.forEach(function (ssrcGroup) {
 | 
						|
        sdp.push('a=ssrc-group:' + ssrcGroup.semantics + ' ' + ssrcGroup.sources.join(' '));
 | 
						|
    });
 | 
						|
 | 
						|
    var ssrcs = desc.sources || [];
 | 
						|
    ssrcs.forEach(function (ssrc) {
 | 
						|
        for (var i = 0; i < ssrc.parameters.length; i++) {
 | 
						|
            var param = ssrc.parameters[i];
 | 
						|
            sdp.push('a=ssrc:' + (ssrc.ssrc || desc.ssrc) + ' ' + param.key + (param.value ? (':' + param.value) : ''));
 | 
						|
        }
 | 
						|
    });
 | 
						|
 | 
						|
    var candidates = transport.candidates || [];
 | 
						|
    candidates.forEach(function (candidate) {
 | 
						|
        sdp.push(exports.toCandidateSDP(candidate));
 | 
						|
    });
 | 
						|
 | 
						|
    return sdp.join('\r\n');
 | 
						|
};
 | 
						|
 | 
						|
exports.toCandidateSDP = function (candidate) {
 | 
						|
    var sdp = [];
 | 
						|
 | 
						|
    sdp.push(candidate.foundation);
 | 
						|
    sdp.push(candidate.component);
 | 
						|
    sdp.push(candidate.protocol.toUpperCase());
 | 
						|
    sdp.push(candidate.priority);
 | 
						|
    sdp.push(candidate.ip);
 | 
						|
    sdp.push(candidate.port);
 | 
						|
 | 
						|
    var type = candidate.type;
 | 
						|
    sdp.push('typ');
 | 
						|
    sdp.push(type);
 | 
						|
    if (type === 'srflx' || type === 'prflx' || type === 'relay') {
 | 
						|
        if (candidate.relAddr && candidate.relPort) {
 | 
						|
            sdp.push('raddr');
 | 
						|
            sdp.push(candidate.relAddr);
 | 
						|
            sdp.push('rport');
 | 
						|
            sdp.push(candidate.relPort);
 | 
						|
        }
 | 
						|
    }
 | 
						|
    if (candidate.tcpType && candidate.protocol.toUpperCase() == 'TCP') {
 | 
						|
        sdp.push('tcptype');
 | 
						|
        sdp.push(candidate.tcpType);
 | 
						|
    }
 | 
						|
 | 
						|
    sdp.push('generation');
 | 
						|
    sdp.push(candidate.generation || '0');
 | 
						|
 | 
						|
    // FIXME: apparently this is wrong per spec
 | 
						|
    // but then, we need this when actually putting this into
 | 
						|
    // SDP so it's going to stay.
 | 
						|
    // decision needs to be revisited when browsers dont
 | 
						|
    // accept this any longer
 | 
						|
    return 'a=candidate:' + sdp.join(' ');
 | 
						|
};
 | 
						|
 | 
						|
},{"./senders":25}],23:[function(require,module,exports){
 | 
						|
var SENDERS = require('./senders');
 | 
						|
var parsers = require('./parsers');
 | 
						|
var idCounter = Math.random();
 | 
						|
 | 
						|
 | 
						|
exports._setIdCounter = function (counter) {
 | 
						|
    idCounter = counter;
 | 
						|
};
 | 
						|
 | 
						|
exports.toSessionJSON = function (sdp, opts) {
 | 
						|
    var i;
 | 
						|
    var creators = opts.creators || [];
 | 
						|
    var role = opts.role || 'initiator';
 | 
						|
    var direction = opts.direction || 'outgoing';
 | 
						|
 | 
						|
 | 
						|
    // Divide the SDP into session and media sections.
 | 
						|
    var media = sdp.split('\r\nm=');
 | 
						|
    for (i = 1; i < media.length; i++) {
 | 
						|
        media[i] = 'm=' + media[i];
 | 
						|
        if (i !== media.length - 1) {
 | 
						|
            media[i] += '\r\n';
 | 
						|
        }
 | 
						|
    }
 | 
						|
    var session = media.shift() + '\r\n';
 | 
						|
    var sessionLines = parsers.lines(session);
 | 
						|
    var parsed = {};
 | 
						|
 | 
						|
    var contents = [];
 | 
						|
    for (i = 0; i < media.length; i++) {
 | 
						|
        contents.push(exports.toMediaJSON(media[i], session, {
 | 
						|
            role: role,
 | 
						|
            direction: direction,
 | 
						|
            creator: creators[i] || 'initiator'
 | 
						|
        }));
 | 
						|
    }
 | 
						|
    parsed.contents = contents;
 | 
						|
 | 
						|
    var groupLines = parsers.findLines('a=group:', sessionLines);
 | 
						|
    if (groupLines.length) {
 | 
						|
        parsed.groups = parsers.groups(groupLines);
 | 
						|
    }
 | 
						|
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.toMediaJSON = function (media, session, opts) {
 | 
						|
    var creator = opts.creator || 'initiator';
 | 
						|
    var role = opts.role || 'initiator';
 | 
						|
    var direction = opts.direction || 'outgoing';
 | 
						|
 | 
						|
    var lines = parsers.lines(media);
 | 
						|
    var sessionLines = parsers.lines(session);
 | 
						|
    var mline = parsers.mline(lines[0]);
 | 
						|
 | 
						|
    var content = {
 | 
						|
        creator: creator,
 | 
						|
        name: mline.media,
 | 
						|
        description: {
 | 
						|
            descType: 'rtp',
 | 
						|
            media: mline.media,
 | 
						|
            payloads: [],
 | 
						|
            encryption: [],
 | 
						|
            feedback: [],
 | 
						|
            headerExtensions: []
 | 
						|
        },
 | 
						|
        transport: {
 | 
						|
            transType: 'iceUdp',
 | 
						|
            candidates: [],
 | 
						|
            fingerprints: []
 | 
						|
        }
 | 
						|
    };
 | 
						|
    if (mline.media == 'application') {
 | 
						|
        // FIXME: the description is most likely to be independent
 | 
						|
        // of the SDP and should be processed by other parts of the library
 | 
						|
        content.description = {
 | 
						|
            descType: 'datachannel'
 | 
						|
        };
 | 
						|
        content.transport.sctp = [];
 | 
						|
    }
 | 
						|
    var desc = content.description;
 | 
						|
    var trans = content.transport;
 | 
						|
 | 
						|
    // If we have a mid, use that for the content name instead.
 | 
						|
    var mid = parsers.findLine('a=mid:', lines);
 | 
						|
    if (mid) {
 | 
						|
        content.name = mid.substr(6);
 | 
						|
    }
 | 
						|
 | 
						|
    if (parsers.findLine('a=sendrecv', lines, sessionLines)) {
 | 
						|
        content.senders = 'both';
 | 
						|
    } else if (parsers.findLine('a=sendonly', lines, sessionLines)) {
 | 
						|
        content.senders = SENDERS[role][direction].sendonly;
 | 
						|
    } else if (parsers.findLine('a=recvonly', lines, sessionLines)) {
 | 
						|
        content.senders = SENDERS[role][direction].recvonly;
 | 
						|
    } else if (parsers.findLine('a=inactive', lines, sessionLines)) {
 | 
						|
        content.senders = 'none';
 | 
						|
    }
 | 
						|
 | 
						|
    if (desc.descType == 'rtp') {
 | 
						|
        var bandwidth = parsers.findLine('b=', lines);
 | 
						|
        if (bandwidth) {
 | 
						|
            desc.bandwidth = parsers.bandwidth(bandwidth);
 | 
						|
        }
 | 
						|
 | 
						|
        var ssrc = parsers.findLine('a=ssrc:', lines);
 | 
						|
        if (ssrc) {
 | 
						|
            desc.ssrc = ssrc.substr(7).split(' ')[0];
 | 
						|
        }
 | 
						|
 | 
						|
        var rtpmapLines = parsers.findLines('a=rtpmap:', lines);
 | 
						|
        rtpmapLines.forEach(function (line) {
 | 
						|
            var payload = parsers.rtpmap(line);
 | 
						|
            payload.parameters = [];
 | 
						|
            payload.feedback = [];
 | 
						|
 | 
						|
            var fmtpLines = parsers.findLines('a=fmtp:' + payload.id, lines);
 | 
						|
            // There should only be one fmtp line per payload
 | 
						|
            fmtpLines.forEach(function (line) {
 | 
						|
                payload.parameters = parsers.fmtp(line);
 | 
						|
            });
 | 
						|
 | 
						|
            var fbLines = parsers.findLines('a=rtcp-fb:' + payload.id, lines);
 | 
						|
            fbLines.forEach(function (line) {
 | 
						|
                payload.feedback.push(parsers.rtcpfb(line));
 | 
						|
            });
 | 
						|
 | 
						|
            desc.payloads.push(payload);
 | 
						|
        });
 | 
						|
 | 
						|
        var cryptoLines = parsers.findLines('a=crypto:', lines, sessionLines);
 | 
						|
        cryptoLines.forEach(function (line) {
 | 
						|
            desc.encryption.push(parsers.crypto(line));
 | 
						|
        });
 | 
						|
 | 
						|
        if (parsers.findLine('a=rtcp-mux', lines)) {
 | 
						|
            desc.mux = true;
 | 
						|
        }
 | 
						|
 | 
						|
        var fbLines = parsers.findLines('a=rtcp-fb:*', lines);
 | 
						|
        fbLines.forEach(function (line) {
 | 
						|
            desc.feedback.push(parsers.rtcpfb(line));
 | 
						|
        });
 | 
						|
 | 
						|
        var extLines = parsers.findLines('a=extmap:', lines);
 | 
						|
        extLines.forEach(function (line) {
 | 
						|
            var ext = parsers.extmap(line);
 | 
						|
 | 
						|
            ext.senders = SENDERS[role][direction][ext.senders];
 | 
						|
 | 
						|
            desc.headerExtensions.push(ext);
 | 
						|
        });
 | 
						|
 | 
						|
        var ssrcGroupLines = parsers.findLines('a=ssrc-group:', lines);
 | 
						|
        desc.sourceGroups = parsers.sourceGroups(ssrcGroupLines || []);
 | 
						|
 | 
						|
        var ssrcLines = parsers.findLines('a=ssrc:', lines);
 | 
						|
        desc.sources = parsers.sources(ssrcLines || []);
 | 
						|
 | 
						|
        if (parsers.findLine('a=x-google-flag:conference', lines, sessionLines)) {
 | 
						|
            desc.googConferenceFlag = true;
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    // transport specific attributes
 | 
						|
    var fingerprintLines = parsers.findLines('a=fingerprint:', lines, sessionLines);
 | 
						|
    var setup = parsers.findLine('a=setup:', lines, sessionLines);
 | 
						|
    fingerprintLines.forEach(function (line) {
 | 
						|
        var fp = parsers.fingerprint(line);
 | 
						|
        if (setup) {
 | 
						|
            fp.setup = setup.substr(8);
 | 
						|
        }
 | 
						|
        trans.fingerprints.push(fp);
 | 
						|
    });
 | 
						|
 | 
						|
    var ufragLine = parsers.findLine('a=ice-ufrag:', lines, sessionLines);
 | 
						|
    var pwdLine = parsers.findLine('a=ice-pwd:', lines, sessionLines);
 | 
						|
    if (ufragLine && pwdLine) {
 | 
						|
        trans.ufrag = ufragLine.substr(12);
 | 
						|
        trans.pwd = pwdLine.substr(10);
 | 
						|
        trans.candidates = [];
 | 
						|
 | 
						|
        var candidateLines = parsers.findLines('a=candidate:', lines, sessionLines);
 | 
						|
        candidateLines.forEach(function (line) {
 | 
						|
            trans.candidates.push(exports.toCandidateJSON(line));
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    if (desc.descType == 'datachannel') {
 | 
						|
        var sctpmapLines = parsers.findLines('a=sctpmap:', lines);
 | 
						|
        sctpmapLines.forEach(function (line) {
 | 
						|
            var sctp = parsers.sctpmap(line);
 | 
						|
            trans.sctp.push(sctp);
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    return content;
 | 
						|
};
 | 
						|
 | 
						|
exports.toCandidateJSON = function (line) {
 | 
						|
    var candidate = parsers.candidate(line.split('\r\n')[0]);
 | 
						|
    candidate.id = (idCounter++).toString(36).substr(0, 12);
 | 
						|
    return candidate;
 | 
						|
};
 | 
						|
 | 
						|
},{"./parsers":26,"./senders":25}],26:[function(require,module,exports){
 | 
						|
exports.lines = function (sdp) {
 | 
						|
    return sdp.split('\r\n').filter(function (line) {
 | 
						|
        return line.length > 0;
 | 
						|
    });
 | 
						|
};
 | 
						|
 | 
						|
exports.findLine = function (prefix, mediaLines, sessionLines) {
 | 
						|
    var prefixLength = prefix.length;
 | 
						|
    for (var i = 0; i < mediaLines.length; i++) {
 | 
						|
        if (mediaLines[i].substr(0, prefixLength) === prefix) {
 | 
						|
            return mediaLines[i];
 | 
						|
        }
 | 
						|
    }
 | 
						|
    // Continue searching in parent session section
 | 
						|
    if (!sessionLines) {
 | 
						|
        return false;
 | 
						|
    }
 | 
						|
 | 
						|
    for (var j = 0; j < sessionLines.length; j++) {
 | 
						|
        if (sessionLines[j].substr(0, prefixLength) === prefix) {
 | 
						|
            return sessionLines[j];
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    return false;
 | 
						|
};
 | 
						|
 | 
						|
exports.findLines = function (prefix, mediaLines, sessionLines) {
 | 
						|
    var results = [];
 | 
						|
    var prefixLength = prefix.length;
 | 
						|
    for (var i = 0; i < mediaLines.length; i++) {
 | 
						|
        if (mediaLines[i].substr(0, prefixLength) === prefix) {
 | 
						|
            results.push(mediaLines[i]);
 | 
						|
        }
 | 
						|
    }
 | 
						|
    if (results.length || !sessionLines) {
 | 
						|
        return results;
 | 
						|
    }
 | 
						|
    for (var j = 0; j < sessionLines.length; j++) {
 | 
						|
        if (sessionLines[j].substr(0, prefixLength) === prefix) {
 | 
						|
            results.push(sessionLines[j]);
 | 
						|
        }
 | 
						|
    }
 | 
						|
    return results;
 | 
						|
};
 | 
						|
 | 
						|
exports.mline = function (line) {
 | 
						|
    var parts = line.substr(2).split(' ');
 | 
						|
    var parsed = {
 | 
						|
        media: parts[0],
 | 
						|
        port: parts[1],
 | 
						|
        proto: parts[2],
 | 
						|
        formats: []
 | 
						|
    };
 | 
						|
    for (var i = 3; i < parts.length; i++) {
 | 
						|
        if (parts[i]) {
 | 
						|
            parsed.formats.push(parts[i]);
 | 
						|
        }
 | 
						|
    }
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.rtpmap = function (line) {
 | 
						|
    var parts = line.substr(9).split(' ');
 | 
						|
    var parsed = {
 | 
						|
        id: parts.shift()
 | 
						|
    };
 | 
						|
 | 
						|
    parts = parts[0].split('/');
 | 
						|
 | 
						|
    parsed.name = parts[0];
 | 
						|
    parsed.clockrate = parts[1];
 | 
						|
    parsed.channels = parts.length == 3 ? parts[2] : '1';
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.sctpmap = function (line) {
 | 
						|
    // based on -05 draft
 | 
						|
    var parts = line.substr(10).split(' ');
 | 
						|
    var parsed = {
 | 
						|
        number: parts.shift(),
 | 
						|
        protocol: parts.shift(),
 | 
						|
        streams: parts.shift()
 | 
						|
    };
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
 | 
						|
exports.fmtp = function (line) {
 | 
						|
    var kv, key, value;
 | 
						|
    var parts = line.substr(line.indexOf(' ') + 1).split(';');
 | 
						|
    var parsed = [];
 | 
						|
    for (var i = 0; i < parts.length; i++) {
 | 
						|
        kv = parts[i].split('=');
 | 
						|
        key = kv[0].trim();
 | 
						|
        value = kv[1];
 | 
						|
        if (key && value) {
 | 
						|
            parsed.push({key: key, value: value});
 | 
						|
        } else if (key) {
 | 
						|
            parsed.push({key: '', value: key});
 | 
						|
        }
 | 
						|
    }
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.crypto = function (line) {
 | 
						|
    var parts = line.substr(9).split(' ');
 | 
						|
    var parsed = {
 | 
						|
        tag: parts[0],
 | 
						|
        cipherSuite: parts[1],
 | 
						|
        keyParams: parts[2],
 | 
						|
        sessionParams: parts.slice(3).join(' ')
 | 
						|
    };
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.fingerprint = function (line) {
 | 
						|
    var parts = line.substr(14).split(' ');
 | 
						|
    return {
 | 
						|
        hash: parts[0],
 | 
						|
        value: parts[1]
 | 
						|
    };
 | 
						|
};
 | 
						|
 | 
						|
exports.extmap = function (line) {
 | 
						|
    var parts = line.substr(9).split(' ');
 | 
						|
    var parsed = {};
 | 
						|
 | 
						|
    var idpart = parts.shift();
 | 
						|
    var sp = idpart.indexOf('/');
 | 
						|
    if (sp >= 0) {
 | 
						|
        parsed.id = idpart.substr(0, sp);
 | 
						|
        parsed.senders = idpart.substr(sp + 1);
 | 
						|
    } else {
 | 
						|
        parsed.id = idpart;
 | 
						|
        parsed.senders = 'sendrecv';
 | 
						|
    }
 | 
						|
 | 
						|
    parsed.uri = parts.shift() || '';
 | 
						|
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.rtcpfb = function (line) {
 | 
						|
    var parts = line.substr(10).split(' ');
 | 
						|
    var parsed = {};
 | 
						|
    parsed.id = parts.shift();
 | 
						|
    parsed.type = parts.shift();
 | 
						|
    if (parsed.type === 'trr-int') {
 | 
						|
        parsed.value = parts.shift();
 | 
						|
    } else {
 | 
						|
        parsed.subtype = parts.shift() || '';
 | 
						|
    }
 | 
						|
    parsed.parameters = parts;
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.candidate = function (line) {
 | 
						|
    var parts;
 | 
						|
    if (line.indexOf('a=candidate:') === 0) {
 | 
						|
        parts = line.substring(12).split(' ');
 | 
						|
    } else { // no a=candidate
 | 
						|
        parts = line.substring(10).split(' ');
 | 
						|
    }
 | 
						|
 | 
						|
    var candidate = {
 | 
						|
        foundation: parts[0],
 | 
						|
        component: parts[1],
 | 
						|
        protocol: parts[2].toLowerCase(),
 | 
						|
        priority: parts[3],
 | 
						|
        ip: parts[4],
 | 
						|
        port: parts[5],
 | 
						|
        // skip parts[6] == 'typ'
 | 
						|
        type: parts[7],
 | 
						|
        generation: '0'
 | 
						|
    };
 | 
						|
 | 
						|
    for (var i = 8; i < parts.length; i += 2) {
 | 
						|
        if (parts[i] === 'raddr') {
 | 
						|
            candidate.relAddr = parts[i + 1];
 | 
						|
        } else if (parts[i] === 'rport') {
 | 
						|
            candidate.relPort = parts[i + 1];
 | 
						|
        } else if (parts[i] === 'generation') {
 | 
						|
            candidate.generation = parts[i + 1];
 | 
						|
        } else if (parts[i] === 'tcptype') {
 | 
						|
            candidate.tcpType = parts[i + 1];
 | 
						|
        }
 | 
						|
    }
 | 
						|
 | 
						|
    candidate.network = '1';
 | 
						|
 | 
						|
    return candidate;
 | 
						|
};
 | 
						|
 | 
						|
exports.sourceGroups = function (lines) {
 | 
						|
    var parsed = [];
 | 
						|
    for (var i = 0; i < lines.length; i++) {
 | 
						|
        var parts = lines[i].substr(13).split(' ');
 | 
						|
        parsed.push({
 | 
						|
            semantics: parts.shift(),
 | 
						|
            sources: parts
 | 
						|
        });
 | 
						|
    }
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.sources = function (lines) {
 | 
						|
    // http://tools.ietf.org/html/rfc5576
 | 
						|
    var parsed = [];
 | 
						|
    var sources = {};
 | 
						|
    for (var i = 0; i < lines.length; i++) {
 | 
						|
        var parts = lines[i].substr(7).split(' ');
 | 
						|
        var ssrc = parts.shift();
 | 
						|
 | 
						|
        if (!sources[ssrc]) {
 | 
						|
            var source = {
 | 
						|
                ssrc: ssrc,
 | 
						|
                parameters: []
 | 
						|
            };
 | 
						|
            parsed.push(source);
 | 
						|
 | 
						|
            // Keep an index
 | 
						|
            sources[ssrc] = source;
 | 
						|
        }
 | 
						|
 | 
						|
        parts = parts.join(' ').split(':');
 | 
						|
        var attribute = parts.shift();
 | 
						|
        var value = parts.join(':') || null;
 | 
						|
 | 
						|
        sources[ssrc].parameters.push({
 | 
						|
            key: attribute,
 | 
						|
            value: value
 | 
						|
        });
 | 
						|
    }
 | 
						|
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.groups = function (lines) {
 | 
						|
    // http://tools.ietf.org/html/rfc5888
 | 
						|
    var parsed = [];
 | 
						|
    var parts;
 | 
						|
    for (var i = 0; i < lines.length; i++) {
 | 
						|
        parts = lines[i].substr(8).split(' ');
 | 
						|
        parsed.push({
 | 
						|
            semantics: parts.shift(),
 | 
						|
            contents: parts
 | 
						|
        });
 | 
						|
    }
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
exports.bandwidth = function (line) {
 | 
						|
    var parts = line.substr(2).split(':');
 | 
						|
    var parsed = {};
 | 
						|
    parsed.type = parts.shift();
 | 
						|
    parsed.bandwidth = parts.shift();
 | 
						|
    return parsed;
 | 
						|
};
 | 
						|
 | 
						|
},{}],25:[function(require,module,exports){
 | 
						|
module.exports = {
 | 
						|
    initiator: {
 | 
						|
        incoming: {
 | 
						|
            initiator: 'recvonly',
 | 
						|
            responder: 'sendonly',
 | 
						|
            both: 'sendrecv',
 | 
						|
            none: 'inactive',
 | 
						|
            recvonly: 'initiator',
 | 
						|
            sendonly: 'responder',
 | 
						|
            sendrecv: 'both',
 | 
						|
            inactive: 'none'
 | 
						|
        },
 | 
						|
        outgoing: {
 | 
						|
            initiator: 'sendonly',
 | 
						|
            responder: 'recvonly',
 | 
						|
            both: 'sendrecv',
 | 
						|
            none: 'inactive',
 | 
						|
            recvonly: 'responder',
 | 
						|
            sendonly: 'initiator',
 | 
						|
            sendrecv: 'both',
 | 
						|
            inactive: 'none'
 | 
						|
        }
 | 
						|
    },
 | 
						|
    responder: {
 | 
						|
        incoming: {
 | 
						|
            initiator: 'sendonly',
 | 
						|
            responder: 'recvonly',
 | 
						|
            both: 'sendrecv',
 | 
						|
            none: 'inactive',
 | 
						|
            recvonly: 'responder',
 | 
						|
            sendonly: 'initiator',
 | 
						|
            sendrecv: 'both',
 | 
						|
            inactive: 'none'
 | 
						|
        },
 | 
						|
        outgoing: {
 | 
						|
            initiator: 'recvonly',
 | 
						|
            responder: 'sendonly',
 | 
						|
            both: 'sendrecv',
 | 
						|
            none: 'inactive',
 | 
						|
            recvonly: 'initiator',
 | 
						|
            sendonly: 'responder',
 | 
						|
            sendrecv: 'both',
 | 
						|
            inactive: 'none'
 | 
						|
        }
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
},{}],24:[function(require,module,exports){
 | 
						|
// based on https://github.com/ESTOS/strophe.jingle/
 | 
						|
// adds wildemitter support
 | 
						|
var util = require('util');
 | 
						|
var webrtc = require('webrtcsupport');
 | 
						|
var WildEmitter = require('wildemitter');
 | 
						|
 | 
						|
function dumpSDP(description) {
 | 
						|
    return {
 | 
						|
        type: description.type,
 | 
						|
        sdp: description.sdp
 | 
						|
    };
 | 
						|
}
 | 
						|
 | 
						|
function dumpStream(stream) {
 | 
						|
    var info = {
 | 
						|
        label: stream.id,
 | 
						|
    };
 | 
						|
    if (stream.getAudioTracks().length) {
 | 
						|
        info.audio = stream.getAudioTracks().map(function (track) {
 | 
						|
            return track.id;
 | 
						|
        });
 | 
						|
    }
 | 
						|
    if (stream.getVideoTracks().length) {
 | 
						|
        info.video = stream.getVideoTracks().map(function (track) {
 | 
						|
            return track.id;
 | 
						|
        });
 | 
						|
    }
 | 
						|
    return info;
 | 
						|
}
 | 
						|
 | 
						|
function TraceablePeerConnection(config, constraints) {
 | 
						|
    var self = this;
 | 
						|
    WildEmitter.call(this);
 | 
						|
 | 
						|
    this.peerconnection = new webrtc.PeerConnection(config, constraints);
 | 
						|
 | 
						|
    this.trace = function (what, info) {
 | 
						|
        self.emit('PeerConnectionTrace', {
 | 
						|
            time: new Date(),
 | 
						|
            type: what,
 | 
						|
            value: info || ""
 | 
						|
        });
 | 
						|
    };
 | 
						|
 | 
						|
    this.onicecandidate = null;
 | 
						|
    this.peerconnection.onicecandidate = function (event) {
 | 
						|
        self.trace('onicecandidate', event.candidate);
 | 
						|
        if (self.onicecandidate !== null) {
 | 
						|
            self.onicecandidate(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.onaddstream = null;
 | 
						|
    this.peerconnection.onaddstream = function (event) {
 | 
						|
        self.trace('onaddstream', dumpStream(event.stream));
 | 
						|
        if (self.onaddstream !== null) {
 | 
						|
            self.onaddstream(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.onremovestream = null;
 | 
						|
    this.peerconnection.onremovestream = function (event) {
 | 
						|
        self.trace('onremovestream', dumpStream(event.stream));
 | 
						|
        if (self.onremovestream !== null) {
 | 
						|
            self.onremovestream(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.onsignalingstatechange = null;
 | 
						|
    this.peerconnection.onsignalingstatechange = function (event) {
 | 
						|
        self.trace('onsignalingstatechange', self.signalingState);
 | 
						|
        if (self.onsignalingstatechange !== null) {
 | 
						|
            self.onsignalingstatechange(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.oniceconnectionstatechange = null;
 | 
						|
    this.peerconnection.oniceconnectionstatechange = function (event) {
 | 
						|
        self.trace('oniceconnectionstatechange', self.iceConnectionState);
 | 
						|
        if (self.oniceconnectionstatechange !== null) {
 | 
						|
            self.oniceconnectionstatechange(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.onnegotiationneeded = null;
 | 
						|
    this.peerconnection.onnegotiationneeded = function (event) {
 | 
						|
        self.trace('onnegotiationneeded');
 | 
						|
        if (self.onnegotiationneeded !== null) {
 | 
						|
            self.onnegotiationneeded(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    self.ondatachannel = null;
 | 
						|
    this.peerconnection.ondatachannel = function (event) {
 | 
						|
        self.trace('ondatachannel', event);
 | 
						|
        if (self.ondatachannel !== null) {
 | 
						|
            self.ondatachannel(event);
 | 
						|
        }
 | 
						|
    };
 | 
						|
    this.getLocalStreams = this.peerconnection.getLocalStreams.bind(this.peerconnection);
 | 
						|
    this.getRemoteStreams = this.peerconnection.getRemoteStreams.bind(this.peerconnection);
 | 
						|
}
 | 
						|
 | 
						|
util.inherits(TraceablePeerConnection, WildEmitter);
 | 
						|
 | 
						|
Object.defineProperty(TraceablePeerConnection.prototype, 'signalingState', {
 | 
						|
    get: function () {
 | 
						|
        return this.peerconnection.signalingState;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
Object.defineProperty(TraceablePeerConnection.prototype, 'iceConnectionState', {
 | 
						|
    get: function () {
 | 
						|
        return this.peerconnection.iceConnectionState;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
Object.defineProperty(TraceablePeerConnection.prototype, 'localDescription', {
 | 
						|
    get: function () {
 | 
						|
        return this.peerconnection.localDescription;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
Object.defineProperty(TraceablePeerConnection.prototype, 'remoteDescription', {
 | 
						|
    get: function () {
 | 
						|
        return this.peerconnection.remoteDescription;
 | 
						|
    }
 | 
						|
});
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.addStream = function (stream) {
 | 
						|
    this.trace('addStream', dumpStream(stream));
 | 
						|
    this.peerconnection.addStream(stream);
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.removeStream = function (stream) {
 | 
						|
    this.trace('removeStream', dumpStream(stream));
 | 
						|
    this.peerconnection.removeStream(stream);
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.createDataChannel = function (label, opts) {
 | 
						|
    this.trace('createDataChannel', label, opts);
 | 
						|
    return this.peerconnection.createDataChannel(label, opts);
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.setLocalDescription = function (description, successCallback, failureCallback) {
 | 
						|
    var self = this;
 | 
						|
    this.trace('setLocalDescription', dumpSDP(description));
 | 
						|
    this.peerconnection.setLocalDescription(description,
 | 
						|
        function () {
 | 
						|
            self.trace('setLocalDescriptionOnSuccess');
 | 
						|
            successCallback();
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.trace('setLocalDescriptionOnFailure', err);
 | 
						|
            failureCallback(err);
 | 
						|
        }
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.setRemoteDescription = function (description, successCallback, failureCallback) {
 | 
						|
    var self = this;
 | 
						|
    this.trace('setRemoteDescription', dumpSDP(description));
 | 
						|
    this.peerconnection.setRemoteDescription(description,
 | 
						|
        function () {
 | 
						|
            self.trace('setRemoteDescriptionOnSuccess');
 | 
						|
            successCallback();
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.trace('setRemoteDescriptionOnFailure', err);
 | 
						|
            failureCallback(err);
 | 
						|
        }
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.close = function () {
 | 
						|
    this.trace('stop');
 | 
						|
    if (this.statsinterval !== null) {
 | 
						|
        window.clearInterval(this.statsinterval);
 | 
						|
        this.statsinterval = null;
 | 
						|
    }
 | 
						|
    if (this.peerconnection.signalingState != 'closed') {
 | 
						|
        this.peerconnection.close();
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.createOffer = function (successCallback, failureCallback, constraints) {
 | 
						|
    var self = this;
 | 
						|
    this.trace('createOffer', constraints);
 | 
						|
    this.peerconnection.createOffer(
 | 
						|
        function (offer) {
 | 
						|
            self.trace('createOfferOnSuccess', dumpSDP(offer));
 | 
						|
            successCallback(offer);
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.trace('createOfferOnFailure', err);
 | 
						|
            failureCallback(err);
 | 
						|
        },
 | 
						|
        constraints
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.createAnswer = function (successCallback, failureCallback, constraints) {
 | 
						|
    var self = this;
 | 
						|
    this.trace('createAnswer', constraints);
 | 
						|
    this.peerconnection.createAnswer(
 | 
						|
        function (answer) {
 | 
						|
            self.trace('createAnswerOnSuccess', dumpSDP(answer));
 | 
						|
            successCallback(answer);
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.trace('createAnswerOnFailure', err);
 | 
						|
            failureCallback(err);
 | 
						|
        },
 | 
						|
        constraints
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.addIceCandidate = function (candidate, successCallback, failureCallback) {
 | 
						|
    var self = this;
 | 
						|
    this.trace('addIceCandidate', candidate);
 | 
						|
    this.peerconnection.addIceCandidate(candidate,
 | 
						|
        function () {
 | 
						|
            //self.trace('addIceCandidateOnSuccess');
 | 
						|
            if (successCallback) successCallback();
 | 
						|
        },
 | 
						|
        function (err) {
 | 
						|
            self.trace('addIceCandidateOnFailure', err);
 | 
						|
            if (failureCallback) failureCallback(err);
 | 
						|
        }
 | 
						|
    );
 | 
						|
};
 | 
						|
 | 
						|
TraceablePeerConnection.prototype.getStats = function (callback, errback) {
 | 
						|
    if (navigator.mozGetUserMedia) {
 | 
						|
        this.peerconnection.getStats(null, callback, errback);
 | 
						|
    } else {
 | 
						|
        this.peerconnection.getStats(callback);
 | 
						|
    }
 | 
						|
};
 | 
						|
 | 
						|
module.exports = TraceablePeerConnection;
 | 
						|
 | 
						|
},{"util":9,"webrtcsupport":5,"wildemitter":3}]},{},[1])(1)
 | 
						|
});
 | 
						|
; |