From be2e4b0aa379c4575b8956787b53827713d43025 Mon Sep 17 00:00:00 2001 From: Darren Date: Wed, 17 Oct 2012 01:21:00 +0100 Subject: [PATCH] Removing kiwi*.js files --- client/assets/kiwi.js | 3773 ------------------------------------- client/assets/kiwi.min.js | 1 - 2 files changed, 3774 deletions(-) delete mode 100644 client/assets/kiwi.js delete mode 100644 client/assets/kiwi.min.js diff --git a/client/assets/kiwi.js b/client/assets/kiwi.js deleted file mode 100644 index f8546ea..0000000 --- a/client/assets/kiwi.js +++ /dev/null @@ -1,3773 +0,0 @@ -(function (global) { - -// Holds anything kiwi client specific (ie. front, gateway, kiwi.plugs..) -/** -* @namespace -*/ -var kiwi = {}; - -kiwi.model = {}; -kiwi.view = {}; -kiwi.applets = {}; - - -/** - * A global container for third party access - * Will be used to access a limited subset of kiwi functionality - * and data (think: plugins) - */ -kiwi.global = { - utils: undefined, // Re-usable methods - gateway: undefined, - user: undefined, - server: undefined, - command: undefined, // The control box - - // TODO: think of a better term for this as it will also refer to queries - channels: undefined, - - // Entry point to start the kiwi application - start: function (opts) { - opts = opts || {}; - - kiwi.app = new kiwi.model.Application(opts); - - if (opts.kiwi_server) { - kiwi.app.kiwi_server = opts.kiwi_server; - } - - kiwi.app.start(); - - return true; - } -}; - - - -// If within a closure, expose the kiwi globals -if (typeof global !== 'undefined') { - global.kiwi = kiwi.global; -} - - -kiwi.model.Application = function () { - // Set to a reference to this object within initialize() - var that = null; - - // The auto connect details entered into the server select box - var auto_connect_details = {}; - - - var model = function () { - /** Instance of kiwi.model.PanelList */ - this.panels = null; - - /** kiwi.view.Application */ - this.view = null; - - /** kiwi.view.StatusMessage */ - this.message = null; - - /* Address for the kiwi server */ - this.kiwi_server = null; - - this.initialize = function (options) { - that = this; - - if (options[0].container) { - this.set('container', options[0].container); - } - - // Best guess at where the kiwi server is - this.detectKiwiServer(); - }; - - this.start = function () { - // Only debug if set in the querystring - if (!getQueryVariable('debug')) { - manageDebug(false); - } else { - //manageDebug(true); - } - - // Set the gateway up - kiwi.gateway = new kiwi.model.Gateway(); - this.bindGatewayCommands(kiwi.gateway); - - this.initializeClient(); - this.initializeGlobals(); - - this.view.barsHide(true); - - this.panels.server.server_login.bind('server_connect', function (event) { - var server_login = this; - auto_connect_details = event; - - server_login.networkConnecting(); - - $script(that.kiwi_server + '/socket.io/socket.io.js?ts='+(new Date().getTime()), function () { - if (!window.io) { - kiwiServerNotFound(); - return; - } - kiwi.gateway.set('kiwi_server', that.kiwi_server + '/kiwi'); - kiwi.gateway.set('nick', event.nick); - - kiwi.gateway.connect(event.server, event.port, event.ssl, event.password, function () {}); - }); - }); - - // TODO: Shouldn't really be here but it's not working in the view.. :/ - // Hack for firefox browers: Focus is not given on this event loop iteration - setTimeout(function(){ - kiwi.app.panels.server.server_login.$el.find('.nick').select(); - }, 0); - }; - - - function kiwiServerNotFound (e) { - that.panels.server.server_login.showError(); - } - - - this.detectKiwiServer = function () { - // If running from file, default to localhost:7777 by default - if (window.location.protocol === 'file:') { - this.kiwi_server = 'http://localhost:7778'; - } else { - // Assume the kiwi server is on the same server - this.kiwi_server = window.location.protocol + '//' + window.location.host; - } - }; - - - this.initializeClient = function () { - this.view = new kiwi.view.Application({model: this, el: this.get('container')}); - - /** - * Set the UI components up - */ - this.panels = new kiwi.model.PanelList(); - - this.controlbox = new kiwi.view.ControlBox({el: $('#controlbox')[0]}); - this.bindControllboxCommands(this.controlbox); - - this.topicbar = new kiwi.view.TopicBar({el: $('#topic')[0]}); - - this.message = new kiwi.view.StatusMessage({el: $('#status_message')[0]}); - - this.resize_handle = new kiwi.view.ResizeHandler({el: $('#memberlists_resize_handle')[0]}); - - this.panels.server.view.show(); - - // Rejigg the UI sizes - this.view.doLayout(); - - this.populateDefaultServerSettings(); - }; - - - this.initializeGlobals = function () { - kiwi.global.control = this.controlbox; - }; - - - this.populateDefaultServerSettings = function () { - var parts; - var defaults = { - nick: getQueryVariable('nick') || 'kiwi_' + Math.ceil(Math.random() * 10000).toString(), - server: 'irc.kiwiirc.com', - port: 6667, - ssl: false, - channel: window.location.hash || '#kiwiirc' - }; - - // Process the URL part by part, extracting as we go - parts = window.location.pathname.toString().split('/'); - parts.shift(); - - if (parts.length > 0 && parts[0].toLowerCase() === 'client') { - parts.shift(); - - if (parts.length > 0 && parts[0]) { - // TODO: Extract the port from this hostname - defaults.server = parts[0]; - parts.shift(); - } - - if (parts.length > 0 && parts[0]) { - defaults.channel = '#' + parts[0]; - parts.shift(); - } - } - - // Set any random numbers if needed - defaults.nick = defaults.nick.replace('?', Math.floor(Math.random() * 100000).toString()); - - // Populate the server select box with defaults - this.panels.server.server_login.populateFields(defaults); - }; - - - this.bindGatewayCommands = function (gw) { - gw.on('onmotd', function (event) { - that.panels.server.addMsg(kiwi.gateway.get('name'), event.msg, 'motd'); - }); - - - gw.on('onconnect', function (event) { - that.view.barsShow(); - - if (auto_connect_details.channel) { - that.controlbox.processInput('/JOIN ' + auto_connect_details.channel); - } - }); - - - (function () { - var gw_stat = 0; - - gw.on('disconnect', function (event) { - var msg = 'You have been disconnected. Attempting to reconnect for you..'; - that.message.text(msg, {timeout: 10000}); - - // Mention the disconnection on every channel - $.each(kiwi.app.panels.models, function (idx, panel) { - if (!panel || !panel.isChannel()) return; - panel.addMsg('', msg, 'action quit'); - }); - kiwi.app.panels.server.addMsg('', msg, 'action quit'); - - gw_stat = 1; - }); - gw.on('reconnecting', function (event) { - msg = 'You have been disconnected. Attempting to reconnect again in ' + (event.delay/1000) + ' seconds..'; - kiwi.app.panels.server.addMsg('', msg, 'action quit'); - }); - gw.on('connect', function (event) { - if (gw_stat !== 1) return; - - var msg = 'It\'s OK, you\'re connected again :)'; - that.message.text(msg, {timeout: 5000}); - - // Mention the disconnection on every channel - $.each(kiwi.app.panels.models, function (idx, panel) { - if (!panel || !panel.isChannel()) return; - panel.addMsg('', msg, 'action join'); - }); - kiwi.app.panels.server.addMsg('', msg, 'action join'); - - gw_stat = 0; - }); - })(); - - - gw.on('onjoin', function (event) { - var c, members, user; - c = that.panels.getByName(event.channel); - if (!c) { - c = new kiwi.model.Channel({name: event.channel}); - that.panels.add(c); - } - - members = c.get('members'); - if (!members) return; - - user = new kiwi.model.Member({nick: event.nick, ident: event.ident, hostname: event.hostname}); - members.add(user); - // TODO: highlight the new channel in some way - }); - - - gw.on('onpart', function (event) { - var channel, members, user, - part_options = {}; - - part_options.type = 'part'; - part_options.message = event.message || ''; - - channel = that.panels.getByName(event.channel); - if (!channel) return; - - // If this is us, close the panel - if (event.nick === kiwi.gateway.get('nick')) { - channel.close(); - return; - } - - members = channel.get('members'); - if (!members) return; - - user = members.getByNick(event.nick); - if (!user) return; - - members.remove(user, part_options); - }); - - - gw.on('onquit', function (event) { - var member, members, - quit_options = {}; - - quit_options.type = 'quit'; - quit_options.message = event.message || ''; - - $.each(that.panels.models, function (index, panel) { - if (!panel.isChannel()) return; - - member = panel.get('members').getByNick(event.nick); - if (member) { - panel.get('members').remove(member, quit_options); - } - }); - }); - - - gw.on('onkick', function (event) { - var channel, members, user, - part_options = {}; - - part_options.type = 'kick'; - part_options.by = event.nick; - part_options.message = event.message || ''; - - channel = that.panels.getByName(event.channel); - if (!channel) return; - - members = channel.get('members'); - if (!members) return; - - user = members.getByNick(event.kicked); - if (!user) return; - - members.remove(user, part_options); - - if (event.kicked === kiwi.gateway.get('nick')) { - members.reset([]); - } - - }); - - - gw.on('onmsg', function (event) { - var panel, - is_pm = (event.channel == kiwi.gateway.get('nick')); - - if (is_pm) { - // If a panel isn't found for this PM, create one - panel = that.panels.getByName(event.nick); - if (!panel) { - panel = new kiwi.model.Channel({name: event.nick}); - that.panels.add(panel); - } - - } else { - // If a panel isn't found for this channel, reroute to the - // server panel - panel = that.panels.getByName(event.channel); - if (!panel) { - panel = that.panels.server; - } - } - - panel.addMsg(event.nick, event.msg); - }); - - - gw.on('onnotice', function (event) { - var panel; - - // Find a panel for the destination(channel) or who its from - panel = that.panels.getByName(event.target) || that.panels.getByName(event.nick); - if (!panel) { - panel = that.panels.server; - } - - panel.addMsg('[' + (event.nick||'') + ']', event.msg); - }); - - - gw.on('onaction', function (event) { - var panel, - is_pm = (event.channel == kiwi.gateway.get('nick')); - - if (is_pm) { - // If a panel isn't found for this PM, create one - panel = that.panels.getByName(event.nick); - if (!panel) { - panel = new kiwi.model.Channel({name: event.nick}); - that.panels.add(panel); - } - - } else { - // If a panel isn't found for this channel, reroute to the - // server panel - panel = that.panels.getByName(event.channel); - if (!panel) { - panel = that.panels.server; - } - } - - panel.addMsg('', '* ' + event.nick + ' ' + event.msg, 'action'); - }); - - - gw.on('ontopic', function (event) { - var c; - c = that.panels.getByName(event.channel); - if (!c) return; - - // Set the channels topic - c.set('topic', event.topic); - - // If this is the active channel, update the topic bar too - if (c.get('name') === kiwi.app.panels.active.get('name')) { - that.topicbar.setCurrentTopic(event.topic); - } - }); - - - gw.on('ontopicsetby', function (event) { - var c, when; - c = that.panels.getByName(event.channel); - if (!c) return; - - when = formatDate(new Date(event.when * 1000)); - c.addMsg('', 'Topic set by ' + event.nick + ' at ' + when, 'topic'); - }); - - - gw.on('onuserlist', function (event) { - var channel; - channel = that.panels.getByName(event.channel); - - // If we didn't find a channel for this, may aswell leave - if (!channel) return; - - channel.temp_userlist = channel.temp_userlist || []; - _.each(event.users, function (item) { - var user = new kiwi.model.Member({nick: item.nick, modes: item.modes}); - channel.temp_userlist.push(user); - }); - }); - - - gw.on('onuserlist_end', function (event) { - var channel; - channel = that.panels.getByName(event.channel); - - // If we didn't find a channel for this, may aswell leave - if (!channel) return; - - // Update the members list with the new list - channel.get('members').reset(channel.temp_userlist || []); - - // Clear the temporary userlist - delete channel.temp_userlist; - }); - - - gw.on('onmode', function (event) { - var channel, i, prefixes, members, member, find_prefix; - - // Build a nicely formatted string to be displayed to a regular human - function friendlyModeString (event_modes, alt_target) { - var modes = {}, return_string; - - // If no default given, use the main event info - if (!event_modes) { - event_modes = event.modes; - alt_target = event.target; - } - - // Reformat the mode object to make it easier to work with - _.each(event_modes, function (mode){ - var param = mode.param || alt_target || ''; - - // Make sure we have some modes for this param - if (!modes[param]) { - modes[param] = {'+':'', '-':''}; - } - - modes[param][mode.mode[0]] += mode.mode.substr(1); - }); - - // Put the string together from each mode - return_string = []; - _.each(modes, function (modeset, param) { - var str = ''; - if (modeset['+']) str += '+' + modeset['+']; - if (modeset['-']) str += '-' + modeset['-']; - return_string.push(str + ' ' + param); - }); - return_string = return_string.join(', '); - - return return_string; - } - - - channel = that.panels.getByName(event.target); - if (channel) { - prefixes = kiwi.gateway.get('user_prefixes'); - find_prefix = function (p) { - return event.modes[i].mode[1] === p.mode; - }; - for (i = 0; i < event.modes.length; i++) { - if (_.any(prefixes, find_prefix)) { - if (!members) { - members = channel.get('members'); - } - member = members.getByNick(event.modes[i].param); - if (!member) { - console.log('MODE command recieved for unknown member %s on channel %s', event.modes[i].param, event.target); - return; - } else { - if (event.modes[i].mode[0] === '+') { - member.addMode(event.modes[i].mode[1]); - } else if (event.modes[i].mode[0] === '-') { - member.removeMode(event.modes[i].mode[1]); - } - members.sort(); - //channel.addMsg('', '== ' + event.nick + ' set mode ' + event.modes[i].mode + ' ' + event.modes[i].param, 'action mode'); - } - } else { - // Channel mode being set - // TODO: Store this somewhere? - //channel.addMsg('', 'CHANNEL === ' + event.nick + ' set mode ' + event.modes[i].mode + ' on ' + event.target, 'action mode'); - } - } - - channel.addMsg('', '== ' + event.nick + ' sets mode ' + friendlyModeString(), 'action mode'); - } else { - // This is probably a mode being set on us. - if (event.target.toLowerCase() === kiwi.gateway.get("nick").toLowerCase()) { - that.panels.server.addMsg('', '== ' + event.nick + ' set mode ' + friendlyModeString(), 'action mode'); - } else { - console.log('MODE command recieved for unknown target %s: ', event.target, event); - } - } - }); - - - gw.on('onnick', function (event) { - var member; - - $.each(that.panels.models, function (index, panel) { - if (!panel.isChannel()) return; - - member = panel.get('members').getByNick(event.nick); - if (member) { - member.set('nick', event.newnick); - panel.addMsg('', '== ' + event.nick + ' is now known as ' + event.newnick, 'action nick'); - } - }); - }); - - - gw.on('onwhois', function (event) { - /*globals secondsToTime */ - var logon_date, idle_time = '', panel; - - if (event.end) { - return; - } - - if (typeof event.idle !== 'undefined') { - idle_time = secondsToTime(parseInt(event.idle, 10)); - idle_time = idle_time.h.toString().lpad(2, "0") + ':' + idle_time.m.toString().lpad(2, "0") + ':' + idle_time.s.toString().lpad(2, "0"); - } - - panel = kiwi.app.panels.active; - if (event.ident) { - panel.addMsg(event.nick, 'is ' + event.nick + '!' + event.ident + '@' + event.host + ' * ' + event.msg, 'whois'); - } else if (event.chans) { - panel.addMsg(event.nick, 'on ' + event.chans, 'whois'); - } else if (event.server) { - panel.addMsg(event.nick, 'using ' + event.server, 'whois'); - } else if (event.msg) { - panel.addMsg(event.nick, event.msg, 'whois'); - } else if (event.logon) { - logon_date = new Date(); - logon_date.setTime(event.logon * 1000); - logon_date = formatDate(logon_date); - - panel.addMsg(event.nick, 'idle for ' + idle_time + ', signed on ' + logon_date, 'whois'); - } else { - panel.addMsg(event.nick, 'idle for ' + idle_time, 'whois'); - } - }); - - - gw.on('onlist_start', function (data) { - if (kiwi.app.channel_list) { - kiwi.app.channel_list.close(); - delete kiwi.app.channel_list; - } - - var panel = new kiwi.model.Applet(), - applet = new kiwi.applets.Chanlist(); - - panel.load(applet); - - kiwi.app.panels.add(panel); - panel.view.show(); - - kiwi.app.channel_list = applet; - }); - - - gw.on('onlist_channel', function (data) { - // TODO: Put this listener within the applet itself - kiwi.app.channel_list.addChannel(data.chans); - }); - - - gw.on('onlist_end', function (data) { - // TODO: Put this listener within the applet itself - delete kiwi.app.channel_list; - }); - - - gw.on('onirc_error', function (data) { - var panel, tmp; - - if (data.channel !== undefined && !(panel = kiwi.app.panels.getByName(data.channel))) { - panel = kiwi.app.panels.server; - } - - switch (data.error) { - case 'banned_from_channel': - panel.addMsg(' ', '== You are banned from ' + data.channel + '. ' + data.reason, 'status'); - kiwi.app.message.text('You are banned from ' + data.channel + '. ' + data.reason); - break; - case 'bad_channel_key': - panel.addMsg(' ', '== Bad channel key for ' + data.channel, 'status'); - kiwi.app.message.text('Bad channel key or password for ' + data.channel); - break; - case 'invite_only_channel': - panel.addMsg(' ', '== ' + data.channel + ' is invite only.', 'status'); - kiwi.app.message.text(data.channel + ' is invite only'); - break; - case 'channel_is_full': - panel.addMsg(' ', '== ' + data.channel + ' is full.', 'status'); - kiwi.app.message.text(data.channel + ' is full'); - break; - case 'chanop_privs_needed': - panel.addMsg(' ', '== ' + data.reason, 'status'); - kiwi.app.message.text(data.reason + ' (' + data.channel + ')'); - break; - case 'no_such_nick': - tmp = kiwi.app.panels.getByName(data.nick); - if (tmp) { - tmp.addMsg(' ', '== ' + data.nick + ': ' + data.reason, 'status'); - } else { - kiwi.app.panels.server.addMsg(' ', '== ' + data.nick + ': ' + data.reason, 'status'); - } - break; - case 'nickname_in_use': - kiwi.app.panels.server.addMsg(' ', '== The nickname ' + data.nick + ' is already in use. Please select a new nickname', 'status'); - if (kiwi.app.panels.server !== kiwi.app.panels.active) { - kiwi.app.message.text('The nickname "' + data.nick + '" is already in use. Please select a new nickname'); - } - - // Only show the nickchange component if the controlbox is open - if (that.controlbox.$el.css('display') !== 'none') { - (new kiwi.view.NickChangeBox()).render(); - } - - break; - default: - // We don't know what data contains, so don't do anything with it. - //kiwi.front.tabviews.server.addMsg(null, ' ', '== ' + data, 'status'); - } - }); - }; - - - - /** - * Bind to certain commands that may be typed into the control box - */ - this.bindControllboxCommands = function (controlbox) { - // Default aliases - $.extend(controlbox.preprocessor.aliases, { - '/p': '/part $1+', - '/me': '/action $1+', - '/j': '/join $1+', - '/q': '/query $1+', - '/k': '/kick $1+', - - '/slap': '/me throws the juciest, sweetest kiwi at $1. Hits right in the kisser!', - '/throw': '/slap $1+' - }); - - controlbox.on('unknown_command', unknownCommand); - - controlbox.on('command', allCommands); - controlbox.on('command_msg', msgCommand); - - controlbox.on('command_action', actionCommand); - - controlbox.on('command_join', joinCommand); - - controlbox.on('command_part', partCommand); - - controlbox.on('command_nick', function (ev) { - kiwi.gateway.changeNick(ev.params[0]); - }); - - controlbox.on('command_query', queryCommand); - - controlbox.on('command_topic', topicCommand); - - controlbox.on('command_notice', noticeCommand); - - controlbox.on('command_quote', quoteCommand); - - controlbox.on('command_kick', kickCommand); - - - controlbox.on('command_css', function (ev) { - var queryString = '?reload=' + new Date().getTime(); - $('link[rel="stylesheet"]').each(function () { - this.href = this.href.replace(/\?.*|$/, queryString); - }); - }); - - controlbox.on('command_js', function (ev) { - if (!ev.params[0]) return; - $script(ev.params[0] + '?' + (new Date().getTime())); - }); - - controlbox.on('command_alias', function (ev) { - var name, rule; - - // No parameters passed so list them - if (!ev.params[1]) { - $.each(controlbox.preprocessor.aliases, function (name, rule) { - kiwi.app.panels.server.addMsg(' ', name + ' => ' + rule); - }); - return; - } - - // Deleting an alias? - if (ev.params[0] === 'del' || ev.params[0] === 'delete') { - name = ev.params[1]; - if (name[0] !== '/') name = '/' + name; - delete controlbox.preprocessor.aliases[name]; - return; - } - - // Add the alias - name = ev.params[0]; - ev.params.shift(); - rule = ev.params.join(' '); - - // Make sure the name starts with a slash - if (name[0] !== '/') name = '/' + name; - - // Now actually add the alias - controlbox.preprocessor.aliases[name] = rule; - }); - - controlbox.on('command_applet', appletCommand); - controlbox.on('command_settings', settingsCommand); - }; - - // A fallback action. Send a raw command to the server - function unknownCommand (ev) { - var raw_cmd = ev.command + ' ' + ev.params.join(' '); - console.log('RAW: ' + raw_cmd); - kiwi.gateway.raw(raw_cmd); - } - - function allCommands (ev) {} - - function joinCommand (ev) { - var channel, channel_names; - - channel_names = ev.params.join(' ').split(','); - - $.each(channel_names, function (index, channel_name) { - // Trim any whitespace off the name - channel_name = channel_name.trim(); - - // Check if we have the panel already. If not, create it - channel = that.panels.getByName(channel_name); - if (!channel) { - channel = new kiwi.model.Channel({name: channel_name}); - kiwi.app.panels.add(channel); - } - - kiwi.gateway.join(channel_name); - }); - - if (channel) channel.view.show(); - - } - - function queryCommand (ev) { - var destination, panel; - - destination = ev.params[0]; - - // Check if we have the panel already. If not, create it - panel = that.panels.getByName(destination); - if (!panel) { - panel = new kiwi.model.Channel({name: destination}); - kiwi.app.panels.add(panel); - } - - if (panel) panel.view.show(); - - } - - function msgCommand (ev) { - var destination = ev.params[0], - panel = that.panels.getByName(destination) || that.panels.server; - - ev.params.shift(); - - panel.addMsg(kiwi.gateway.get('nick'), ev.params.join(' ')); - kiwi.gateway.privmsg(destination, ev.params.join(' ')); - } - - function actionCommand (ev) { - if (kiwi.app.panels.active === kiwi.app.panels.server) { - return; - } - - var panel = kiwi.app.panels.active; - panel.addMsg('', '* ' + kiwi.gateway.get('nick') + ' ' + ev.params.join(' '), 'action'); - kiwi.gateway.action(panel.get('name'), ev.params.join(' ')); - } - - function partCommand (ev) { - if (ev.params.length === 0) { - kiwi.gateway.part(kiwi.app.panels.active.get('name')); - } else { - _.each(ev.params, function (channel) { - kiwi.gateway.part(channel); - }); - } - // TODO: More responsive = close tab now, more accurate = leave until part event - //kiwi.app.panels.remove(kiwi.app.panels.active); - } - - function topicCommand (ev) { - var channel_name; - - if (ev.params.length === 0) return; - - if (that.isChannelName(ev.params[0])) { - channel_name = ev.params[0]; - ev.params.shift(); - } else { - channel_name = kiwi.app.panels.active.get('name'); - } - - kiwi.gateway.topic(channel_name, ev.params.join(' ')); - } - - function noticeCommand (ev) { - var destination; - - // Make sure we have a destination and some sort of message - if (ev.params.length <= 1) return; - - destination = ev.params[0]; - ev.params.shift(); - - kiwi.gateway.notice(destination, ev.params.join(' ')); - } - - function quoteCommand (ev) { - var raw = ev.params.join(' '); - kiwi.gateway.raw(raw); - } - - function kickCommand (ev) { - var nick, panel = kiwi.app.panels.active; - - if (!panel.isChannel()) return; - - // Make sure we have a nick - if (ev.params.length === 0) return; - - nick = ev.params[0]; - ev.params.shift(); - - kiwi.gateway.kick(panel.get('name'), nick, ev.params.join(' ')); - } - - function settingsCommand (ev) { - var panel = new kiwi.model.Applet(); - panel.load(new kiwi.applets.Settings()); - - kiwi.app.panels.add(panel); - panel.view.show(); - } - - function appletCommand (ev) { - if (!ev.params[0]) return; - - var panel = new kiwi.model.Applet(); - - if (ev.params[1]) { - // Url and name given - panel.load(ev.params[0], ev.params[1]); - } else { - // Load a pre-loaded applet - if (kiwi.applets[ev.params[0]]) { - panel.load(new kiwi.applets[ev.params[0]]()); - } else { - kiwi.app.panels.server.addMsg('', 'Applet "' + ev.params[0] + '" does not exist'); - return; - } - } - - kiwi.app.panels.add(panel); - panel.view.show(); - } - - - - - - this.isChannelName = function (channel_name) { - var channel_prefix = kiwi.gateway.get('channel_prefix'); - - if (!channel_name || !channel_name.length) return false; - return (channel_prefix.indexOf(channel_name[0]) > -1); - }; - - }; - - - model = Backbone.Model.extend(new model()); - - return new model(arguments); -}; - - - -kiwi.model.Gateway = function () { - - // Set to a reference to this object within initialize() - var that = null; - - this.defaults = { - /** - * The name of the network - * @type String - */ - name: 'Server', - - /** - * The address (URL) of the network - * @type String - */ - address: '', - - /** - * The current nickname - * @type String - */ - nick: '', - - /** - * The channel prefix for this network - * @type String - */ - channel_prefix: '#', - - /** - * The user prefixes for channel owner/admin/op/voice etc. on this network - * @type Array - */ - user_prefixes: ['~', '&', '@', '+'], - - /** - * The URL to the Kiwi server - * @type String - */ - kiwi_server: '//kiwi' - }; - - - this.initialize = function () { - that = this; - - // For ease of access. The socket.io object - this.socket = this.get('socket'); - }; - - - /** - * Connects to the server - * @param {String} host The hostname or IP address of the IRC server to connect to - * @param {Number} port The port of the IRC server to connect to - * @param {Boolean} ssl Whether or not to connect to the IRC server using SSL - * @param {String} password The password to supply to the IRC server during registration - * @param {Function} callback A callback function to be invoked once Kiwi's server has connected to the IRC server - */ - this.connect = function (host, port, ssl, password, callback) { - this.socket = io.connect(this.get('kiwi_server'), { - 'try multiple transports': true, - 'connect timeout': 3000, - 'max reconnection attempts': 7, - 'reconnection delay': 2000, - 'sync disconnect on unload': false - }); - this.socket.on('connect_failed', function (reason) { - // TODO: When does this even actually get fired? I can't find a case! ~Darren - console.debug('Unable to connect Socket.IO', reason); - console.log("kiwi.gateway.socket.on('connect_failed')"); - //kiwi.front.tabviews.server.addMsg(null, ' ', 'Unable to connect to Kiwi IRC.\n' + reason, 'error'); - this.socket.disconnect(); - this.trigger("connect_fail", {reason: reason}); - }); - - this.socket.on('error', function (e) { - this.trigger("connect_fail", {reason: e}); - console.log("kiwi.gateway.socket.on('error')", {reason: e}); - }); - - this.socket.on('connecting', function (transport_type) { - console.log("kiwi.gateway.socket.on('connecting')"); - that.trigger("connecting"); - }); - - /** - * Once connected to the kiwi server send the IRC connect command along - * with the IRC server details. - * A `connect` event is sent from the kiwi server once connected to the - * IRCD and the nick has been accepted. - */ - this.socket.on('connect', function () { - this.emit('kiwi', {command: 'connect', nick: that.get('nick'), hostname: host, port: port, ssl: ssl, password:password}, function (err, server_num) { - if (!err) { - that.server_num = server_num; - console.log("kiwi.gateway.socket.on('connect')"); - } else { - console.log("kiwi.gateway.socket.on('error')", {reason: err}); - } - }); - }); - - this.socket.on('too_many_connections', function () { - this.trigger("connect_fail", {reason: 'too_many_connections'}); - }); - - this.socket.on('irc', function (data, callback) { - that.parse(data.command, data.data); - }); - - this.socket.on('disconnect', function () { - that.trigger("disconnect", {}); - console.log("kiwi.gateway.socket.on('disconnect')"); - }); - - this.socket.on('close', function () { - console.log("kiwi.gateway.socket.on('close')"); - }); - - this.socket.on('reconnecting', function (reconnectionDelay, reconnectionAttempts) { - console.log("kiwi.gateway.socket.on('reconnecting')"); - that.trigger("reconnecting", {delay: reconnectionDelay, attempts: reconnectionAttempts}); - }); - - this.socket.on('reconnect_failed', function () { - console.log("kiwi.gateway.socket.on('reconnect_failed')"); - }); - }; - - - - this.isConnected = function () { - return this.socket.socket.connected; - }; - - - /* - Events: - msg - action - server_connect - options - motd - notice - userlist - nick - join - topic - part - kick - quit - whois - syncchannel_redirect - debug - */ - /** - * Parses the response from the server - */ - this.parse = function (command, data) { - console.log('gateway event', command, data); - if (command !== undefined) { - that.trigger('on' + command, data); - - switch (command) { - case 'options': - $.each(data.options, function (name, value) { - switch (name) { - case 'CHANTYPES': - // TODO: Check this. Why is it only getting the first char? - that.set('channel_prefix', value.join('').charAt(0)); - break; - case 'NETWORK': - that.set('name', value); - break; - case 'PREFIX': - that.set('user_prefixes', value); - break; - } - }); - break; - - case 'connect': - that.set('nick', data.nick); - break; - - case 'nick': - if (data.nick === that.get('nick')) { - that.set('nick', data.newnick); - } - break; - /* - case 'sync': - if (kiwi.gateway.onSync && kiwi.gateway.syncing) { - kiwi.gateway.syncing = false; - kiwi.gateway.onSync(item); - } - break; - */ - - case 'kiwi': - this.emit('kiwi.' + data.namespace, data.data); - break; - } - } - }; - - /** - * Sends data to the server - * @private - * @param {Object} data The data to send - * @param {Function} callback A callback function - */ - this.sendData = function (data, callback) { - this.socket.emit('irc', {server: 0, data: JSON.stringify(data)}, callback); - }; - - /** - * Sends a PRIVMSG message - * @param {String} target The target of the message (e.g. a channel or nick) - * @param {String} msg The message to send - * @param {Function} callback A callback function - */ - this.privmsg = function (target, msg, callback) { - var data = { - method: 'privmsg', - args: { - target: target, - msg: msg - } - }; - - this.sendData(data, callback); - }; - - /** - * Sends a NOTICE message - * @param {String} target The target of the message (e.g. a channel or nick) - * @param {String} msg The message to send - * @param {Function} callback A callback function - */ - this.notice = function (target, msg, callback) { - var data = { - method: 'notice', - args: { - target: target, - msg: msg - } - }; - - this.sendData(data, callback); - }; - - /** - * Sends a CTCP message - * @param {Boolean} request Indicates whether this is a CTCP request (true) or reply (false) - * @param {String} type The type of CTCP message, e.g. 'VERSION', 'TIME', 'PING' etc. - * @param {String} target The target of the message, e.g a channel or nick - * @param {String} params Additional paramaters - * @param {Function} callback A callback function - */ - this.ctcp = function (request, type, target, params, callback) { - var data = { - method: 'ctcp', - args: { - request: request, - type: type, - target: target, - params: params - } - }; - - this.sendData(data, callback); - }; - - /** - * @param {String} target The target of the message (e.g. a channel or nick) - * @param {String} msg The message to send - * @param {Function} callback A callback function - */ - this.action = function (target, msg, callback) { - this.ctcp(true, 'ACTION', target, msg, callback); - }; - - /** - * Joins a channel - * @param {String} channel The channel to join - * @param {String} key The key to the channel - * @param {Function} callback A callback function - */ - this.join = function (channel, key, callback) { - var data = { - method: 'join', - args: { - channel: channel, - key: key - } - }; - - this.sendData(data, callback); - }; - - /** - * Leaves a channel - * @param {String} channel The channel to part - * @param {Function} callback A callback function - */ - this.part = function (channel, callback) { - var data = { - method: 'part', - args: { - channel: channel - } - }; - - this.sendData(data, callback); - }; - - /** - * Queries or modifies a channell topic - * @param {String} channel The channel to query or modify - * @param {String} new_topic The new topic to set - * @param {Function} callback A callback function - */ - this.topic = function (channel, new_topic, callback) { - var data = { - method: 'topic', - args: { - channel: channel, - topic: new_topic - } - }; - - this.sendData(data, callback); - }; - - /** - * Kicks a user from a channel - * @param {String} channel The channel to kick the user from - * @param {String} nick The nick of the user to kick - * @param {String} reason The reason for kicking the user - * @param {Function} callback A callback function - */ - this.kick = function (channel, nick, reason, callback) { - var data = { - method: 'kick', - args: { - channel: channel, - nick: nick, - reason: reason - } - }; - - this.sendData(data, callback); - }; - - /** - * Disconnects us from the server - * @param {String} msg The quit message to send to the IRC server - * @param {Function} callback A callback function - */ - this.quit = function (msg, callback) { - msg = msg || ""; - var data = { - method: 'quit', - args: { - message: msg - } - }; - - this.sendData(data, callback); - }; - - /** - * Sends a string unmodified to the IRC server - * @param {String} data The data to send to the IRC server - * @param {Function} callback A callback function - */ - this.raw = function (data, callback) { - data = { - method: 'raw', - args: { - data: data - } - }; - - this.sendData(data, callback); - }; - - /** - * Changes our nickname - * @param {String} new_nick Our new nickname - * @param {Function} callback A callback function - */ - this.changeNick = function (new_nick, callback) { - var data = { - method: 'nick', - args: { - nick: new_nick - } - }; - - this.sendData(data, callback); - }; - - /** - * Sends data to a fellow Kiwi IRC user - * @param {String} target The nick of the Kiwi IRC user to send to - * @param {String} data The data to send - * @param {Function} callback A callback function - */ - this.kiwi = function (target, data, callback) { - data = { - method: 'kiwi', - args: { - target: target, - data: data - } - }; - - this.sendData(data, callback); - }; - - - return new (Backbone.Model.extend(this))(arguments); -}; - - -kiwi.model.Member = Backbone.Model.extend({ - sortModes: function (modes) { - return modes.sort(function (a, b) { - var a_idx, b_idx, i; - var user_prefixes = kiwi.gateway.get('user_prefixes'); - - for (i = 0; i < user_prefixes.length; i++) { - if (user_prefixes[i].mode === a) { - a_idx = i; - } - } - for (i = 0; i < user_prefixes.length; i++) { - if (user_prefixes[i].mode === b) { - b_idx = i; - } - } - if (a_idx < b_idx) { - return -1; - } else if (a_idx > b_idx) { - return 1; - } else { - return 0; - } - }); - }, - initialize: function (attributes) { - var nick, modes, prefix; - nick = this.stripPrefix(this.get("nick")); - - modes = this.get("modes"); - modes = modes || []; - this.sortModes(modes); - this.set({"nick": nick, "modes": modes, "prefix": this.getPrefix(modes)}, {silent: true}); - }, - addMode: function (mode) { - var modes_to_add = mode.split(''), - modes, prefix; - - modes = this.get("modes"); - $.each(modes_to_add, function (index, item) { - modes.push(item); - }); - - modes = this.sortModes(modes); - this.set({"prefix": this.getPrefix(modes), "modes": modes}); - }, - removeMode: function (mode) { - var modes_to_remove = mode.split(''), - modes, prefix; - - modes = this.get("modes"); - modes = _.reject(modes, function (m) { - return (_.indexOf(modes_to_remove, m) !== -1); - }); - - this.set({"prefix": this.getPrefix(modes), "modes": modes}); - }, - getPrefix: function (modes) { - var prefix = ''; - var user_prefixes = kiwi.gateway.get('user_prefixes'); - - if (typeof modes[0] !== 'undefined') { - prefix = _.detect(user_prefixes, function (prefix) { - return prefix.mode === modes[0]; - }); - prefix = (prefix) ? prefix.symbol : ''; - } - return prefix; - }, - stripPrefix: function (nick) { - var tmp = nick, i, j, k; - var user_prefixes = kiwi.gateway.get('user_prefixes'); - i = 0; - - for (j = 0; j < nick.length; j++) { - for (k = 0; k < user_prefixes.length; k++) { - if (nick.charAt(j) === user_prefixes[k].symbol) { - i++; - break; - } - } - } - - return tmp.substr(i); - }, - displayNick: function (full) { - var display = this.get('nick'); - - if (full) { - if (this.get("ident")) { - display += ' [' + this.get("ident") + '@' + this.get("hostname") + ']'; - } - } - - return display; - } -}); - - -kiwi.model.MemberList = Backbone.Collection.extend({ - model: kiwi.model.Member, - comparator: function (a, b) { - var i, a_modes, b_modes, a_idx, b_idx, a_nick, b_nick; - var user_prefixes = kiwi.gateway.get('user_prefixes'); - a_modes = a.get("modes"); - b_modes = b.get("modes"); - // Try to sort by modes first - if (a_modes.length > 0) { - // a has modes, but b doesn't so a should appear first - if (b_modes.length === 0) { - return -1; - } - a_idx = b_idx = -1; - // Compare the first (highest) mode - for (i = 0; i < user_prefixes.length; i++) { - if (user_prefixes[i].mode === a_modes[0]) { - a_idx = i; - } - } - for (i = 0; i < user_prefixes.length; i++) { - if (user_prefixes[i].mode === b_modes[0]) { - b_idx = i; - } - } - if (a_idx < b_idx) { - return -1; - } else if (a_idx > b_idx) { - return 1; - } - // If we get to here both a and b have the same highest mode so have to resort to lexicographical sorting - - } else if (b_modes.length > 0) { - // b has modes but a doesn't so b should appear first - return 1; - } - a_nick = a.get("nick").toLocaleUpperCase(); - b_nick = b.get("nick").toLocaleUpperCase(); - // Lexicographical sorting - if (a_nick < b_nick) { - return -1; - } else if (a_nick > b_nick) { - return 1; - } else { - return 0; - } - }, - initialize: function (options) { - this.view = new kiwi.view.MemberList({"model": this}); - }, - getByNick: function (nick) { - if (typeof nick !== 'string') return; - return this.find(function (m) { - return nick.toLowerCase() === m.get('nick').toLowerCase(); - }); - } -}); - - -kiwi.model.Panel = Backbone.Model.extend({ - initialize: function (attributes) { - var name = this.get("name") || ""; - this.view = new kiwi.view.Panel({"model": this, "name": name}); - this.set({ - "scrollback": [], - "name": name - }, {"silent": true}); - }, - - addMsg: function (nick, msg, type, opts) { - var message_obj, bs, d; - - opts = opts || {}; - - // Time defaults to now - if (!opts || typeof opts.time === 'undefined') { - d = new Date(); - opts.time = d.getHours().toString().lpad(2, "0") + ":" + d.getMinutes().toString().lpad(2, "0") + ":" + d.getSeconds().toString().lpad(2, "0"); - } - - // CSS style defaults to empty string - if (!opts || typeof opts.style === 'undefined') { - opts.style = ''; - } - - // Run through the plugins - message_obj = {"msg": msg, "time": opts.time, "nick": nick, "chan": this.get("name"), "type": type, "style": opts.style}; - //tmp = kiwi.plugs.run('addmsg', message_obj); - if (!message_obj) { - return; - } - - // The CSS class (action, topic, notice, etc) - if (typeof message_obj.type !== "string") { - message_obj.type = ''; - } - - // Make sure we don't have NaN or something - if (typeof message_obj.msg !== "string") { - message_obj.msg = ''; - } - - // Update the scrollback - bs = this.get("scrollback"); - bs.push(message_obj); - - // Keep the scrolback limited - if (bs.length > 250) { - bs.splice(250); - } - this.set({"scrollback": bs}, {silent: true}); - - this.trigger("msg", message_obj); - }, - - closePanel: function () { - if (this.view) { - this.view.unbind(); - this.view.remove(); - this.view = undefined; - delete this.view; - } - - var members = this.get('members'); - if (members) { - members.reset([]); - this.unset('members'); - } - - kiwi.app.panels.remove(this); - - this.unbind(); - this.destroy(); - - // If closing the active panel, switch to the server panel - if (this.cid === kiwi.app.panels.active.cid) { - kiwi.app.panels.server.view.show(); - } - }, - - // Alias to closePanel() for child objects to override - close: function () { - return this.closePanel(); - }, - - isChannel: function () { - var channel_prefix = kiwi.gateway.get('channel_prefix'), - this_name = this.get('name'); - - if (this.isApplet() || !this_name) return false; - return (channel_prefix.indexOf(this_name[0]) > -1); - }, - - isApplet: function () { - return this.applet ? true : false; - }, - - isServer: function () { - return this.server ? true : false; - }, - - isActive: function () { - return (kiwi.app.panels.active === this); - } -}); - - -kiwi.model.PanelList = Backbone.Collection.extend({ - model: kiwi.model.Panel, - - comparator: function (chan) { - return chan.get("name"); - }, - initialize: function () { - this.view = new kiwi.view.Tabs({"el": $('#tabs')[0], "model": this}); - - // Automatically create a server tab - this.add(new kiwi.model.Server({'name': kiwi.gateway.get('name')})); - this.server = this.getByName(kiwi.gateway.get('name')); - - // Holds the active panel - this.active = null; - - // Keep a tab on the active panel - this.bind('active', function (active_panel) { - this.active = active_panel; - }, this); - - }, - getByName: function (name) { - if (typeof name !== 'string') return; - return this.find(function (c) { - return name.toLowerCase() === c.get('name').toLowerCase(); - }); - } -}); - - -// TODO: Channel modes -// TODO: Listen to gateway events for anythign related to this channel -kiwi.model.Channel = kiwi.model.Panel.extend({ - initialize: function (attributes) { - var name = this.get("name") || "", - members; - - this.view = new kiwi.view.Channel({"model": this, "name": name}); - this.set({ - "members": new kiwi.model.MemberList(), - "name": name, - "scrollback": [], - "topic": "" - }, {"silent": true}); - - members = this.get("members"); - members.bind("add", function (member) { - this.addMsg(' ', '== ' + member.displayNick(true) + ' has joined', 'action join'); - }, this); - - members.bind("remove", function (member, members, options) { - var msg = (options.message) ? '(' + options.message + ')' : ''; - - if (options.type === 'quit') { - this.addMsg(' ', '== ' + member.displayNick(true) + ' has quit ' + msg, 'action quit'); - } else if(options.type === 'kick') { - this.addMsg(' ', '== ' + member.displayNick(true) + ' was kicked by ' + options.by + ' ' + msg, 'action kick'); - } else { - this.addMsg(' ', '== ' + member.displayNick(true) + ' has left ' + msg, 'action part'); - } - }, this); - } -}); - - -kiwi.model.Server = kiwi.model.Panel.extend({ - // Used to determine if this is a server panel - server: true, - - initialize: function (attributes) { - var name = "Server"; - this.view = new kiwi.view.Panel({"model": this, "name": name}); - this.set({ - "scrollback": [], - "name": name - }, {"silent": true}); - - //this.addMsg(' ', '--> Kiwi IRC: Such an awesome IRC client', '', {style: 'color:#009900;'}); - - this.server_login = new kiwi.view.ServerSelect(); - - this.view.$el.append(this.server_login.$el); - this.server_login.show(); - } -}); - - -kiwi.model.Applet = kiwi.model.Panel.extend({ - // Used to determine if this is an applet panel. Applet panel tabs are treated - // differently than others - applet: true, - - - initialize: function (attributes) { - // Temporary name - var name = "applet_"+(new Date().getTime().toString()) + Math.ceil(Math.random()*100).toString(); - this.view = new kiwi.view.Applet({model: this, name: name}); - - this.set({ - "name": name - }, {"silent": true}); - - // Holds the loaded applet - this.loaded_applet = null; - }, - - // Load an applet within this panel - load: function (applet_object, applet_name) { - if (typeof applet_object === 'object') { - // Make sure this is a valid Applet - if (applet_object.get || applet_object.extend) { - - // Try find a title for the applet - this.set('title', applet_object.get('title') || 'Unknown Applet'); - - // Update the tabs title if the applet changes it - applet_object.bind('change:title', function (obj, new_value) { - this.set('title', new_value); - }, this); - - // If this applet has a UI, add it now - this.view.$el.html(''); - if (applet_object.view) { - this.view.$el.append(applet_object.view.$el); - } - - // Keep a reference to this applet - this.loaded_applet = applet_object; - } - - } else if (typeof applet_object === 'string') { - // Treat this as a URL to an applet script and load it - this.loadFromUrl(applet_object, applet_name); - } - - return this; - }, - - loadFromUrl: function(applet_url, applet_name) { - var that = this; - - this.view.$el.html('Loading..'); - $script(applet_url, function () { - // Check if the applet loaded OK - if (!kiwi.applets[applet_name]) { - that.view.$el.html('Not found'); - return; - } - - // Load a new instance of this applet - that.load(new kiwi.applets[applet_name]()); - }); - }, - - close: function () { - this.view.$el.remove(); - this.destroy(); - - this.view = undefined; - - // Call the applets dispose method if it has one - if (this.loaded_applet && this.loaded_applet.dispose) { - this.loaded_applet.dispose(); - } - - this.closePanel(); - } -}); - - -(function () { - var View = Backbone.View.extend({ - events: { - 'click .save': 'saveSettings' - }, - - initialize: function (options) { - this.$el = $($('#tmpl_applet_settings').html()); - }, - - saveSettings: function () { - var theme = $('.theme', this.$el).val(); - - // Clear any current theme - kiwi.app.view.$el.removeClass(function (i, css) { - return (css.match (/\btheme_\S+/g) || []).join(' '); - }); - - if (theme) kiwi.app.view.$el.addClass('theme_' + theme); - } - }); - - - - kiwi.applets.Settings = Backbone.Model.extend({ - initialize: function () { - this.set('title', 'Settings'); - this.view = new View(); - } - }); -})(); - - -(function () { - var View = Backbone.View.extend({ - events: { - 'click .save': 'saveSettings' - }, - - initialize: function (options) { - this.$el = $($('#tmpl_applet_settings').html()); - }, - - saveSettings: function () { - var theme = $('.theme', this.$el).val(), - containers = $('#panels > .panel_container'); - - // Clear any current theme - containers.removeClass(function (i, css) { - return (css.match (/\btheme_\S+/g) || []).join(' '); - }); - - if (theme) containers.addClass('theme_' + theme); - } - }); - - - - kiwi.applets.nickserv = Backbone.Model.extend({ - initialize: function () { - this.set('title', 'Nickserv Login'); - //this.view = new View(); - - kiwi.global.control.on('command_login', this.loginCommand, this); - }, - - loginCommand: function (event) { - console.log('waheeyy'); - } - }); -})(); - - -(function () { - - var View = Backbone.View.extend({ - events: { - }, - - - - initialize: function (options) { - this.$el = $($('#tmpl_channel_list').html()); - - this.channels = []; - - // Sort the table by num. users? - this.ordered = false; - - // Waiting to add the table back into the DOM? - this.waiting = false; - }, - - - render: function () { - var table = $('table', this.$el), - tbody = table.children('tbody:first').detach(); - /*tbody.children().each(function (child) { - var i, chan; - child = $(child); - chan = child.children('td:first').text(); - for (i = 0; i < chanList.length; i++) { - if (chanList[i].channel === chan) { - chanList[i].html = child.detach(); - break; - } - } - });*/ - - if (this.ordered) { - this.channels.sort(function (a, b) { - return b.num_users - a.num_users; - }); - } - - _.each(this.channels, function (chan) { - tbody.append(chan.html); - }); - table.append(tbody); - } - }); - - - - - kiwi.applets.Chanlist = Backbone.Model.extend({ - initialize: function () { - this.set('title', 'Channel List'); - this.view = new View(); - }, - - - addChannel: function (channels) { - var that = this; - - if (!_.isArray(channels)) { - channels = [channels]; - } - _.each(channels, function (chan) { - var html, channel; - html = '' + chan.channel + '' + chan.num_users + '' + formatIRCMsg(chan.topic) + ''; - chan.html = html; - that.view.channels.push(chan); - }); - - if (!that.view.waiting) { - that.view.waiting = true; - _.defer(function () { - that.view.render(); - that.view.waiting = false; - }); - } - }, - - - dispose: function () { - this.view.channels = null; - this.view.unbind(); - this.view.$el.html(''); - this.view.remove(); - this.view = null; - } - }); - - -})(); - - -/*jslint devel: true, browser: true, continue: true, sloppy: true, forin: true, plusplus: true, maxerr: 50, indent: 4, nomen: true, regexp: true*/ -/*globals $, front, gateway, Utilityview */ - - - -/** -* Suppresses console.log -* @param {Boolean} debug Whether to re-enable console.log or not -*/ -function manageDebug(debug) { - var log, consoleBackUp; - if (window.console) { - consoleBackUp = window.console.log; - window.console.log = function () { - if (debug) { - consoleBackUp.apply(console, arguments); - } - }; - } else { - log = window.opera ? window.opera.postError : alert; - window.console = {}; - window.console.log = function (str) { - if (debug) { - log(str); - } - }; - } -} - -/** -* Generate a random string of given length -* @param {Number} string_length The length of the random string -* @returns {String} The random string -*/ -function randomString(string_length) { - var chars = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXTZabcdefghiklmnopqrstuvwxyz", - randomstring = '', - i, - rnum; - for (i = 0; i < string_length; i++) { - rnum = Math.floor(Math.random() * chars.length); - randomstring += chars.substring(rnum, rnum + 1); - } - return randomstring; -} - -/** -* String.trim shim -*/ -if (typeof String.prototype.trim === 'undefined') { - String.prototype.trim = function () { - return this.replace(/^\s+|\s+$/g, ""); - }; -} - -/** -* String.lpad shim -* @param {Number} length The length of padding -* @param {String} characher The character to pad with -* @returns {String} The padded string -*/ -if (typeof String.prototype.lpad === 'undefined') { - String.prototype.lpad = function (length, character) { - var padding = "", - i; - for (i = 0; i < length; i++) { - padding += character; - } - return (padding + this).slice(-length); - }; -} - - -/** -* Convert seconds into hours:minutes:seconds -* @param {Number} secs The number of seconds to converts -* @returns {Object} An object representing the hours/minutes/second conversion of secs -*/ -function secondsToTime(secs) { - var hours, minutes, seconds, divisor_for_minutes, divisor_for_seconds, obj; - hours = Math.floor(secs / (60 * 60)); - - divisor_for_minutes = secs % (60 * 60); - minutes = Math.floor(divisor_for_minutes / 60); - - divisor_for_seconds = divisor_for_minutes % 60; - seconds = Math.ceil(divisor_for_seconds); - - obj = { - "h": hours, - "m": minutes, - "s": seconds - }; - return obj; -} - - - - - - -/* Command input Alias + re-writing */ -function InputPreProcessor () { - this.recursive_depth = 3; - - this.aliases = {}; - this.vars = {version: 1}; - - // Current recursive depth - var depth = 0; - - - // Takes an array of words to process! - this.processInput = function (input) { - var words = input || [], - alias = this.aliases[words[0]], - alias_len, - current_alias_word = '', - compiled = []; - - // If an alias wasn't found, return the original input - if (!alias) return input; - - // Split the alias up into useable words - alias = alias.split(' '); - alias_len = alias.length; - - // Iterate over each word and pop them into the final compiled array. - // Any $ words are processed with the result ending into the compiled array. - for (var i=0; i= this.recursive_depth) { - depth--; - return input; - } - - if (this.aliases[words[0]]) { - words = this.processInput(words); - - if (this.aliases[words[0]]) { - words = this.process(words.join(' ')).split(' '); - } - - } - - depth--; - return words.join(' '); - }; -} - - - - - - - - - - - -/** - * Convert HSL to RGB formatted colour - */ -function hsl2rgb(h, s, l) { - var m1, m2, hue; - var r, g, b - s /=100; - l /= 100; - if (s == 0) - r = g = b = (l * 255); - else { - function HueToRgb(m1, m2, hue) { - var v; - if (hue < 0) - hue += 1; - else if (hue > 1) - hue -= 1; - - if (6 * hue < 1) - v = m1 + (m2 - m1) * hue * 6; - else if (2 * hue < 1) - v = m2; - else if (3 * hue < 2) - v = m1 + (m2 - m1) * (2/3 - hue) * 6; - else - v = m1; - - return 255 * v; - } - if (l <= 0.5) - m2 = l * (s + 1); - else - m2 = l + s - l * s; - m1 = l * 2 - m2; - hue = h / 360; - r = HueToRgb(m1, m2, hue + 1/3); - g = HueToRgb(m1, m2, hue); - b = HueToRgb(m1, m2, hue - 1/3); - } - return [r,g,b]; -} - - - - - -/** -* Formats a message. Adds bold, underline and colouring -* @param {String} msg The message to format -* @returns {String} The HTML formatted message -*/ -function formatIRCMsg (msg) { - var re, next; - - if ((!msg) || (typeof msg !== 'string')) { - return ''; - } - - // bold - if (msg.indexOf(String.fromCharCode(2)) !== -1) { - next = ''; - while (msg.indexOf(String.fromCharCode(2)) !== -1) { - msg = msg.replace(String.fromCharCode(2), next); - next = (next === '') ? '' : ''; - } - if (next === '') { - msg = msg + ''; - } - } - - // underline - if (msg.indexOf(String.fromCharCode(31)) !== -1) { - next = ''; - while (msg.indexOf(String.fromCharCode(31)) !== -1) { - msg = msg.replace(String.fromCharCode(31), next); - next = (next === '') ? '' : ''; - } - if (next === '') { - msg = msg + ''; - } - } - - // colour - /** - * @inner - */ - msg = (function (msg) { - var replace, colourMatch, col, i, match, to, endCol, fg, bg, str; - replace = ''; - /** - * @inner - */ - colourMatch = function (str) { - var re = /^\x03([0-9][0-5]?)(,([0-9][0-5]?))?/; - return re.exec(str); - }; - /** - * @inner - */ - col = function (num) { - switch (parseInt(num, 10)) { - case 0: - return '#FFFFFF'; - case 1: - return '#000000'; - case 2: - return '#000080'; - case 3: - return '#008000'; - case 4: - return '#FF0000'; - case 5: - return '#800040'; - case 6: - return '#800080'; - case 7: - return '#FF8040'; - case 8: - return '#FFFF00'; - case 9: - return '#80FF00'; - case 10: - return '#008080'; - case 11: - return '#00FFFF'; - case 12: - return '#0000FF'; - case 13: - return '#FF55FF'; - case 14: - return '#808080'; - case 15: - return '#C0C0C0'; - default: - return null; - } - }; - if (msg.indexOf('\x03') !== -1) { - i = msg.indexOf('\x03'); - replace = msg.substr(0, i); - while (i < msg.length) { - /** - * @inner - */ - match = colourMatch(msg.substr(i, 6)); - if (match) { - //console.log(match); - // Next colour code - to = msg.indexOf('\x03', i + 1); - endCol = msg.indexOf(String.fromCharCode(15), i + 1); - if (endCol !== -1) { - if (to === -1) { - to = endCol; - } else { - to = ((to < endCol) ? to : endCol); - } - } - if (to === -1) { - to = msg.length; - } - //console.log(i, to); - fg = col(match[1]); - bg = col(match[3]); - str = msg.substring(i + 1 + match[1].length + ((bg !== null) ? match[2].length + 1 : 0), to); - //console.log(str); - replace += '' + str + ''; - i = to; - } else { - if ((msg[i] !== '\x03') && (msg[i] !== String.fromCharCode(15))) { - replace += msg[i]; - } - i++; - } - } - return replace; - } - return msg; - }(msg)); - - return msg; -} - - - - -function formatDate (d) { - d = d || new Date(); - return d.toLocaleDateString() + ', ' + d.getHours().toString() + ':' + d.getMinutes().toString() + ':' + d.getSeconds().toString(); -} - - - - - - - - -/* - PLUGINS - Each function in each object is looped through and ran. The resulting text - is expected to be returned. -*/ -var plugins = [ - { - name: "images", - onaddmsg: function (event, opts) { - if (!event.msg) { - return event; - } - - event.msg = event.msg.replace(/^((https?\:\/\/|ftp\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?(\.jpg|\.jpeg|\.gif|\.bmp|\.png)$/gi, function (url) { - // Don't let any future plugins change it (ie. html_safe plugins) - event.event_bubbles = false; - - var img = ''; - return '' + img + '
'; - }); - - return event; - } - }, - - { - name: "html_safe", - onaddmsg: function (event, opts) { - event.msg = $('
').text(event.msg).html(); - event.nick = $('
').text(event.nick).html(); - - return event; - } - }, - - { - name: "activity", - onaddmsg: function (event, opts) { - //if (kiwi.front.cur_channel.name.toLowerCase() !== kiwi.front.tabviews[event.tabview.toLowerCase()].name) { - // kiwi.front.tabviews[event.tabview].activity(); - //} - - return event; - } - }, - - { - name: "highlight", - onaddmsg: function (event, opts) { - //var tab = Tabviews.getTab(event.tabview.toLowerCase()); - - // If we have a highlight... - //if (event.msg.toLowerCase().indexOf(kiwi.gateway.nick.toLowerCase()) > -1) { - // if (Tabview.getCurrentTab() !== tab) { - // tab.highlight(); - // } - // if (kiwi.front.isChannel(tab.name)) { - // event.msg = '' + event.msg + ''; - // } - //} - - // If it's a PM, highlight - //if (!kiwi.front.isChannel(tab.name) && tab.name !== "server" - // && Tabview.getCurrentTab().name.toLowerCase() !== tab.name - //) { - // tab.highlight(); - //} - - return event; - } - }, - - - - { - //Following method taken from: http://snipplr.com/view/13533/convert-text-urls-into-links/ - name: "linkify_plain", - onaddmsg: function (event, opts) { - if (!event.msg) { - return event; - } - - event.msg = event.msg.replace(/((https?\:\/\/|ftp\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/gi, function (url) { - var nice; - // If it's any of the supported images in the images plugin, skip it - if (url.match(/(\.jpg|\.jpeg|\.gif|\.bmp|\.png)$/)) { - return url; - } - - nice = url; - if (url.match('^https?:\/\/')) { - //nice = nice.replace(/^https?:\/\//i,'') - nice = url; // Shutting up JSLint... - } else { - url = 'http://' + url; - } - - //return '' + nice + '
'; - return '' + nice + ''; - }); - - return event; - } - }, - - { - name: "lftobr", - onaddmsg: function (event, opts) { - if (!event.msg) { - return event; - } - - event.msg = event.msg.replace(/\n/gi, function (txt) { - return '
'; - }); - - return event; - } - }, - - - /* - * Disabled due to many websites closing kiwi with iframe busting - { - name: "inBrowser", - oninit: function (event, opts) { - $('#windows a.link_ext').live('mouseover', this.mouseover); - $('#windows a.link_ext').live('mouseout', this.mouseout); - $('#windows a.link_ext').live('click', this.mouseclick); - }, - - onunload: function (event, opts) { - // TODO: make this work (remove all .link_ext_browser as created in mouseover()) - $('#windows a.link_ext').die('mouseover', this.mouseover); - $('#windows a.link_ext').die('mouseout', this.mouseout); - $('#windows a.link_ext').die('click', this.mouseclick); - }, - - - - mouseover: function (e) { - var a = $(this), - tt = $('.tt', a), - tooltip; - - if (tt.text() === '') { - tooltip = $('Open in Kiwi..'); - tt.append(tooltip); - } - - tt.css('top', -tt.outerHeight() + 'px'); - tt.css('left', (a.outerWidth() / 2) - (tt.outerWidth() / 2)); - }, - - mouseout: function (e) { - var a = $(this), - tt = $('.tt', a); - }, - - mouseclick: function (e) { - var a = $(this), - t; - - switch (e.target.className) { - case 'link_ext': - case 'link_img_a': - return true; - //break; - case 'link_ext_browser': - t = new Utilityview('Browser'); - t.topic = a.attr('href'); - - t.iframe = $(''); - t.iframe.attr('src', a.attr('href')); - t.div.append(t.iframe); - t.show(); - break; - } - return false; - - } - }, - */ - - { - name: "nick_colour", - onaddmsg: function (event, opts) { - if (!event.msg) { - return event; - } - - //if (typeof kiwi.front.tabviews[event.tabview].nick_colours === 'undefined') { - // kiwi.front.tabviews[event.tabview].nick_colours = {}; - //} - - //if (typeof kiwi.front.tabviews[event.tabview].nick_colours[event.nick] === 'undefined') { - // kiwi.front.tabviews[event.tabview].nick_colours[event.nick] = this.randColour(); - //} - - //var c = kiwi.front.tabviews[event.tabview].nick_colours[event.nick]; - var c = this.randColour(); - event.nick = '' + event.nick + ''; - - return event; - }, - - - - randColour: function () { - var h = this.rand(-250, 0), - s = this.rand(30, 100), - l = this.rand(20, 70); - return 'hsl(' + h + ',' + s + '%,' + l + '%)'; - }, - - - rand: function (min, max) { - return parseInt(Math.random() * (max - min + 1), 10) + min; - } - }, - - { - name: "kiwitest", - oninit: function (event, opts) { - console.log('registering namespace'); - $(gateway).bind("kiwi.lol.browser", function (e, data) { - console.log('YAY kiwitest'); - console.log(data); - }); - } - } -]; - - - - - - - -/** -* @namespace -*/ -kiwi.plugs = {}; -/** -* Loaded plugins -*/ -kiwi.plugs.loaded = {}; -/** -* Load a plugin -* @param {Object} plugin The plugin to be loaded -* @returns {Boolean} True on success, false on failure -*/ -kiwi.plugs.loadPlugin = function (plugin) { - var plugin_ret; - if (typeof plugin.name !== 'string') { - return false; - } - - plugin_ret = kiwi.plugs.run('plugin_load', {plugin: plugin}); - if (typeof plugin_ret === 'object') { - kiwi.plugs.loaded[plugin_ret.plugin.name] = plugin_ret.plugin; - kiwi.plugs.loaded[plugin_ret.plugin.name].local_data = new kiwi.dataStore('kiwi_plugin_' + plugin_ret.plugin.name); - } - kiwi.plugs.run('init', {}, {run_only: plugin_ret.plugin.name}); - - return true; -}; - -/** -* Unload a plugin -* @param {String} plugin_name The name of the plugin to unload -*/ -kiwi.plugs.unloadPlugin = function (plugin_name) { - if (typeof kiwi.plugs.loaded[plugin_name] !== 'object') { - return; - } - - kiwi.plugs.run('unload', {}, {run_only: plugin_name}); - delete kiwi.plugs.loaded[plugin_name]; -}; - - - -/** -* Run an event against all loaded plugins -* @param {String} event_name The name of the event -* @param {Object} event_data The data to pass to the plugin -* @param {Object} opts Options -* @returns {Object} Event data, possibly modified by the plugins -*/ -kiwi.plugs.run = function (event_name, event_data, opts) { - var ret = event_data, - ret_tmp, - plugin_name; - - // Set some defaults if not provided - event_data = (typeof event_data === 'undefined') ? {} : event_data; - opts = (typeof opts === 'undefined') ? {} : opts; - - for (plugin_name in kiwi.plugs.loaded) { - // If we're only calling 1 plugin, make sure it's that one - if (typeof opts.run_only === 'string' && opts.run_only !== plugin_name) { - continue; - } - - if (typeof kiwi.plugs.loaded[plugin_name]['on' + event_name] === 'function') { - try { - ret_tmp = kiwi.plugs.loaded[plugin_name]['on' + event_name](ret, opts); - if (ret_tmp === null) { - return null; - } - ret = ret_tmp; - - if (typeof ret.event_bubbles === 'boolean' && ret.event_bubbles === false) { - delete ret.event_bubbles; - return ret; - } - } catch (e) { - } - } - } - - return ret; -}; - - - -/** -* @constructor -* @param {String} data_namespace The namespace for the data store -*/ -kiwi.dataStore = function (data_namespace) { - var namespace = data_namespace; - - this.get = function (key) { - return $.jStorage.get(data_namespace + '_' + key); - }; - - this.set = function (key, value) { - return $.jStorage.set(data_namespace + '_' + key, value); - }; -}; - -kiwi.data = new kiwi.dataStore('kiwi'); - - - - -/* - * jQuery jStorage plugin - * https://github.com/andris9/jStorage/ - */ -(function(f){if(!f||!(f.toJSON||Object.toJSON||window.JSON)){throw new Error("jQuery, MooTools or Prototype needs to be loaded before jStorage!")}var g={},d={jStorage:"{}"},h=null,j=0,l=f.toJSON||Object.toJSON||(window.JSON&&(JSON.encode||JSON.stringify)),e=f.evalJSON||(window.JSON&&(JSON.decode||JSON.parse))||function(m){return String(m).evalJSON()},i=false;_XMLService={isXML:function(n){var m=(n?n.ownerDocument||n:0).documentElement;return m?m.nodeName!=="HTML":false},encode:function(n){if(!this.isXML(n)){return false}try{return new XMLSerializer().serializeToString(n)}catch(m){try{return n.xml}catch(o){}}return false},decode:function(n){var m=("DOMParser" in window&&(new DOMParser()).parseFromString)||(window.ActiveXObject&&function(p){var q=new ActiveXObject("Microsoft.XMLDOM");q.async="false";q.loadXML(p);return q}),o;if(!m){return false}o=m.call("DOMParser" in window&&(new DOMParser())||window,n,"text/xml");return this.isXML(o)?o:false}};function k(){if("localStorage" in window){try{if(window.localStorage){d=window.localStorage;i="localStorage"}}catch(p){}}else{if("globalStorage" in window){try{if(window.globalStorage){d=window.globalStorage[window.location.hostname];i="globalStorage"}}catch(o){}}else{h=document.createElement("link");if(h.addBehavior){h.style.behavior="url(#default#userData)";document.getElementsByTagName("head")[0].appendChild(h);h.load("jStorage");var n="{}";try{n=h.getAttribute("jStorage")}catch(m){}d.jStorage=n;i="userDataBehavior"}else{h=null;return}}}b()}function b(){if(d.jStorage){try{g=e(String(d.jStorage))}catch(m){d.jStorage="{}"}}else{d.jStorage="{}"}j=d.jStorage?String(d.jStorage).length:0}function c(){try{d.jStorage=l(g);if(h){h.setAttribute("jStorage",d.jStorage);h.save("jStorage")}j=d.jStorage?String(d.jStorage).length:0}catch(m){}}function a(m){if(!m||(typeof m!="string"&&typeof m!="number")){throw new TypeError("Key name must be string or numeric")}return true}f.jStorage={version:"0.1.5.1",set:function(m,n){a(m);if(_XMLService.isXML(n)){n={_is_xml:true,xml:_XMLService.encode(n)}}g[m]=n;c();return n},get:function(m,n){a(m);if(m in g){if(g[m]&&typeof g[m]=="object"&&g[m]._is_xml&&g[m]._is_xml){return _XMLService.decode(g[m].xml)}else{return g[m]}}return typeof(n)=="undefined"?null:n},deleteKey:function(m){a(m);if(m in g){delete g[m];c();return true}return false},flush:function(){g={};c();return true},storageObj:function(){function m(){}m.prototype=g;return new m()},index:function(){var m=[],n;for(n in g){if(g.hasOwnProperty(n)){m.push(n)}}return m},storageSize:function(){return j},currentBackend:function(){return i},storageAvailable:function(){return !!i},reInit:function(){var m,o;if(h&&h.addBehavior){m=document.createElement("link");h.parentNode.replaceChild(m,h);h=m;h.style.behavior="url(#default#userData)";document.getElementsByTagName("head")[0].appendChild(h);h.load("jStorage");o="{}";try{o=h.getAttribute("jStorage")}catch(n){}d.jStorage=o;i="userDataBehavior"}b()}};k()})(window.jQuery||window.$); - - -/*jslint white:true, regexp: true, nomen: true, devel: true, undef: true, browser: true, continue: true, sloppy: true, forin: true, newcap: true, plusplus: true, maxerr: 50, indent: 4 */ -/*global kiwi */ - -kiwi.view.MemberList = Backbone.View.extend({ - tagName: "ul", - events: { - "click .nick": "nickClick" - }, - initialize: function (options) { - this.model.bind('all', this.render, this); - $(this.el).appendTo('#memberlists'); - }, - render: function () { - var $this = $(this.el); - $this.empty(); - this.model.forEach(function (member) { - $('
  • ' + member.get("prefix") + '' + member.get("nick") + '
  • ') - .appendTo($this) - .data('member', member); - }); - }, - nickClick: function (x) { - var target = $(x.currentTarget).parent('li'), - member = target.data('member'), - userbox = new kiwi.view.UserBox(); - - userbox.member = member; - $('.userbox', this.$el).remove(); - target.append(userbox.$el); - }, - show: function () { - $('#memberlists').children().removeClass('active'); - $(this.el).addClass('active'); - } -}); - - - -kiwi.view.UserBox = Backbone.View.extend({ - events: { - 'click .query': 'queryClick', - 'click .info': 'infoClick' - }, - - initialize: function () { - this.$el = $($('#tmpl_userbox').html()); - }, - - queryClick: function (event) { - var panel = new kiwi.model.Channel({name: this.member.get('nick')}); - kiwi.app.panels.add(panel); - panel.view.show(); - }, - - infoClick: function (event) { - kiwi.gateway.raw('WHOIS ' + this.member.get('nick')); - } -}); - -kiwi.view.NickChangeBox = Backbone.View.extend({ - events: { - 'submit': 'changeNick', - 'click .cancel': 'close' - }, - - initialize: function () { - this.$el = $($('#tmpl_nickchange').html()); - }, - - render: function () { - // Add the UI component and give it focus - kiwi.app.controlbox.$el.prepend(this.$el); - this.$el.find('input').focus(); - - this.$el.css('bottom', kiwi.app.controlbox.$el.outerHeight(true)); - }, - - close: function () { - this.$el.remove(); - - }, - - changeNick: function (event) { - var that = this; - kiwi.gateway.changeNick(this.$el.find('input').val(), function (err, val) { - that.close(); - }); - return false; - } -}); - -kiwi.view.ServerSelect = function () { - // Are currently showing all the controlls or just a nick_change box? - var state = 'all'; - - var model = Backbone.View.extend({ - events: { - 'submit form': 'submitForm', - 'click .show_more': 'showMore' - }, - - initialize: function () { - this.$el = $($('#tmpl_server_select').html()); - - kiwi.gateway.bind('onconnect', this.networkConnected, this); - kiwi.gateway.bind('connecting', this.networkConnecting, this); - - kiwi.gateway.bind('onirc_error', function (data) { - $('button', this.$el).attr('disabled', null); - - if (data.error == 'nickname_in_use') { - this.setStatus('Nickname already taken'); - this.show('nick_change'); - } - }, this); - }, - - submitForm: function (event) { - if (state === 'nick_change') { - this.submitNickChange(event); - } else { - this.submitLogin(event); - } - - $('button', this.$el).attr('disabled', 1); - return false; - }, - - submitLogin: function (event) { - // If submitting is disabled, don't do anything - if ($('button', this.$el).attr('disabled')) return; - - var values = { - nick: $('.nick', this.$el).val(), - server: $('.server', this.$el).val(), - port: $('.port', this.$el).val(), - ssl: $('.ssl', this.$el).prop('checked'), - password: $('.password', this.$el).val(), - channel: $('.channel', this.$el).val() - }; - - this.trigger('server_connect', values); - }, - - submitNickChange: function (event) { - kiwi.gateway.changeNick($('.nick', this.$el).val()); - this.networkConnecting(); - }, - - showMore: function (event) { - $('.more', this.$el).slideDown('fast'); - $('.server', this.$el).select(); - }, - - populateFields: function (defaults) { - var nick, server, channel; - - defaults = defaults || {}; - - nick = defaults.nick || ''; - server = defaults.server || ''; - port = defaults.port || 6667; - ssl = defaults.ssl || 0; - password = defaults.password || ''; - channel = defaults.channel || ''; - - $('.nick', this.$el).val(nick); - $('.server', this.$el).val(server); - $('.port', this.$el).val(port); - $('.ssl', this.$el).prop('checked', ssl); - $('.password', this.$el).val(password); - $('.channel', this.$el).val(channel); - }, - - hide: function () { - this.$el.slideUp(); - }, - - show: function (new_state) { - new_state = new_state || 'all'; - - this.$el.show(); - - if (new_state === 'all') { - $('.show_more', this.$el).show(); - - } else if (new_state === 'more') { - $('.more', this.$el).slideDown('fast'); - - } else if (new_state === 'nick_change') { - $('.more', this.$el).hide(); - $('.show_more', this.$el).hide(); - } - - state = new_state; - }, - - setStatus: function (text, class_name) { - $('.status', this.$el) - .text(text) - .attr('class', 'status') - .addClass(class_name) - .show(); - }, - clearStatus: function () { - $('.status', this.$el).hide(); - }, - - networkConnected: function (event) { - this.setStatus('Connected :)', 'ok'); - $('form', this.$el).hide(); - }, - - networkConnecting: function (event) { - this.setStatus('Connecting..', 'ok'); - }, - - showError: function (event) { - this.setStatus('Error connecting', 'error'); - $('button', this.$el).attr('disabled', null); - this.show(); - } - }); - - - return new model(arguments); -}; - - -kiwi.view.Panel = Backbone.View.extend({ - tagName: "div", - className: "messages", - events: { - "click .chan": "chanClick" - }, - - initialize: function (options) { - this.initializePanel(options); - }, - - initializePanel: function (options) { - this.$el.css('display', 'none'); - options = options || {}; - - // Containing element for this panel - if (options.container) { - this.$container = $(options.container); - } else { - this.$container = $('#panels .container1'); - } - - this.$el.appendTo(this.$container); - - this.alert_level = 0; - - this.model.bind('msg', this.newMsg, this); - this.msg_count = 0; - - this.model.set({"view": this}, {"silent": true}); - }, - - render: function () { - this.$el.empty(); - this.model.get("backscroll").forEach(this.newMsg); - }, - newMsg: function (msg) { - // TODO: make sure that the message pane is scrolled to the bottom (Or do we? ~Darren) - var re, line_msg, $this = this.$el, - nick_colour_hex; - - // Escape any HTML that may be in here - msg.msg = $('
    ').text(msg.msg).html(); - - // Make the channels clickable - re = new RegExp('\\B([' + kiwi.gateway.get('channel_prefix') + '][^ ,.\\007]+)', 'g'); - msg.msg = msg.msg.replace(re, function (match) { - return '' + match + ''; - }); - - - // Make links clickable - msg.msg = msg.msg.replace(/((https?\:\/\/|ftp\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]*))?/gi, function (url) { - var nice; - - // Add the http is no protoocol was found - if (url.match(/^www\./)) { - url = 'http://' + url; - } - - nice = url; - if (nice.length > 100) { - nice = nice.substr(0, 100) + '...'; - } - - return '' + nice + ''; - }); - - - // Convert IRC formatting into HTML formatting - msg.msg = formatIRCMsg(msg.msg); - - - // Add some colours to the nick (Method based on IRSSIs nickcolor.pl) - nick_colour_hex = (function (nick) { - var nick_int = 0, rgb; - - _.map(nick.split(''), function (i) { nick_int += i.charCodeAt(0); }); - rgb = hsl2rgb(nick_int % 255, 70, 35); - rgb = rgb[2] | (rgb[1] << 8) | (rgb[0] << 16); - - return '#' + rgb.toString(16); - })(msg.nick); - - msg.nick_style = 'color:' + nick_colour_hex + ';'; - - // Build up and add the line - line_msg = '
    <%- time %>
    <%- nick %>
    <%= msg %>
    '; - $this.append(_.template(line_msg, msg)); - - // Activity/alerts based on the type of new message - if (msg.type.match(/^action /)) { - this.alert('action'); - } else if (msg.msg.indexOf(kiwi.gateway.get('nick')) > -1) { - kiwi.app.view.alertWindow('* People are talking!'); - this.alert('highlight'); - } else { - // If this is the active panel, send an alert out - if (this.model.isActive()) { - kiwi.app.view.alertWindow('* People are talking!'); - } - this.alert('activity'); - } - - this.scrollToBottom(); - - // Make sure our DOM isn't getting too large (Acts as scrollback) - this.msg_count++; - if (this.msg_count > 250) { - $('.msg:first', this.$el).remove(); - this.msg_count--; - } - }, - chanClick: function (x) { - kiwi.gateway.join($(x.srcElement).text()); - }, - show: function () { - var $this = this.$el; - - // Hide all other panels and show this one - this.$container.children().css('display', 'none'); - $this.css('display', 'block'); - - // Show this panels memberlist - var members = this.model.get("members"); - if (members) { - $('#memberlists').show(); - members.view.show(); - } else { - // Memberlist not found for this panel, hide any active ones - $('#memberlists').hide().children().removeClass('active'); - } - - kiwi.app.view.doLayout(); - - this.scrollToBottom(); - this.alert('none'); - - this.trigger('active', this.model); - kiwi.app.panels.trigger('active', this.model); - }, - - - alert: function (level) { - // No need to highlight if this si the active panel - if (this.model == kiwi.app.panels.active) return; - - var types, type_idx; - types = ['none', 'action', 'activity', 'highlight']; - - // Default alert level - level = level || 'none'; - - // If this alert level does not exist, assume clearing current level - type_idx = _.indexOf(types, level); - if (!type_idx) { - level = 'none'; - type_idx = 0; - } - - // Only 'upgrade' the alert. Never down (unless clearing) - if (type_idx !== 0 && type_idx <= this.alert_level) { - return; - } - - // Clear any existing levels - this.model.tab.removeClass(function (i, css) { - return (css.match(/\balert_\S+/g) || []).join(' '); - }); - - // Add the new level if there is one - if (level !== 'none') { - this.model.tab.addClass('alert_' + level); - } - - this.alert_level = type_idx; - }, - - - // Scroll to the bottom of the panel - scrollToBottom: function () { - // TODO: Don't scroll down if we're scrolled up the panel a little - this.$container[0].scrollTop = this.$container[0].scrollHeight; - } -}); - -kiwi.view.Applet = kiwi.view.Panel.extend({ - className: 'applet', - initialize: function (options) { - this.initializePanel(options); - } -}); - -kiwi.view.Channel = kiwi.view.Panel.extend({ - initialize: function (options) { - this.initializePanel(options); - this.model.bind('change:topic', this.topic, this); - }, - - topic: function (topic) { - if (typeof topic !== 'string' || !topic) { - topic = this.model.get("topic"); - } - - this.model.addMsg('', '== Topic for ' + this.model.get('name') + ' is: ' + topic, 'topic'); - - // If this is the active channel then update the topic bar - if (kiwi.app.panels.active === this) { - kiwi.app.topicbar.setCurrentTopic(this.model.get("topic")); - } - } -}); - -// Model for this = kiwi.model.PanelList -kiwi.view.Tabs = Backbone.View.extend({ - events: { - 'click li': 'tabClick', - 'click li img': 'partClick' - }, - - initialize: function () { - this.model.on("add", this.panelAdded, this); - this.model.on("remove", this.panelRemoved, this); - this.model.on("reset", this.render, this); - - this.model.on('active', this.panelActive, this); - - this.tabs_applets = $('ul.applets', this.$el); - this.tabs_msg = $('ul.channels', this.$el); - - kiwi.gateway.on('change:name', function (gateway, new_val) { - $('span', this.model.server.tab).text(new_val); - }, this); - }, - render: function () { - var that = this; - - this.tabs_msg.empty(); - - // Add the server tab first - this.model.server.tab - .data('panel_id', this.model.server.cid) - .appendTo(this.tabs_msg); - - // Go through each panel adding its tab - this.model.forEach(function (panel) { - // If this is the server panel, ignore as it's already added - if (panel == that.model.server) return; - - panel.tab - .data('panel_id', panel.cid) - .appendTo(panel.isApplet() ? this.tabs_applets : this.tabs_msg); - }); - - kiwi.app.view.doLayout(); - }, - - updateTabTitle: function (panel, new_title) { - $('span', panel.tab).text(new_title); - }, - - panelAdded: function (panel) { - // Add a tab to the panel - panel.tab = $('
  • ' + (panel.get('title') || panel.get('name')) + '
  • '); - - if (panel.isServer()) { - panel.tab.addClass('server'); - } - - panel.tab.data('panel_id', panel.cid) - .appendTo(panel.isApplet() ? this.tabs_applets : this.tabs_msg); - - panel.bind('change:title', this.updateTabTitle); - kiwi.app.view.doLayout(); - }, - panelRemoved: function (panel) { - panel.tab.remove(); - delete panel.tab; - - kiwi.app.view.doLayout(); - }, - - panelActive: function (panel) { - // Remove any existing tabs or part images - $('img', this.$el).remove(); - this.tabs_applets.children().removeClass('active'); - this.tabs_msg.children().removeClass('active'); - - panel.tab.addClass('active'); - - // Only show the part image on non-server tabs - if (!panel.isServer()) { - panel.tab.append(''); - } - }, - - tabClick: function (e) { - var tab = $(e.currentTarget); - - var panel = this.model.getByCid(tab.data('panel_id')); - if (!panel) { - // A panel wasn't found for this tab... wadda fuck - return; - } - - panel.view.show(); - }, - - partClick: function (e) { - var tab = $(e.currentTarget).parent(); - var panel = this.model.getByCid(tab.data('panel_id')); - - // Only need to part if it's a channel - // If the nicklist is empty, we haven't joined the channel as yet - if (panel.isChannel() && panel.get('members').models.length > 0) { - kiwi.gateway.part(panel.get('name')); - } else { - panel.close(); - } - }, - - next: function () { - var next = kiwi.app.panels.active.tab.next(); - if (!next.length) next = $('li:first', this.tabs_msgs); - - next.click(); - }, - prev: function () { - var prev = kiwi.app.panels.active.tab.prev(); - if (!prev.length) prev = $('li:last', this.tabs_msgs); - - prev.click(); - } -}); - - - -kiwi.view.TopicBar = Backbone.View.extend({ - events: { - 'keydown input': 'process' - }, - - initialize: function () { - kiwi.app.panels.bind('active', function (active_panel) { - this.setCurrentTopic(active_panel.get('topic')); - }, this); - }, - - process: function (ev) { - var inp = $(ev.currentTarget), - inp_val = inp.val(); - - if (ev.keyCode !== 13) return; - - if (kiwi.app.panels.active.isChannel()) { - kiwi.gateway.topic(kiwi.app.panels.active.get('name'), inp_val); - } - }, - - setCurrentTopic: function (new_topic) { - new_topic = new_topic || ''; - - // We only want a plain text version - new_topic = $('
    ').html(formatIRCMsg(new_topic)); - $('input', this.$el).val(new_topic.text()); - } -}); - - - -kiwi.view.ControlBox = Backbone.View.extend({ - events: { - 'keydown input.inp': 'process', - 'click .nick': 'showNickChange' - }, - - initialize: function () { - var that = this; - - this.buffer = []; // Stores previously run commands - this.buffer_pos = 0; // The current position in the buffer - - this.preprocessor = new InputPreProcessor(); - this.preprocessor.recursive_depth = 5; - - // Hold tab autocomplete data - this.tabcomplete = {active: false, data: [], prefix: ''}; - - kiwi.gateway.bind('change:nick', function () { - $('.nick', that.$el).text(this.get('nick')); - }); - }, - - showNickChange: function (ev) { - (new kiwi.view.NickChangeBox()).render(); - }, - - process: function (ev) { - var that = this, - inp = $(ev.currentTarget), - inp_val = inp.val(), - meta; - - if (navigator.appVersion.indexOf("Mac") !== -1) { - meta = ev.ctrlKey; - } else { - meta = ev.altKey; - } - - // If not a tab key, reset the tabcomplete data - if (this.tabcomplete.active && ev.keyCode !== 9) { - this.tabcomplete.active = false; - this.tabcomplete.data = []; - this.tabcomplete.prefix = ''; - } - - switch (true) { - case (ev.keyCode === 13): // return - inp_val = inp_val.trim(); - - if (inp_val) { - this.processInput(inp.val()); - - this.buffer.push(inp.val()); - this.buffer_pos = this.buffer.length; - } - - inp.val(''); - - break; - - case (ev.keyCode === 38): // up - if (this.buffer_pos > 0) { - this.buffer_pos--; - inp.val(this.buffer[this.buffer_pos]); - } - break; - - case (ev.keyCode === 40): // down - if (this.buffer_pos < this.buffer.length) { - this.buffer_pos++; - inp.val(this.buffer[this.buffer_pos]); - } - break; - - case (ev.keyCode === 37 && meta): // left - kiwi.app.panels.view.prev(); - return false; - - case (ev.keyCode === 39 && meta): // right - kiwi.app.panels.view.next(); - return false; - - case (ev.keyCode === 9): // tab - this.tabcomplete.active = true; - if (_.isEqual(this.tabcomplete.data, [])) { - // Get possible autocompletions - var ac_data = []; - $.each(kiwi.app.panels.active.get('members').models, function (i, member) { - if (!member) return; - ac_data.push(member.get('nick')); - }); - ac_data = _.sortBy(ac_data, function (nick) { - return nick; - }); - this.tabcomplete.data = ac_data; - } - - if (inp_val[inp[0].selectionStart - 1] === ' ') { - return false; - } - - (function () { - var tokens = inp_val.substring(0, inp[0].selectionStart).split(' '), - val, - p1, - newnick, - range, - nick = tokens[tokens.length - 1]; - if (this.tabcomplete.prefix === '') { - this.tabcomplete.prefix = nick; - } - - this.tabcomplete.data = _.select(this.tabcomplete.data, function (n) { - return (n.toLowerCase().indexOf(that.tabcomplete.prefix.toLowerCase()) === 0); - }); - - if (this.tabcomplete.data.length > 0) { - p1 = inp[0].selectionStart - (nick.length); - val = inp_val.substr(0, p1); - newnick = this.tabcomplete.data.shift(); - this.tabcomplete.data.push(newnick); - val += newnick; - val += inp_val.substr(inp[0].selectionStart); - inp.val(val); - - if (inp[0].setSelectionRange) { - inp[0].setSelectionRange(p1 + newnick.length, p1 + newnick.length); - } else if (inp[0].createTextRange) { // not sure if this bit is actually needed.... - range = inp[0].createTextRange(); - range.collapse(true); - range.moveEnd('character', p1 + newnick.length); - range.moveStart('character', p1 + newnick.length); - range.select(); - } - } - }).apply(this); - return false; - } - }, - - - processInput: function (command_raw) { - var command, params, - pre_processed; - - // The default command - if (command_raw[0] !== '/') { - command_raw = '/msg ' + kiwi.app.panels.active.get('name') + ' ' + command_raw; - } - - // Process the raw command for any aliases - this.preprocessor.vars.server = kiwi.gateway.get('name'); - this.preprocessor.vars.channel = kiwi.app.panels.active.get('name'); - this.preprocessor.vars.destination = this.preprocessor.vars.channel; - command_raw = this.preprocessor.process(command_raw); - - // Extract the command and parameters - params = command_raw.split(' '); - if (params[0][0] === '/') { - command = params[0].substr(1).toLowerCase(); - params = params.splice(1); - } else { - // Default command - command = 'msg'; - params.unshift(kiwi.app.panels.active.get('name')); - } - - // Trigger the command events - this.trigger('command', {command: command, params: params}); - this.trigger('command_' + command, {command: command, params: params}); - - // If we didn't have any listeners for this event, fire a special case - // TODO: This feels dirty. Should this really be done..? - if (!this._callbacks['command_' + command]) { - this.trigger('unknown_command', {command: command, params: params}); - } - } -}); - - - - -kiwi.view.StatusMessage = Backbone.View.extend({ - initialize: function () { - this.$el.hide(); - - // Timer for hiding the message after X seconds - this.tmr = null; - }, - - text: function (text, opt) { - // Defaults - opt = opt || {}; - opt.type = opt.type || ''; - opt.timeout = opt.timeout || 5000; - - this.$el.text(text).attr('class', opt.type); - this.$el.slideDown(kiwi.app.view.doLayout); - - if (opt.timeout) this.doTimeout(opt.timeout); - }, - - html: function (html, opt) { - // Defaults - opt = opt || {}; - opt.type = opt.type || ''; - opt.timeout = opt.timeout || 5000; - - this.$el.html(text).attr('class', opt.type); - this.$el.slideDown(kiwi.app.view.doLayout); - - if (opt.timeout) this.doTimeout(opt.timeout); - }, - - hide: function () { - this.$el.slideUp(kiwi.app.view.doLayout); - }, - - doTimeout: function (length) { - if (this.tmr) clearTimeout(this.tmr); - var that = this; - this.tmr = setTimeout(function () { that.hide(); }, length); - } -}); - - - - -kiwi.view.ResizeHandler = Backbone.View.extend({ - events: { - 'mousedown': 'startDrag', - 'mouseup': 'stopDrag' - }, - - initialize: function () { - this.dragging = false; - this.starting_width = {}; - - $(window).on('mousemove', $.proxy(this.onDrag, this)); - }, - - startDrag: function (event) { - this.dragging = true; - }, - - stopDrag: function (event) { - this.dragging = false; - }, - - onDrag: function (event) { - if (!this.dragging) return; - - this.$el.css('left', event.clientX - (this.$el.outerWidth(true) / 2)); - $('#memberlists').css('width', this.$el.parent().width() - (this.$el.position().left + this.$el.outerWidth())); - kiwi.app.view.doLayout(); - } -}); - - - -kiwi.view.Application = Backbone.View.extend({ - initialize: function () { - $(window).resize(this.doLayout); - $('#toolbar').resize(this.doLayout); - $('#controlbox').resize(this.doLayout); - - this.doLayout(); - - $(document).keydown(this.setKeyFocus); - - // Confirmation require to leave the page - window.onbeforeunload = function () { - if (kiwi.gateway.isConnected()) { - return 'This will close all KiwiIRC conversations. Are you sure you want to close this window?'; - } - }; - }, - - - // Globally shift focus to the command input box on a keypress - setKeyFocus: function (ev) { - // If we're copying text, don't shift focus - if (ev.ctrlKey || ev.altKey) { - return; - } - - // If we're typing into an input box somewhere, ignore - if (ev.target.tagName.toLowerCase() === 'input') { - return; - } - - $('#controlbox .inp').focus(); - }, - - - doLayout: function () { - var el_panels = $('#panels'); - var el_memberlists = $('#memberlists'); - var el_toolbar = $('#toolbar'); - var el_controlbox = $('#controlbox'); - var el_resize_handle = $('#memberlists_resize_handle'); - - var css_heights = { - top: el_toolbar.outerHeight(true), - bottom: el_controlbox.outerHeight(true) - }; - - el_panels.css(css_heights); - el_memberlists.css(css_heights); - el_resize_handle.css(css_heights); - - if (el_memberlists.css('display') != 'none') { - // Handle + panels to the side of the memberlist - el_panels.css('right', el_memberlists.outerWidth(true) + el_resize_handle.outerWidth(true)); - el_resize_handle.css('left', el_memberlists.position().left - el_resize_handle.outerWidth(true)); - } else { - // Memberlist is hidden so handle + panels to the right edge - el_panels.css('right', el_resize_handle.outerWidth(true)); - el_resize_handle.css('left', el_panels.outerWidth(true)); - } - }, - - - alertWindow: function (title) { - if (!this.alertWindowTimer) { - this.alertWindowTimer = new (function () { - var that = this; - var tmr; - var has_focus = true; - var state = 0; - var default_title = 'Kiwi IRC'; - var title = 'Kiwi IRC'; - - this.setTitle = function (new_title) { - new_title = new_title || default_title; - window.document.title = new_title; - return new_title; - }; - - this.start = function (new_title) { - // Don't alert if we already have focus - if (has_focus) return; - - title = new_title; - if (tmr) return; - tmr = setInterval(this.update, 1000); - }; - - this.stop = function () { - // Stop the timer and clear the title - if (tmr) clearInterval(tmr); - tmr = null; - this.setTitle(); - - // Some browsers don't always update the last title correctly - // Wait a few seconds and then reset - setTimeout(this.reset, 2000); - }; - - this.reset = function () { - if (tmr) return; - that.setTitle(); - }; - - - this.update = function () { - if (state === 0) { - that.setTitle(title); - state = 1; - } else { - that.setTitle(); - state = 0; - } - }; - - $(window).focus(function (event) { - has_focus = true; - that.stop(); - - // Some browsers don't always update the last title correctly - // Wait a few seconds and then reset - setTimeout(this.reset, 2000); - }); - - $(window).blur(function (event) { - has_focus = false; - }); - })(); - } - - this.alertWindowTimer.start(title); - }, - - - barsHide: function (instant) { - var that = this; - - if (!instant) { - $('#toolbar').slideUp({queue: false, duration: 400, step: this.doLayout}); - $('#controlbox').slideUp({queue: false, duration: 400, step: this.doLayout}); - } else { - $('#toolbar').slideUp(0); - $('#controlbox').slideUp(0); - this.doLayout(); - } - }, - - barsShow: function (instant) { - var that = this; - - if (!instant) { - $('#toolbar').slideDown({queue: false, duration: 400, step: this.doLayout}); - $('#controlbox').slideDown({queue: false, duration: 400, step: this.doLayout}); - } else { - $('#toolbar').slideDown(0); - $('#controlbox').slideDown(0); - this.doLayout(); - } - } -}); - - - -})(window); \ No newline at end of file diff --git a/client/assets/kiwi.min.js b/client/assets/kiwi.min.js deleted file mode 100644 index 764f3b2..0000000 --- a/client/assets/kiwi.min.js +++ /dev/null @@ -1 +0,0 @@ -(function(a){function c(a){var b,c;window.console?(c=window.console.log,window.console.log=function(){a&&c.apply(console,arguments)}):(b=window.opera?window.opera.postError:alert,window.console={},window.console.log=function(c){a&&b(c)})}function d(a){var b="0123456789ABCDEFGHIJKLMNOPQRSTUVWXTZabcdefghiklmnopqrstuvwxyz",c="",d,e;for(d=0;d=this.recursive_depth?(a--,b):(this.aliases[c[0]]&&(c=this.processInput(c),this.aliases[c[0]]&&(c=this.process(c.join(" ")).split(" "))),a--,c.join(" "))}}function g(a,b,c){var d,e,f,g,h,i;b/=100,c/=100;if(b==0)g=h=i=c*255;else{function j(a,b,c){var d;return c<0?c+=1:c>1&&(c-=1),6*c<1?d=a+(b-a)*c*6:2*c<1?d=b:3*c<2?d=a+(b-a)*(2/3-c)*6:d=a,255*d}c<=.5?e=c*(b+1):e=c+b-c*b,d=c*2-e,f=a/360,g=j(d,e,f+1/3),h=j(d,e,f),i=j(d,e,f-1/3)}return[g,h,i]}function h(a){var b,c;if(!a||typeof a!="string")return"";if(a.indexOf(String.fromCharCode(2))!==-1){c="";while(a.indexOf(String.fromCharCode(2))!==-1)a=a.replace(String.fromCharCode(2),c),c=c===""?"":"";c===""&&(a+="")}if(a.indexOf(String.fromCharCode(31))!==-1){c="";while(a.indexOf(String.fromCharCode(31))!==-1)a=a.replace(String.fromCharCode(31),c),c=c===""?"":"";c===""&&(a+="")}return a=function(a){var b,c,d,e,f,g,h,i,j,k;b="",c=function(a){var b=/^\x03([0-9][0-5]?)(,([0-9][0-5]?))?/;return b.exec(a)},d=function(a){switch(parseInt(a,10)){case 0:return"#FFFFFF";case 1:return"#000000";case 2:return"#000080";case 3:return"#008000";case 4:return"#FF0000";case 5:return"#800040";case 6:return"#800080";case 7:return"#FF8040";case 8:return"#FFFF00";case 9:return"#80FF00";case 10:return"#008080";case 11:return"#00FFFF";case 12:return"#0000FF";case 13:return"#FF55FF";case 14:return"#808080";case 15:return"#C0C0C0";default:return null}};if(a.indexOf("")!==-1){e=a.indexOf(""),b=a.substr(0,e);while(e'+k+"",e=g):(a[e]!==""&&a[e]!==String.fromCharCode(15)&&(b+=a[e]),e++);return b}return a}(a),a}function i(a){return a=a||new Date,a.toLocaleDateString()+", "+a.getHours().toString()+":"+a.getMinutes().toString()+":"+a.getSeconds().toString()}var b={};b.model={},b.view={},b.applets={},b.global={utils:undefined,gateway:undefined,user:undefined,server:undefined,command:undefined,channels:undefined,start:function(a){return a=a||{},b.app=new b.model.Application(a),a.kiwi_server&&(b.app.kiwi_server=a.kiwi_server),b.app.start(),!0}},typeof a!="undefined"&&(a.kiwi=b.global),b.model.Application=function(){var a=null,d={},f=function(){function f(b){a.panels.server.server_login.showError()}function g(a){var c=a.command+" "+a.params.join(" ");console.log("RAW: "+c),b.gateway.raw(c)}function h(a){}function j(c){var d,e;e=c.params.join(" ").split(","),$.each(e,function(c,e){e=e.trim(),d=a.panels.getByName(e),d||(d=new b.model.Channel({name:e}),b.app.panels.add(d)),b.gateway.join(e)}),d&&d.view.show()}function k(c){var d,e;d=c.params[0],e=a.panels.getByName(d),e||(e=new b.model.Channel({name:d}),b.app.panels.add(e)),e&&e.view.show()}function l(c){var d=c.params[0],e=a.panels.getByName(d)||a.panels.server;c.params.shift(),e.addMsg(b.gateway.get("nick"),c.params.join(" ")),b.gateway.privmsg(d,c.params.join(" "))}function m(a){if(b.app.panels.active===b.app.panels.server)return;var c=b.app.panels.active;c.addMsg("","* "+b.gateway.get("nick")+" "+a.params.join(" "),"action"),b.gateway.action(c.get("name"),a.params.join(" "))}function n(a){a.params.length===0?b.gateway.part(b.app.panels.active.get("name")):_.each(a.params,function(a){b.gateway.part(a)})}function o(c){var d;if(c.params.length===0)return;a.isChannelName(c.params[0])?(d=c.params[0],c.params.shift()):d=b.app.panels.active.get("name"),b.gateway.topic(d,c.params.join(" "))}function p(a){var c;if(a.params.length<=1)return;c=a.params[0],a.params.shift(),b.gateway.notice(c,a.params.join(" "))}function q(a){var c=a.params.join(" ");b.gateway.raw(c)}function r(a){var c,d=b.app.panels.active;if(!d.isChannel())return;if(a.params.length===0)return;c=a.params[0],a.params.shift(),b.gateway.kick(d.get("name"),c,a.params.join(" "))}function s(a){var c=new b.model.Applet;c.load(new b.applets.Settings),b.app.panels.add(c),c.view.show()}function t(a){if(!a.params[0])return;var c=new b.model.Applet;if(a.params[1])c.load(a.params[0],a.params[1]);else if(b.applets[a.params[0]])c.load(new b.applets[a.params[0]]);else{b.app.panels.server.addMsg("",'Applet "'+a.params[0]+'" does not exist');return}b.app.panels.add(c),c.view.show()}this.panels=null,this.view=null,this.message=null,this.kiwi_server=null,this.initialize=function(b){a=this,b[0].container&&this.set("container",b[0].container),this.detectKiwiServer()},this.start=function(){getQueryVariable("debug")||c(!1),b.gateway=new b.model.Gateway,this.bindGatewayCommands(b.gateway),this.initializeClient(),this.initializeGlobals(),this.view.barsHide(!0),this.panels.server.server_login.bind("server_connect",function(c){var e=this;d=c,e.networkConnecting(),$script(a.kiwi_server+"/socket.io/socket.io.js?ts="+(new Date).getTime(),function(){if(!window.io){f();return}b.gateway.set("kiwi_server",a.kiwi_server+"/kiwi"),b.gateway.set("nick",c.nick),b.gateway.connect(c.server,c.port,c.ssl,c.password,function(){})})}),setTimeout(function(){b.app.panels.server.server_login.$el.find(".nick").select()},0)},this.detectKiwiServer=function(){window.location.protocol==="file:"?this.kiwi_server="http://localhost:7778":this.kiwi_server=window.location.protocol+"//"+window.location.host},this.initializeClient=function(){this.view=new b.view.Application({model:this,el:this.get("container")}),this.panels=new b.model.PanelList,this.controlbox=new b.view.ControlBox({el:$("#controlbox")[0]}),this.bindControllboxCommands(this.controlbox),this.topicbar=new b.view.TopicBar({el:$("#topic")[0]}),this.message=new b.view.StatusMessage({el:$("#status_message")[0]}),this.resize_handle=new b.view.ResizeHandler({el:$("#memberlists_resize_handle")[0]}),this.panels.server.view.show(),this.view.doLayout(),this.populateDefaultServerSettings()},this.initializeGlobals=function(){b.global.control=this.controlbox},this.populateDefaultServerSettings=function(){var a,b={nick:getQueryVariable("nick")||"kiwi_"+Math.ceil(Math.random()*1e4).toString(),server:"irc.kiwiirc.com",port:6667,ssl:!1,channel:window.location.hash||"#kiwiirc"};a=window.location.pathname.toString().split("/"),a.shift(),a.length>0&&a[0].toLowerCase()==="client"&&(a.shift(),a.length>0&&a[0]&&(b.server=a[0],a.shift()),a.length>0&&a[0]&&(b.channel="#"+a[0],a.shift())),b.nick=b.nick.replace("?",Math.floor(Math.random()*1e5).toString()),this.panels.server.server_login.populateFields(b)},this.bindGatewayCommands=function(c){c.on("onmotd",function(c){a.panels.server.addMsg(b.gateway.get("name"),c.msg,"motd")}),c.on("onconnect",function(b){a.view.barsShow(),d.channel&&a.controlbox.processInput("/JOIN "+d.channel)}),function(){var d=0;c.on("disconnect",function(c){var e="You have been disconnected. Attempting to reconnect for you..";a.message.text(e,{timeout:1e4}),$.each(b.app.panels.models,function(a,b){if(!b||!b.isChannel())return;b.addMsg("",e,"action quit")}),b.app.panels.server.addMsg("",e,"action quit"),d=1}),c.on("reconnecting",function(a){msg="You have been disconnected. Attempting to reconnect again in "+a.delay/1e3+" seconds..",b.app.panels.server.addMsg("",msg,"action quit")}),c.on("connect",function(c){if(d!==1)return;var e="It's OK, you're connected again :)";a.message.text(e,{timeout:5e3}),$.each(b.app.panels.models,function(a,b){if(!b||!b.isChannel())return;b.addMsg("",e,"action join")}),b.app.panels.server.addMsg("",e,"action join"),d=0})}(),c.on("onjoin",function(c){var d,e,f;d=a.panels.getByName(c.channel),d||(d=new b.model.Channel({name:c.channel}),a.panels.add(d)),e=d.get("members");if(!e)return;f=new b.model.Member({nick:c.nick,ident:c.ident,hostname:c.hostname}),e.add(f)}),c.on("onpart",function(c){var d,e,f,g={};g.type="part",g.message=c.message||"",d=a.panels.getByName(c.channel);if(!d)return;if(c.nick===b.gateway.get("nick")){d.close();return}e=d.get("members");if(!e)return;f=e.getByNick(c.nick);if(!f)return;e.remove(f,g)}),c.on("onquit",function(b){var c,d,e={};e.type="quit",e.message=b.message||"",$.each(a.panels.models,function(a,d){if(!d.isChannel())return;c=d.get("members").getByNick(b.nick),c&&d.get("members").remove(c,e)})}),c.on("onkick",function(c){var d,e,f,g={};g.type="kick",g.by=c.nick,g.message=c.message||"",d=a.panels.getByName(c.channel);if(!d)return;e=d.get("members");if(!e)return;f=e.getByNick(c.kicked);if(!f)return;e.remove(f,g),c.kicked===b.gateway.get("nick")&&e.reset([])}),c.on("onmsg",function(c){var d,e=c.channel==b.gateway.get("nick");e?(d=a.panels.getByName(c.nick),d||(d=new b.model.Channel({name:c.nick}),a.panels.add(d))):(d=a.panels.getByName(c.channel),d||(d=a.panels.server)),d.addMsg(c.nick,c.msg)}),c.on("onnotice",function(b){var c;c=a.panels.getByName(b.target)||a.panels.getByName(b.nick),c||(c=a.panels.server),c.addMsg("["+(b.nick||"")+"]",b.msg)}),c.on("onaction",function(c){var d,e=c.channel==b.gateway.get("nick");e?(d=a.panels.getByName(c.nick),d||(d=new b.model.Channel({name:c.nick}),a.panels.add(d))):(d=a.panels.getByName(c.channel),d||(d=a.panels.server)),d.addMsg("","* "+c.nick+" "+c.msg,"action")}),c.on("ontopic",function(c){var d;d=a.panels.getByName(c.channel);if(!d)return;d.set("topic",c.topic),d.get("name")===b.app.panels.active.get("name")&&a.topicbar.setCurrentTopic(c.topic)}),c.on("ontopicsetby",function(b){var c,d;c=a.panels.getByName(b.channel);if(!c)return;d=i(new Date(b.when*1e3)),c.addMsg("","Topic set by "+b.nick+" at "+d,"topic")}),c.on("onuserlist",function(c){var d;d=a.panels.getByName(c.channel);if(!d)return;d.temp_userlist=d.temp_userlist||[],_.each(c.users,function(a){var c=new b.model.Member({nick:a.nick,modes:a.modes});d.temp_userlist.push(c)})}),c.on("onuserlist_end",function(b){var c;c=a.panels.getByName(b.channel);if(!c)return;c.get("members").reset(c.temp_userlist||[]),delete c.temp_userlist}),c.on("onmode",function(c){function j(a,b){var d={},e;return a||(a=c.modes,b=c.target),_.each(a,function(a){var c=a.param||b||"";d[c]||(d[c]={"+":"","-":""}),d[c][a.mode[0]]+=a.mode.substr(1)}),e=[],_.each(d,function(a,b){var c="";a["+"]&&(c+="+"+a["+"]),a["-"]&&(c+="-"+a["-"]),e.push(c+" "+b)}),e=e.join(", "),e}var d,e,f,g,h,i;d=a.panels.getByName(c.target);if(d){f=b.gateway.get("user_prefixes"),i=function(a){return c.modes[e].mode[1]===a.mode};for(e=0;e "+c)});return}if(c.params[0]==="del"||c.params[0]==="delete"){d=c.params[1],d[0]!=="/"&&(d="/"+d),delete a.preprocessor.aliases[d];return}d=c.params[0],c.params.shift(),e=c.params.join(" "),d[0]!=="/"&&(d="/"+d),a.preprocessor.aliases[d]=e}),a.on("command_applet",t),a.on("command_settings",s)},this.isChannelName=function(a){var c=b.gateway.get("channel_prefix");return!a||!a.length?!1:c.indexOf(a[0])>-1}};return f=Backbone.Model.extend(new f),new f(arguments)},b.model.Gateway=function(){var a=null;return this.defaults={name:"Server",address:"",nick:"",channel_prefix:"#",user_prefixes:["~","&","@","+"],kiwi_server:"//kiwi"},this.initialize=function(){a=this,this.socket=this.get("socket")},this.connect=function(b,c,d,e,f){this.socket=io.connect(this.get("kiwi_server"),{"try multiple transports":!0,"connect timeout":3e3,"max reconnection attempts":7,"reconnection delay":2e3,"sync disconnect on unload":!1}),this.socket.on("connect_failed",function(a){console.debug("Unable to connect Socket.IO",a),console.log("kiwi.gateway.socket.on('connect_failed')"),this.socket.disconnect(),this.trigger("connect_fail",{reason:a})}),this.socket.on("error",function(a){this.trigger("connect_fail",{reason:a}),console.log("kiwi.gateway.socket.on('error')",{reason:a})}),this.socket.on("connecting",function(b){console.log("kiwi.gateway.socket.on('connecting')"),a.trigger("connecting")}),this.socket.on("connect",function(){this.emit("kiwi",{command:"connect",nick:a.get("nick"),hostname:b,port:c,ssl:d,password:e},function(b,c){b?console.log("kiwi.gateway.socket.on('error')",{reason:b}):(a.server_num=c,console.log("kiwi.gateway.socket.on('connect')"))})}),this.socket.on("too_many_connections",function(){this.trigger("connect_fail",{reason:"too_many_connections"})}),this.socket.on("irc",function(b,c){a.parse(b.command,b.data)}),this.socket.on("disconnect",function(){a.trigger("disconnect",{}),console.log("kiwi.gateway.socket.on('disconnect')")}),this.socket.on("close",function(){console.log("kiwi.gateway.socket.on('close')")}),this.socket.on("reconnecting",function(b,c){console.log("kiwi.gateway.socket.on('reconnecting')"),a.trigger("reconnecting",{delay:b,attempts:c})}),this.socket.on("reconnect_failed",function(){console.log("kiwi.gateway.socket.on('reconnect_failed')")})},this.isConnected=function(){return this.socket.socket.connected},this.parse=function(b,c){console.log("gateway event",b,c);if(b!==undefined){a.trigger("on"+b,c);switch(b){case"options":$.each(c.options,function(b,c){switch(b){case"CHANTYPES":a.set("channel_prefix",c.join("").charAt(0));break;case"NETWORK":a.set("name",c);break;case"PREFIX":a.set("user_prefixes",c)}});break;case"connect":a.set("nick",c.nick);break;case"nick":c.nick===a.get("nick")&&a.set("nick",c.newnick);break;case"kiwi":this.emit("kiwi."+c.namespace,c.data)}}},this.sendData=function(a,b){this.socket.emit("irc",{server:0,data:JSON.stringify(a)},b)},this.privmsg=function(a,b,c){var d={method:"privmsg",args:{target:a,msg:b}};this.sendData(d,c)},this.notice=function(a,b,c){var d={method:"notice",args:{target:a,msg:b}};this.sendData(d,c)},this.ctcp=function(a,b,c,d,e){var f={method:"ctcp",args:{request:a,type:b,target:c,params:d}};this.sendData(f,e)},this.action=function(a,b,c){this.ctcp(!0,"ACTION",a,b,c)},this.join=function(a,b,c){var d={method:"join",args:{channel:a,key:b}};this.sendData(d,c)},this.part=function(a,b){var c={method:"part",args:{channel:a}};this.sendData(c,b)},this.topic=function(a,b,c){var d={method:"topic",args:{channel:a,topic:b}};this.sendData(d,c)},this.kick=function(a,b,c,d){var e={method:"kick",args:{channel:a,nick:b,reason:c}};this.sendData(e,d)},this.quit=function(a,b){a=a||"";var c={method:"quit",args:{message:a}};this.sendData(c,b)},this.raw=function(a,b){a={method:"raw",args:{data:a}},this.sendData(a,b)},this.changeNick=function(a,b){var c={method:"nick",args:{nick:a}};this.sendData(c,b)},this.kiwi=function(a,b,c){b={method:"kiwi",args:{target:a,data:b}},this.sendData(b,c)},new(Backbone.Model.extend(this))(arguments)},b.model.Member=Backbone.Model.extend({sortModes:function(a){return a.sort(function(a,c){var d,e,f,g=b.gateway.get("user_prefixes");for(f=0;fe?1:0})},initialize:function(a){var b,c,d;b=this.stripPrefix(this.get("nick")),c=this.get("modes"),c=c||[],this.sortModes(c),this.set({nick:b,modes:c,prefix:this.getPrefix(c)},{silent:!0})},addMode:function(a){var b=a.split(""),c,d;c=this.get("modes"),$.each(b,function(a,b){c.push(b)}),c=this.sortModes(c),this.set({prefix:this.getPrefix(c),modes:c})},removeMode:function(a){var b=a.split(""),c,d;c=this.get("modes"),c=_.reject(c,function(a){return _.indexOf(b,a)!==-1}),this.set({prefix:this.getPrefix(c),modes:c})},getPrefix:function(a){var c="",d=b.gateway.get("user_prefixes");return typeof a[0]!="undefined"&&(c=_.detect(d,function(b){return b.mode===a[0]}),c=c?c.symbol:""),c},stripPrefix:function(a){var c=a,d,e,f,g=b.gateway.get("user_prefixes");d=0;for(e=0;e0){if(f.length===0)return-1;g=h=-1;for(d=0;dh)return 1}else if(f.length>0)return 1;return i=a.get("nick").toLocaleUpperCase(),j=c.get("nick").toLocaleUpperCase(),ij?1:0},initialize:function(a){this.view=new b.view.MemberList({model:this})},getByNick:function(a){if(typeof a!="string")return;return this.find(function(b){return a.toLowerCase()===b.get("nick").toLowerCase()})}}),b.model.Panel=Backbone.Model.extend({initialize:function(a){var c=this.get("name")||"";this.view=new b.view.Panel({model:this,name:c}),this.set({scrollback:[],name:c},{silent:!0})},addMsg:function(a,b,c,d){var e,f,g;d=d||{};if(!d||typeof d.time=="undefined")g=new Date,d.time=g.getHours().toString().lpad(2,"0")+":"+g.getMinutes().toString().lpad(2,"0")+":"+g.getSeconds().toString().lpad(2,"0");if(!d||typeof d.style=="undefined")d.style="";e={msg:b,time:d.time,nick:a,chan:this.get("name"),type:c,style:d.style};if(!e)return;typeof e.type!="string"&&(e.type=""),typeof e.msg!="string"&&(e.msg=""),f=this.get("scrollback"),f.push(e),f.length>250&&f.splice(250),this.set({scrollback:f},{silent:!0}),this.trigger("msg",e)},closePanel:function(){this.view&&(this.view.unbind(),this.view.remove(),this.view=undefined,delete this.view);var a=this.get("members");a&&(a.reset([]),this.unset("members")),b.app.panels.remove(this),this.unbind(),this.destroy(),this.cid===b.app.panels.active.cid&&b.app.panels.server.view.show()},close:function(){return this.closePanel()},isChannel:function(){var a=b.gateway.get("channel_prefix"),c=this.get("name");return this.isApplet()||!c?!1:a.indexOf(c[0])>-1},isApplet:function(){return this.applet?!0:!1},isServer:function(){return this.server?!0:!1},isActive:function(){return b.app.panels.active===this}}),b.model.PanelList=Backbone.Collection.extend({model:b.model.Panel,comparator:function(a){return a.get("name")},initialize:function(){this.view=new b.view.Tabs({el:$("#tabs")[0],model:this}),this.add(new b.model.Server({name:b.gateway.get("name")})),this.server=this.getByName(b.gateway.get("name")),this.active=null,this.bind("active",function(a){this.active=a},this)},getByName:function(a){if(typeof a!="string")return;return this.find(function(b){return a.toLowerCase()===b.get("name").toLowerCase()})}}),b.model.Channel=b.model.Panel.extend({initialize:function(a){var c=this.get("name")||"",d;this.view=new b.view.Channel({model:this,name:c}),this.set({members:new b.model.MemberList,name:c,scrollback:[],topic:""},{silent:!0}),d=this.get("members"),d.bind("add",function(a){this.addMsg(" ","== "+a.displayNick(!0)+" has joined","action join")},this),d.bind("remove",function(a,b,c){var d=c.message?"("+c.message+")":"";c.type==="quit"?this.addMsg(" ","== "+a.displayNick(!0)+" has quit "+d,"action quit"):c.type==="kick"?this.addMsg(" ","== "+a.displayNick(!0)+" was kicked by "+c.by+" "+d,"action kick"):this.addMsg(" ","== "+a.displayNick(!0)+" has left "+d,"action part")},this)}}),b.model.Server=b.model.Panel.extend({server:!0,initialize:function(a){var c="Server";this.view=new b.view.Panel({model:this,name:c}),this.set({scrollback:[],name:c},{silent:!0}),this.server_login=new b.view.ServerSelect,this.view.$el.append(this.server_login.$el),this.server_login.show()}}),b.model.Applet=b.model.Panel.extend({applet:!0,initialize:function(a){var c="applet_"+(new Date).getTime().toString()+Math.ceil(Math.random()*100).toString();this.view=new b.view.Applet({model:this,name:c}),this.set({name:c},{silent:!0}),this.loaded_applet=null},load:function(a,b){if(typeof a=="object"){if(a.get||a.extend)this.set("title",a.get("title")||"Unknown Applet"),a.bind("change:title",function(a,b){this.set("title",b)},this),this.view.$el.html(""),a.view&&this.view.$el.append(a.view.$el),this.loaded_applet=a}else typeof a=="string"&&this.loadFromUrl(a,b);return this},loadFromUrl:function(a,c){var d=this;this.view.$el.html("Loading.."),$script(a,function(){if(!b.applets[c]){d.view.$el.html("Not found");return}d.load(new b.applets[c])})},close:function(){this.view.$el.remove(),this.destroy(),this.view=undefined,this.loaded_applet&&this.loaded_applet.dispose&&this.loaded_applet.dispose(),this.closePanel()}}),function(){var a=Backbone.View.extend({events:{"click .save":"saveSettings"},initialize:function(a){this.$el=$($("#tmpl_applet_settings").html())},saveSettings:function(){var a=$(".theme",this.$el).val();b.app.view.$el.removeClass(function(a,b){return(b.match(/\btheme_\S+/g)||[]).join(" ")}),a&&b.app.view.$el.addClass("theme_"+a)}});b.applets.Settings=Backbone.Model.extend({initialize:function(){this.set("title","Settings"),this.view=new a}})}(),function(){var a=Backbone.View.extend({events:{"click .save":"saveSettings"},initialize:function(a){this.$el=$($("#tmpl_applet_settings").html())},saveSettings:function(){var a=$(".theme",this.$el).val(),b=$("#panels > .panel_container");b.removeClass(function(a,b){return(b.match(/\btheme_\S+/g)||[]).join(" ")}),a&&b.addClass("theme_"+a)}});b.applets.nickserv=Backbone.Model.extend({initialize:function(){this.set("title","Nickserv Login"),b.global.control.on("command_login",this.loginCommand,this)},loginCommand:function(a){console.log("waheeyy")}})}(),function(){var a=Backbone.View.extend({events:{},initialize:function(a){this.$el=$($("#tmpl_channel_list").html()),this.channels=[],this.ordered=!1,this.waiting=!1},render:function(){var a=$("table",this.$el),b=a.children("tbody:first").detach();this.ordered&&this.channels.sort(function(a,b){return b.num_users-a.num_users}),_.each(this.channels,function(a){b.append(a.html)}),a.append(b)}});b.applets.Chanlist=Backbone.Model.extend({initialize:function(){this.set("title","Channel List"),this.view=new a},addChannel:function(a){var b=this;_.isArray(a)||(a=[a]),_.each(a,function(a){var c,d;c=''+a.channel+''+a.num_users+''+h(a.topic)+"",a.html=c,b.view.channels.push(a)}),b.view.waiting||(b.view.waiting=!0,_.defer(function(){b.view.render(),b.view.waiting=!1}))},dispose:function(){this.view.channels=null,this.view.unbind(),this.view.$el.html(""),this.view.remove(),this.view=null}})}(),typeof String.prototype.trim=="undefined"&&(String.prototype.trim=function(){return this.replace(/^\s+|\s+$/g,"")}),typeof String.prototype.lpad=="undefined"&&(String.prototype.lpad=function(a,b){var c="",d;for(d=0;d';return''+c+'
    '}),a):a}},{name:"html_safe",onaddmsg:function(a,b){return a.msg=$("
    ").text(a.msg).html(),a.nick=$("
    ").text(a.nick).html(),a}},{name:"activity",onaddmsg:function(a,b){return a}},{name:"highlight",onaddmsg:function(a,b){return a}},{name:"linkify_plain",onaddmsg:function(a,b){return a.msg?(a.msg=a.msg.replace(/((https?\:\/\/|ftp\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/gi,function(a){var b;return a.match(/(\.jpg|\.jpeg|\.gif|\.bmp|\.png)$/)?a:(b=a,a.match("^https?://")?b=a:a="http://"+a,''+b+"")}),a):a}},{name:"lftobr",onaddmsg:function(a,b){return a.msg?(a.msg=a.msg.replace(/\n/gi,function(a){return"
    "}),a):a}},{name:"nick_colour",onaddmsg:function(a,b){if(!a.msg)return a;var c=this.randColour();return a.nick=''+a.nick+"",a},randColour:function(){var a=this.rand(-250,0),b=this.rand(30,100),c=this.rand(20,70);return"hsl("+a+","+b+"%,"+c+"%)"},rand:function(a,b){return parseInt(Math.random()*(b-a+1),10)+a}},{name:"kiwitest",oninit:function(a,b){console.log("registering namespace"),$(gateway).bind("kiwi.lol.browser",function(a,b){console.log("YAY kiwitest"),console.log(b)})}}];b.plugs={},b.plugs.loaded={},b.plugs.loadPlugin=function(a){var c;return typeof a.name!="string"?!1:(c=b.plugs.run("plugin_load",{plugin:a}),typeof c=="object"&&(b.plugs.loaded[c.plugin.name]=c.plugin,b.plugs.loaded[c.plugin.name].local_data=new b.dataStore("kiwi_plugin_"+c.plugin.name)),b.plugs.run("init",{},{run_only:c.plugin.name}),!0)},b.plugs.unloadPlugin=function(a){if(typeof b.plugs.loaded[a]!="object")return;b.plugs.run("unload",{},{run_only:a}),delete b.plugs.loaded[a]},b.plugs.run=function(a,c,d){var e=c,f,g;c=typeof c=="undefined"?{}:c,d=typeof d=="undefined"?{}:d;for(g in b.plugs.loaded){if(typeof d.run_only=="string"&&d.run_only!==g)continue;if(typeof b.plugs.loaded[g]["on"+a]=="function")try{f=b.plugs.loaded[g]["on"+a](e,d);if(f===null)return null;e=f;if(typeof e.event_bubbles=="boolean"&&e.event_bubbles===!1)return delete e.event_bubbles,e}catch(h){}}return e},b.dataStore=function(a){var b=a;this.get=function(b){return $.jStorage.get(a+"_"+b)},this.set=function(b,c){return $.jStorage.set(a+"_"+b,c)}},b.data=new b.dataStore("kiwi"),function(a){function i(){if("localStorage"in window)try{window.localStorage&&(c=window.localStorage,h="localStorage")}catch(a){}else if("globalStorage"in window)try{window.globalStorage&&(c=window.globalStorage[window.location.hostname],h="globalStorage")}catch(b){}else{d=document.createElement("link");if(!d.addBehavior){d=null;return}d.style.behavior="url(#default#userData)",document.getElementsByTagName("head")[0].appendChild(d),d.load("jStorage");var e="{}";try{e=d.getAttribute("jStorage")}catch(f){}c.jStorage=e,h="userDataBehavior"}j()}function j(){if(c.jStorage)try{b=g(String(c.jStorage))}catch(a){c.jStorage="{}"}else c.jStorage="{}";e=c.jStorage?String(c.jStorage).length:0}function k(){try{c.jStorage=f(b),d&&(d.setAttribute("jStorage",c.jStorage),d.save("jStorage")),e=c.jStorage?String(c.jStorage).length:0}catch(a){}}function l(a){if(!a||typeof a!="string"&&typeof a!="number")throw new TypeError("Key name must be string or numeric");return!0}if(!a||!(a.toJSON||Object.toJSON||window.JSON))throw new Error("jQuery, MooTools or Prototype needs to be loaded before jStorage!");var b={},c={jStorage:"{}"},d=null,e=0,f=a.toJSON||Object.toJSON||window.JSON&&(JSON.encode||JSON.stringify),g=a.evalJSON||window.JSON&&(JSON.decode||JSON.parse)||function(a){return String(a).evalJSON()},h=!1;_XMLService={isXML:function(a){var b=(a?a.ownerDocument||a:0).documentElement;return b?b.nodeName!=="HTML":!1},encode:function(a){if(!this.isXML(a))return!1;try{return(new XMLSerializer).serializeToString(a)}catch(b){try{return a.xml}catch(c){}}return!1},decode:function(a){var b="DOMParser"in window&&(new DOMParser).parseFromString||window.ActiveXObject&&function(a){var b=new ActiveXObject("Microsoft.XMLDOM");return b.async="false",b.loadXML(a),b},c;return b?(c=b.call("DOMParser"in window&&new DOMParser||window,a,"text/xml"),this.isXML(c)?c:!1):!1}},a.jStorage={version:"0.1.5.1",set:function(a,c){return l(a),_XMLService.isXML(c)&&(c={_is_xml:!0,xml:_XMLService.encode(c)}),b[a]=c,k(),c},get:function(a,c){return l(a),a in b?b[a]&&typeof b[a]=="object"&&b[a]._is_xml&&b[a]._is_xml?_XMLService.decode(b[a].xml):b[a]:typeof c=="undefined"?null:c},deleteKey:function(a){return l(a),a in b?(delete b[a],k(),!0):!1},flush:function(){return b={},k(),!0},storageObj:function(){function a(){}return a.prototype=b,new a},index:function(){var a=[],c;for(c in b)b.hasOwnProperty(c)&&a.push(c);return a},storageSize:function(){return e},currentBackend:function(){return h},storageAvailable:function(){return!!h},reInit:function(){var a,b;if(d&&d.addBehavior){a=document.createElement("link"),d.parentNode.replaceChild(a,d),d=a,d.style.behavior="url(#default#userData)",document.getElementsByTagName("head")[0].appendChild(d),d.load("jStorage"),b="{}";try{b=d.getAttribute("jStorage")}catch(e){}c.jStorage=b,h="userDataBehavior"}j()}},i()}(window.jQuery||window.$),b.view.MemberList=Backbone.View.extend({tagName:"ul",events:{"click .nick":"nickClick"},initialize:function(a){this.model.bind("all",this.render,this),$(this.el).appendTo("#memberlists")},render:function(){var a=$(this.el);a.empty(),this.model.forEach(function(b){$('
  • '+b.get("prefix")+""+b.get("nick")+"
  • ").appendTo(a).data("member",b)})},nickClick:function(a){var c=$(a.currentTarget).parent("li"),d=c.data("member"),e=new b.view.UserBox;e.member=d,$(".userbox",this.$el).remove(),c.append(e.$el)},show:function(){$("#memberlists").children().removeClass("active"),$(this.el).addClass("active")}}),b.view.UserBox=Backbone.View.extend({events:{"click .query":"queryClick","click .info":"infoClick"},initialize:function(){this.$el=$($("#tmpl_userbox").html())},queryClick:function(a){var c=new b.model.Channel({name:this.member.get("nick")});b.app.panels.add(c),c.view.show()},infoClick:function(a){b.gateway.raw("WHOIS "+this.member.get("nick"))}}),b.view.NickChangeBox=Backbone.View.extend({events:{submit:"changeNick","click .cancel":"close"},initialize:function(){this.$el=$($("#tmpl_nickchange").html())},render:function(){b.app.controlbox.$el.prepend(this.$el),this.$el.find("input").focus(),this.$el.css("bottom",b.app.controlbox.$el.outerHeight(!0))},close:function(){this.$el.remove()},changeNick:function(a){var c=this;return b.gateway.changeNick(this.$el.find("input").val(),function(a,b){c.close()}),!1}}),b.view.ServerSelect=function(){var a="all",c=Backbone.View.extend({events:{"submit form":"submitForm","click .show_more":"showMore"},initialize:function(){this.$el=$($("#tmpl_server_select").html()),b.gateway.bind("onconnect",this.networkConnected,this),b.gateway.bind("connecting",this.networkConnecting,this),b.gateway.bind("onirc_error",function(a){$("button",this.$el).attr("disabled",null),a.error=="nickname_in_use"&&(this.setStatus("Nickname already taken"),this.show("nick_change"))},this)},submitForm:function(b){return a==="nick_change"?this.submitNickChange(b):this.submitLogin(b),$("button",this.$el).attr("disabled",1),!1},submitLogin:function(a){if($("button",this.$el).attr("disabled"))return;var b={nick:$(".nick",this.$el).val(),server:$(".server",this.$el).val(),port:$(".port",this.$el).val(),ssl:$(".ssl",this.$el).prop("checked"),password:$(".password",this.$el).val(),channel:$(".channel",this.$el).val()};this.trigger("server_connect",b)},submitNickChange:function(a){b.gateway.changeNick($(".nick",this.$el).val()),this.networkConnecting()},showMore:function(a){$(".more",this.$el).slideDown("fast"),$(".server",this.$el).select()},populateFields:function(a){var b,c,d;a=a||{},b=a.nick||"",c=a.server||"",port=a.port||6667,ssl=a.ssl||0,password=a.password||"",d=a.channel||"",$(".nick",this.$el).val(b),$(".server",this.$el).val(c),$(".port",this.$el).val(port),$(".ssl",this.$el).prop("checked",ssl),$(".password",this.$el).val(password),$(".channel",this.$el).val(d)},hide:function(){this.$el.slideUp()},show:function(b){b=b||"all",this.$el.show(),b==="all"?$(".show_more",this.$el).show():b==="more"?$(".more",this.$el).slideDown("fast"):b==="nick_change"&&($(".more",this.$el).hide(),$(".show_more",this.$el).hide()),a=b},setStatus:function(a,b){$(".status",this.$el).text(a).attr("class","status").addClass(b).show()},clearStatus:function(){$(".status",this.$el).hide()},networkConnected:function(a){this.setStatus("Connected :)","ok"),$("form",this.$el).hide()},networkConnecting:function(a){this.setStatus("Connecting..","ok")},showError:function(a){this.setStatus("Error connecting","error"),$("button",this.$el).attr("disabled",null),this.show()}});return new c(arguments)},b.view.Panel=Backbone.View.extend({tagName:"div",className:"messages",events:{"click .chan":"chanClick"},initialize:function(a){this.initializePanel(a)},initializePanel:function(a){this.$el.css("display","none"),a=a||{},a.container?this.$container=$(a.container):this.$container=$("#panels .container1"),this.$el.appendTo(this.$container),this.alert_level=0,this.model.bind("msg",this.newMsg,this),this.msg_count=0,this.model.set({view:this},{silent:!0})},render:function(){this.$el.empty(),this.model.get("backscroll").forEach(this.newMsg)},newMsg:function(a){var c,d,e=this.$el,f;a.msg=$("
    ").text(a.msg).html(),c=new RegExp("\\B(["+b.gateway.get("channel_prefix")+"][^ ,.\\007]+)","g"),a.msg=a.msg.replace(c,function(a){return''+a+""}),a.msg=a.msg.replace(/((https?\:\/\/|ftp\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]*))?/gi,function(a){var b;return a.match(/^www\./)&&(a="http://"+a),b=a,b.length>100&&(b=b.substr(0,100)+"..."),''+b+""}),a.msg=h(a.msg),f=function(a){var b=0,c;return _.map(a.split(""),function(a){b+=a.charCodeAt(0)}),c=g(b%255,70,35),c=c[2]|c[1]<<8|c[0]<<16,"#"+c.toString(16)}(a.nick),a.nick_style="color:"+f+";",d='
    <%- time %>
    <%- nick %>
    <%= msg %>
    ',e.append(_.template(d,a)),a.type.match(/^action /)?this.alert("action"):a.msg.indexOf(b.gateway.get("nick"))>-1?(b.app.view.alertWindow("* People are talking!"),this.alert("highlight")):(this.model.isActive()&&b.app.view.alertWindow("* People are talking!"),this.alert("activity")),this.scrollToBottom(),this.msg_count++,this.msg_count>250&&($(".msg:first",this.$el).remove(),this.msg_count--)},chanClick:function(a){b.gateway.join($(a.srcElement).text())},show:function(){var a=this.$el;this.$container.children().css("display","none"),a.css("display","block");var c=this.model.get("members");c?($("#memberlists").show(),c.view.show()):$("#memberlists").hide().children().removeClass("active"),b.app.view.doLayout(),this.scrollToBottom(),this.alert("none"),this.trigger("active",this.model),b.app.panels.trigger("active",this.model)},alert:function(a){if(this.model==b.app.panels.active)return;var c,d;c=["none","action","activity","highlight"],a=a||"none",d=_.indexOf(c,a),d||(a="none",d=0);if(d!==0&&d<=this.alert_level)return;this.model.tab.removeClass(function(a,b){return(b.match(/\balert_\S+/g)||[]).join(" ")}),a!=="none"&&this.model.tab.addClass("alert_"+a),this.alert_level=d},scrollToBottom:function(){this.$container[0].scrollTop=this.$container[0].scrollHeight}}),b.view.Applet=b.view.Panel.extend({className:"applet",initialize:function(a){this.initializePanel(a)}}),b.view.Channel=b.view.Panel.extend({initialize:function(a){this.initializePanel(a),this.model.bind("change:topic",this.topic,this)},topic:function(a){if(typeof a!="string"||!a)a=this.model.get("topic");this.model.addMsg("","== Topic for "+this.model.get("name")+" is: "+a,"topic"),b.app.panels.active===this&&b.app.topicbar.setCurrentTopic(this.model.get("topic"))}}),b.view.Tabs=Backbone.View.extend({events:{"click li":"tabClick","click li img":"partClick"},initialize:function(){this.model.on("add",this.panelAdded,this),this.model.on("remove",this.panelRemoved,this),this.model.on("reset",this.render,this),this.model.on("active",this.panelActive,this),this.tabs_applets=$("ul.applets",this.$el),this.tabs_msg=$("ul.channels",this.$el),b.gateway.on("change:name",function(a,b){$("span",this.model.server.tab).text(b)},this)},render:function(){var a=this;this.tabs_msg.empty(),this.model.server.tab.data("panel_id",this.model.server.cid).appendTo(this.tabs_msg),this.model.forEach(function(b){if(b==a.model.server)return;b.tab.data("panel_id",b.cid).appendTo(b.isApplet()?this.tabs_applets:this.tabs_msg)}),b.app.view.doLayout()},updateTabTitle:function(a,b){$("span",a.tab).text(b)},panelAdded:function(a){a.tab=$("
  • "+(a.get("title")||a.get("name"))+"
  • "),a.isServer()&&a.tab.addClass("server"),a.tab.data("panel_id",a.cid).appendTo(a.isApplet()?this.tabs_applets:this.tabs_msg),a.bind("change:title",this.updateTabTitle),b.app.view.doLayout()},panelRemoved:function(a){a.tab.remove(),delete a.tab,b.app.view.doLayout()},panelActive:function(a){$("img",this.$el).remove(),this.tabs_applets.children().removeClass("active"),this.tabs_msg.children().removeClass("active"),a.tab.addClass("active"),a.isServer()||a.tab.append('')},tabClick:function(a){var b=$(a.currentTarget),c=this.model.getByCid(b.data("panel_id"));if(!c)return;c.view.show()},partClick:function(a){var c=$(a.currentTarget).parent(),d=this.model.getByCid(c.data("panel_id"));d.isChannel()&&d.get("members").models.length>0?b.gateway.part(d.get("name")):d.close()},next:function(){var a=b.app.panels.active.tab.next();a.length||(a=$("li:first",this.tabs_msgs)),a.click()},prev:function(){var a=b.app.panels.active.tab.prev();a.length||(a=$("li:last",this.tabs_msgs)),a.click()}}),b.view.TopicBar=Backbone.View.extend({events:{"keydown input":"process"},initialize:function(){b.app.panels.bind("active",function(a){this.setCurrentTopic(a.get("topic"))},this)},process:function(a){var c=$(a.currentTarget),d=c.val();if(a.keyCode!==13)return;b.app.panels.active.isChannel()&&b.gateway.topic(b.app.panels.active.get("name"),d)},setCurrentTopic:function(a){a=a||"",a=$("
    ").html(h(a)),$("input",this.$el).val(a.text())}}),b.view.ControlBox=Backbone.View.extend({events:{"keydown input.inp":"process","click .nick":"showNickChange"},initialize:function(){var a=this;this.buffer=[],this.buffer_pos=0,this.preprocessor=new f,this.preprocessor.recursive_depth=5,this.tabcomplete={active:!1,data:[],prefix:""},b.gateway.bind("change:nick",function(){$(".nick",a.$el).text(this.get("nick"))})},showNickChange:function(a){(new b.view.NickChangeBox).render()},process:function(a){var c=this,d=$(a.currentTarget),e=d.val(),f;navigator.appVersion.indexOf("Mac")!==-1?f=a.ctrlKey:f=a.altKey,this.tabcomplete.active&&a.keyCode!==9&&(this.tabcomplete.active=!1,this.tabcomplete.data=[],this.tabcomplete.prefix="");switch(!0){case a.keyCode===13:e=e.trim(),e&&(this.processInput(d.val()),this.buffer.push(d.val()),this.buffer_pos=this.buffer.length),d.val("");break;case a.keyCode===38:this.buffer_pos>0&&(this.buffer_pos--,d.val(this.buffer[this.buffer_pos]));break;case a.keyCode===40:this.buffer_pos0&&(f=d[0].selectionStart-i.length,b=e.substr(0,f),g=this.tabcomplete.data.shift(),this.tabcomplete.data.push(g),b+=g,b+=e.substr(d[0].selectionStart),d.val(b),d[0].setSelectionRange?d[0].setSelectionRange(f+g.length,f+g.length):d[0].createTextRange&&(h=d[0].createTextRange(),h.collapse(!0),h.moveEnd("character",f+g.length),h.moveStart("character",f+g.length),h.select()))}.apply(this),!1}},processInput:function(a){var c,d,e;a[0]!=="/"&&(a="/msg "+b.app.panels.active.get("name")+" "+a),this.preprocessor.vars.server=b.gateway.get("name"),this.preprocessor.vars.channel=b.app.panels.active.get("name"),this.preprocessor.vars.destination=this.preprocessor.vars.channel,a=this.preprocessor.process(a),d=a.split(" "),d[0][0]==="/"?(c=d[0].substr(1).toLowerCase(),d=d.splice(1)):(c="msg",d.unshift(b.app.panels.active.get("name"))),this.trigger("command",{command:c,params:d}),this.trigger("command_"+c,{command:c,params:d}),this._callbacks["command_"+c]||this.trigger("unknown_command",{command:c,params:d})}}),b.view.StatusMessage=Backbone.View.extend({initialize:function(){this.$el.hide(),this.tmr=null},text:function(a,c){c=c||{},c.type=c.type||"",c.timeout=c.timeout||5e3,this.$el.text(a).attr("class",c.type),this.$el.slideDown(b.app.view.doLayout),c.timeout&&this.doTimeout(c.timeout)},html:function(a,c){c=c||{},c.type=c.type||"",c.timeout=c.timeout||5e3,this.$el.html(text).attr("class",c.type),this.$el.slideDown(b.app.view.doLayout),c.timeout&&this.doTimeout(c.timeout)},hide:function(){this.$el.slideUp(b.app.view.doLayout)},doTimeout:function(a){this.tmr&&clearTimeout(this.tmr);var b=this;this.tmr=setTimeout(function(){b.hide()},a)}}),b.view.ResizeHandler=Backbone.View.extend({events:{mousedown:"startDrag",mouseup:"stopDrag"},initialize:function(){this.dragging=!1,this.starting_width={},$(window).on("mousemove",$.proxy(this.onDrag,this))},startDrag:function(a){this.dragging=!0},stopDrag:function(a){this.dragging=!1},onDrag:function(a){if(!this.dragging)return;this.$el.css("left",a.clientX-this.$el.outerWidth(!0)/2),$("#memberlists").css("width",this.$el.parent().width()-(this.$el.position().left+this.$el.outerWidth())),b.app.view.doLayout()}}),b.view.Application=Backbone.View.extend({initialize:function(){$(window).resize(this.doLayout),$("#toolbar").resize(this.doLayout),$("#controlbox").resize(this.doLayout),this.doLayout(),$(document).keydown(this.setKeyFocus),window.onbeforeunload=function(){if(b.gateway.isConnected())return"This will close all KiwiIRC conversations. Are you sure you want to close this window?"}},setKeyFocus:function(a){if(a.ctrlKey||a.altKey)return;if(a.target.tagName.toLowerCase()==="input")return;$("#controlbox .inp").focus()},doLayout:function(){var a=$("#panels"),b=$("#memberlists"),c=$("#toolbar"),d=$("#controlbox"),e=$("#memberlists_resize_handle"),f={top:c.outerHeight(!0),bottom:d.outerHeight(!0)};a.css(f),b.css(f),e.css(f),b.css("display")!="none"?(a.css("right",b.outerWidth(!0)+e.outerWidth(!0)),e.css("left",b.position().left-e.outerWidth(!0))):(a.css("right",e.outerWidth(!0)),e.css("left",a.outerWidth(!0)))},alertWindow:function(a){this.alertWindowTimer||(this.alertWindowTimer=new function(){var a=this,b,c=!0,d=0,e="Kiwi IRC",f="Kiwi IRC";this.setTitle=function(a){return a=a||e,window.document.title=a,a},this.start=function(a){if(c)return;f=a;if(b)return;b=setInterval(this.update,1e3)},this.stop=function(){b&&clearInterval(b),b=null,this.setTitle(),setTimeout(this.reset,2e3)},this.reset=function(){if(b)return;a.setTitle()},this.update=function(){d===0?(a.setTitle(f),d=1):(a.setTitle(),d=0)},$(window).focus(function(b){c=!0,a.stop(),setTimeout(this.reset,2e3)}),$(window).blur(function(a){c=!1})}),this.alertWindowTimer.start(a)},barsHide:function(a){var b=this;a?($("#toolbar").slideUp(0),$("#controlbox").slideUp(0),this.doLayout()):($("#toolbar").slideUp({queue:!1,duration:400,step:this.doLayout}),$("#controlbox").slideUp({queue:!1,duration:400,step:this.doLayout}))},barsShow:function(a){var b=this;a?($("#toolbar").slideDown(0),$("#controlbox").slideDown(0),this.doLayout()):($("#toolbar").slideDown({queue:!1,duration:400,step:this.doLayout}),$("#controlbox").slideDown({queue:!1,duration:400,step:this.doLayout}))}})})(window) \ No newline at end of file -- 2.25.1