into consideration
var options = [], j, $options, $values, value, values;
if ($field.attr('type') == 'list-single' || $field.attr('type') == 'list-multi') {
values = [];
$values = $field.children('value');
for (j=0; j<$values.length; j++) {
values.push($($values[j]).text());
}
$options = $field.children('option');
for (j=0; j<$options.length; j++) {
value = $($options[j]).find('value').text();
options.push(templates.select_option({
value: value,
label: $($options[j]).attr('label'),
selected: (values.indexOf(value) >= 0),
required: $field.find('required').length
}));
}
return templates.form_select({
name: $field.attr('var'),
label: $field.attr('label'),
options: options.join(''),
multiple: ($field.attr('type') == 'list-multi'),
required: $field.find('required').length
});
} else if ($field.attr('type') == 'fixed') {
return $('').text($field.find('value').text());
} else if ($field.attr('type') == 'jid-multi') {
return templates.form_textarea({
name: $field.attr('var'),
label: $field.attr('label') || '',
value: $field.find('value').text(),
required: $field.find('required').length
});
} else if ($field.attr('type') == 'boolean') {
return templates.form_checkbox({
name: $field.attr('var'),
type: XFORM_TYPE_MAP[$field.attr('type')],
label: $field.attr('label') || '',
checked: $field.find('value').text() === "1" && 'checked="1"' || '',
required: $field.find('required').length
});
} else if ($field.attr('type') && $field.attr('var') === 'username') {
return templates.form_username({
domain: ' @'+this.domain,
name: $field.attr('var'),
type: XFORM_TYPE_MAP[$field.attr('type')],
label: $field.attr('label') || '',
value: $field.find('value').text(),
required: $field.find('required').length
});
} else if ($field.attr('type')) {
return templates.form_input({
name: $field.attr('var'),
type: XFORM_TYPE_MAP[$field.attr('type')],
label: $field.attr('label') || '',
value: $field.find('value').text(),
required: $field.find('required').length
});
} else {
if ($field.attr('var') === 'ocr') { // Captcha
return _.reduce(_.map($field.find('uri'),
$.proxy(function (uri) {
return templates.form_captcha({
label: this.$field.attr('label'),
name: this.$field.attr('var'),
data: this.$stanza.find('data[cid="'+uri.textContent.replace(/^cid:/, '')+'"]').text(),
type: uri.getAttribute('type'),
required: this.$field.find('required').length
});
}, {'$stanza': $stanza, '$field': $field})
),
function (memo, num) { return memo + num; }, ''
);
}
}
}
};
return utils;
});
//! moment.js
//! version : 2.6.0
//! authors : Tim Wood, Iskren Chernev, Moment.js contributors
//! license : MIT
//! momentjs.com
(function (undefined) {
/************************************
Constants
************************************/
var moment,
VERSION = "2.6.0",
// the global-scope this is NOT the global object in Node.js
globalScope = typeof global !== 'undefined' ? global : this,
oldGlobalMoment,
round = Math.round,
i,
YEAR = 0,
MONTH = 1,
DATE = 2,
HOUR = 3,
MINUTE = 4,
SECOND = 5,
MILLISECOND = 6,
// internal storage for language config files
languages = {},
// moment internal properties
momentProperties = {
_isAMomentObject: null,
_i : null,
_f : null,
_l : null,
_strict : null,
_isUTC : null,
_offset : null, // optional. Combine with _isUTC
_pf : null,
_lang : null // optional
},
// check for nodeJS
hasModule = (typeof module !== 'undefined' && module.exports),
// ASP.NET json date format regex
aspNetJsonRegex = /^\/?Date\((\-?\d+)/i,
aspNetTimeSpanJsonRegex = /(\-)?(?:(\d*)\.)?(\d+)\:(\d+)(?:\:(\d+)\.?(\d{3})?)?/,
// from http://docs.closure-library.googlecode.com/git/closure_goog_date_date.js.source.html
// somewhat more in line with 4.4.3.2 2004 spec, but allows decimal anywhere
isoDurationRegex = /^(-)?P(?:(?:([0-9,.]*)Y)?(?:([0-9,.]*)M)?(?:([0-9,.]*)D)?(?:T(?:([0-9,.]*)H)?(?:([0-9,.]*)M)?(?:([0-9,.]*)S)?)?|([0-9,.]*)W)$/,
// format tokens
formattingTokens = /(\[[^\[]*\])|(\\)?(Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Q|YYYYYY|YYYYY|YYYY|YY|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|mm?|ss?|S{1,4}|X|zz?|ZZ?|.)/g,
localFormattingTokens = /(\[[^\[]*\])|(\\)?(LT|LL?L?L?|l{1,4})/g,
// parsing token regexes
parseTokenOneOrTwoDigits = /\d\d?/, // 0 - 99
parseTokenOneToThreeDigits = /\d{1,3}/, // 0 - 999
parseTokenOneToFourDigits = /\d{1,4}/, // 0 - 9999
parseTokenOneToSixDigits = /[+\-]?\d{1,6}/, // -999,999 - 999,999
parseTokenDigits = /\d+/, // nonzero number of digits
parseTokenWord = /[0-9]*['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+|[\u0600-\u06FF\/]+(\s*?[\u0600-\u06FF]+){1,2}/i, // any word (or two) characters or numbers including two/three word month in arabic.
parseTokenTimezone = /Z|[\+\-]\d\d:?\d\d/gi, // +00:00 -00:00 +0000 -0000 or Z
parseTokenT = /T/i, // T (ISO separator)
parseTokenTimestampMs = /[\+\-]?\d+(\.\d{1,3})?/, // 123456789 123456789.123
parseTokenOrdinal = /\d{1,2}/,
//strict parsing regexes
parseTokenOneDigit = /\d/, // 0 - 9
parseTokenTwoDigits = /\d\d/, // 00 - 99
parseTokenThreeDigits = /\d{3}/, // 000 - 999
parseTokenFourDigits = /\d{4}/, // 0000 - 9999
parseTokenSixDigits = /[+-]?\d{6}/, // -999,999 - 999,999
parseTokenSignedNumber = /[+-]?\d+/, // -inf - inf
// iso 8601 regex
// 0000-00-00 0000-W00 or 0000-W00-0 + T + 00 or 00:00 or 00:00:00 or 00:00:00.000 + +00:00 or +0000 or +00)
isoRegex = /^\s*(?:[+-]\d{6}|\d{4})-(?:(\d\d-\d\d)|(W\d\d$)|(W\d\d-\d)|(\d\d\d))((T| )(\d\d(:\d\d(:\d\d(\.\d+)?)?)?)?([\+\-]\d\d(?::?\d\d)?|\s*Z)?)?$/,
isoFormat = 'YYYY-MM-DDTHH:mm:ssZ',
isoDates = [
['YYYYYY-MM-DD', /[+-]\d{6}-\d{2}-\d{2}/],
['YYYY-MM-DD', /\d{4}-\d{2}-\d{2}/],
['GGGG-[W]WW-E', /\d{4}-W\d{2}-\d/],
['GGGG-[W]WW', /\d{4}-W\d{2}/],
['YYYY-DDD', /\d{4}-\d{3}/]
],
// iso time formats and regexes
isoTimes = [
['HH:mm:ss.SSSS', /(T| )\d\d:\d\d:\d\d\.\d+/],
['HH:mm:ss', /(T| )\d\d:\d\d:\d\d/],
['HH:mm', /(T| )\d\d:\d\d/],
['HH', /(T| )\d\d/]
],
// timezone chunker "+10:00" > ["10", "00"] or "-1530" > ["-15", "30"]
parseTimezoneChunker = /([\+\-]|\d\d)/gi,
// getter and setter names
proxyGettersAndSetters = 'Date|Hours|Minutes|Seconds|Milliseconds'.split('|'),
unitMillisecondFactors = {
'Milliseconds' : 1,
'Seconds' : 1e3,
'Minutes' : 6e4,
'Hours' : 36e5,
'Days' : 864e5,
'Months' : 2592e6,
'Years' : 31536e6
},
unitAliases = {
ms : 'millisecond',
s : 'second',
m : 'minute',
h : 'hour',
d : 'day',
D : 'date',
w : 'week',
W : 'isoWeek',
M : 'month',
Q : 'quarter',
y : 'year',
DDD : 'dayOfYear',
e : 'weekday',
E : 'isoWeekday',
gg: 'weekYear',
GG: 'isoWeekYear'
},
camelFunctions = {
dayofyear : 'dayOfYear',
isoweekday : 'isoWeekday',
isoweek : 'isoWeek',
weekyear : 'weekYear',
isoweekyear : 'isoWeekYear'
},
// format function strings
formatFunctions = {},
// tokens to ordinalize and pad
ordinalizeTokens = 'DDD w W M D d'.split(' '),
paddedTokens = 'M D H h m s w W'.split(' '),
formatTokenFunctions = {
M : function () {
return this.month() + 1;
},
MMM : function (format) {
return this.lang().monthsShort(this, format);
},
MMMM : function (format) {
return this.lang().months(this, format);
},
D : function () {
return this.date();
},
DDD : function () {
return this.dayOfYear();
},
d : function () {
return this.day();
},
dd : function (format) {
return this.lang().weekdaysMin(this, format);
},
ddd : function (format) {
return this.lang().weekdaysShort(this, format);
},
dddd : function (format) {
return this.lang().weekdays(this, format);
},
w : function () {
return this.week();
},
W : function () {
return this.isoWeek();
},
YY : function () {
return leftZeroFill(this.year() % 100, 2);
},
YYYY : function () {
return leftZeroFill(this.year(), 4);
},
YYYYY : function () {
return leftZeroFill(this.year(), 5);
},
YYYYYY : function () {
var y = this.year(), sign = y >= 0 ? '+' : '-';
return sign + leftZeroFill(Math.abs(y), 6);
},
gg : function () {
return leftZeroFill(this.weekYear() % 100, 2);
},
gggg : function () {
return leftZeroFill(this.weekYear(), 4);
},
ggggg : function () {
return leftZeroFill(this.weekYear(), 5);
},
GG : function () {
return leftZeroFill(this.isoWeekYear() % 100, 2);
},
GGGG : function () {
return leftZeroFill(this.isoWeekYear(), 4);
},
GGGGG : function () {
return leftZeroFill(this.isoWeekYear(), 5);
},
e : function () {
return this.weekday();
},
E : function () {
return this.isoWeekday();
},
a : function () {
return this.lang().meridiem(this.hours(), this.minutes(), true);
},
A : function () {
return this.lang().meridiem(this.hours(), this.minutes(), false);
},
H : function () {
return this.hours();
},
h : function () {
return this.hours() % 12 || 12;
},
m : function () {
return this.minutes();
},
s : function () {
return this.seconds();
},
S : function () {
return toInt(this.milliseconds() / 100);
},
SS : function () {
return leftZeroFill(toInt(this.milliseconds() / 10), 2);
},
SSS : function () {
return leftZeroFill(this.milliseconds(), 3);
},
SSSS : function () {
return leftZeroFill(this.milliseconds(), 3);
},
Z : function () {
var a = -this.zone(),
b = "+";
if (a < 0) {
a = -a;
b = "-";
}
return b + leftZeroFill(toInt(a / 60), 2) + ":" + leftZeroFill(toInt(a) % 60, 2);
},
ZZ : function () {
var a = -this.zone(),
b = "+";
if (a < 0) {
a = -a;
b = "-";
}
return b + leftZeroFill(toInt(a / 60), 2) + leftZeroFill(toInt(a) % 60, 2);
},
z : function () {
return this.zoneAbbr();
},
zz : function () {
return this.zoneName();
},
X : function () {
return this.unix();
},
Q : function () {
return this.quarter();
}
},
lists = ['months', 'monthsShort', 'weekdays', 'weekdaysShort', 'weekdaysMin'];
function defaultParsingFlags() {
// We need to deep clone this object, and es5 standard is not very
// helpful.
return {
empty : false,
unusedTokens : [],
unusedInput : [],
overflow : -2,
charsLeftOver : 0,
nullInput : false,
invalidMonth : null,
invalidFormat : false,
userInvalidated : false,
iso: false
};
}
function deprecate(msg, fn) {
var firstTime = true;
function printMsg() {
if (moment.suppressDeprecationWarnings === false &&
typeof console !== 'undefined' && console.warn) {
console.warn("Deprecation warning: " + msg);
}
}
return extend(function () {
if (firstTime) {
printMsg();
firstTime = false;
}
return fn.apply(this, arguments);
}, fn);
}
function padToken(func, count) {
return function (a) {
return leftZeroFill(func.call(this, a), count);
};
}
function ordinalizeToken(func, period) {
return function (a) {
return this.lang().ordinal(func.call(this, a), period);
};
}
while (ordinalizeTokens.length) {
i = ordinalizeTokens.pop();
formatTokenFunctions[i + 'o'] = ordinalizeToken(formatTokenFunctions[i], i);
}
while (paddedTokens.length) {
i = paddedTokens.pop();
formatTokenFunctions[i + i] = padToken(formatTokenFunctions[i], 2);
}
formatTokenFunctions.DDDD = padToken(formatTokenFunctions.DDD, 3);
/************************************
Constructors
************************************/
function Language() {
}
// Moment prototype object
function Moment(config) {
checkOverflow(config);
extend(this, config);
}
// Duration Constructor
function Duration(duration) {
var normalizedInput = normalizeObjectUnits(duration),
years = normalizedInput.year || 0,
quarters = normalizedInput.quarter || 0,
months = normalizedInput.month || 0,
weeks = normalizedInput.week || 0,
days = normalizedInput.day || 0,
hours = normalizedInput.hour || 0,
minutes = normalizedInput.minute || 0,
seconds = normalizedInput.second || 0,
milliseconds = normalizedInput.millisecond || 0;
// representation for dateAddRemove
this._milliseconds = +milliseconds +
seconds * 1e3 + // 1000
minutes * 6e4 + // 1000 * 60
hours * 36e5; // 1000 * 60 * 60
// Because of dateAddRemove treats 24 hours as different from a
// day when working around DST, we need to store them separately
this._days = +days +
weeks * 7;
// It is impossible translate months into days without knowing
// which months you are are talking about, so we have to store
// it separately.
this._months = +months +
quarters * 3 +
years * 12;
this._data = {};
this._bubble();
}
/************************************
Helpers
************************************/
function extend(a, b) {
for (var i in b) {
if (b.hasOwnProperty(i)) {
a[i] = b[i];
}
}
if (b.hasOwnProperty("toString")) {
a.toString = b.toString;
}
if (b.hasOwnProperty("valueOf")) {
a.valueOf = b.valueOf;
}
return a;
}
function cloneMoment(m) {
var result = {}, i;
for (i in m) {
if (m.hasOwnProperty(i) && momentProperties.hasOwnProperty(i)) {
result[i] = m[i];
}
}
return result;
}
function absRound(number) {
if (number < 0) {
return Math.ceil(number);
} else {
return Math.floor(number);
}
}
// left zero fill a number
// see http://jsperf.com/left-zero-filling for performance comparison
function leftZeroFill(number, targetLength, forceSign) {
var output = '' + Math.abs(number),
sign = number >= 0;
while (output.length < targetLength) {
output = '0' + output;
}
return (sign ? (forceSign ? '+' : '') : '-') + output;
}
// helper function for _.addTime and _.subtractTime
function addOrSubtractDurationFromMoment(mom, duration, isAdding, updateOffset) {
var milliseconds = duration._milliseconds,
days = duration._days,
months = duration._months;
updateOffset = updateOffset == null ? true : updateOffset;
if (milliseconds) {
mom._d.setTime(+mom._d + milliseconds * isAdding);
}
if (days) {
rawSetter(mom, 'Date', rawGetter(mom, 'Date') + days * isAdding);
}
if (months) {
rawMonthSetter(mom, rawGetter(mom, 'Month') + months * isAdding);
}
if (updateOffset) {
moment.updateOffset(mom, days || months);
}
}
// check if is an array
function isArray(input) {
return Object.prototype.toString.call(input) === '[object Array]';
}
function isDate(input) {
return Object.prototype.toString.call(input) === '[object Date]' ||
input instanceof Date;
}
// compare two arrays, return the number of differences
function compareArrays(array1, array2, dontConvert) {
var len = Math.min(array1.length, array2.length),
lengthDiff = Math.abs(array1.length - array2.length),
diffs = 0,
i;
for (i = 0; i < len; i++) {
if ((dontConvert && array1[i] !== array2[i]) ||
(!dontConvert && toInt(array1[i]) !== toInt(array2[i]))) {
diffs++;
}
}
return diffs + lengthDiff;
}
function normalizeUnits(units) {
if (units) {
var lowered = units.toLowerCase().replace(/(.)s$/, '$1');
units = unitAliases[units] || camelFunctions[lowered] || lowered;
}
return units;
}
function normalizeObjectUnits(inputObject) {
var normalizedInput = {},
normalizedProp,
prop;
for (prop in inputObject) {
if (inputObject.hasOwnProperty(prop)) {
normalizedProp = normalizeUnits(prop);
if (normalizedProp) {
normalizedInput[normalizedProp] = inputObject[prop];
}
}
}
return normalizedInput;
}
function makeList(field) {
var count, setter;
if (field.indexOf('week') === 0) {
count = 7;
setter = 'day';
}
else if (field.indexOf('month') === 0) {
count = 12;
setter = 'month';
}
else {
return;
}
moment[field] = function (format, index) {
var i, getter,
method = moment.fn._lang[field],
results = [];
if (typeof format === 'number') {
index = format;
format = undefined;
}
getter = function (i) {
var m = moment().utc().set(setter, i);
return method.call(moment.fn._lang, m, format || '');
};
if (index != null) {
return getter(index);
}
else {
for (i = 0; i < count; i++) {
results.push(getter(i));
}
return results;
}
};
}
function toInt(argumentForCoercion) {
var coercedNumber = +argumentForCoercion,
value = 0;
if (coercedNumber !== 0 && isFinite(coercedNumber)) {
if (coercedNumber >= 0) {
value = Math.floor(coercedNumber);
} else {
value = Math.ceil(coercedNumber);
}
}
return value;
}
function daysInMonth(year, month) {
return new Date(Date.UTC(year, month + 1, 0)).getUTCDate();
}
function weeksInYear(year, dow, doy) {
return weekOfYear(moment([year, 11, 31 + dow - doy]), dow, doy).week;
}
function daysInYear(year) {
return isLeapYear(year) ? 366 : 365;
}
function isLeapYear(year) {
return (year % 4 === 0 && year % 100 !== 0) || year % 400 === 0;
}
function checkOverflow(m) {
var overflow;
if (m._a && m._pf.overflow === -2) {
overflow =
m._a[MONTH] < 0 || m._a[MONTH] > 11 ? MONTH :
m._a[DATE] < 1 || m._a[DATE] > daysInMonth(m._a[YEAR], m._a[MONTH]) ? DATE :
m._a[HOUR] < 0 || m._a[HOUR] > 23 ? HOUR :
m._a[MINUTE] < 0 || m._a[MINUTE] > 59 ? MINUTE :
m._a[SECOND] < 0 || m._a[SECOND] > 59 ? SECOND :
m._a[MILLISECOND] < 0 || m._a[MILLISECOND] > 999 ? MILLISECOND :
-1;
if (m._pf._overflowDayOfYear && (overflow < YEAR || overflow > DATE)) {
overflow = DATE;
}
m._pf.overflow = overflow;
}
}
function isValid(m) {
if (m._isValid == null) {
m._isValid = !isNaN(m._d.getTime()) &&
m._pf.overflow < 0 &&
!m._pf.empty &&
!m._pf.invalidMonth &&
!m._pf.nullInput &&
!m._pf.invalidFormat &&
!m._pf.userInvalidated;
if (m._strict) {
m._isValid = m._isValid &&
m._pf.charsLeftOver === 0 &&
m._pf.unusedTokens.length === 0;
}
}
return m._isValid;
}
function normalizeLanguage(key) {
return key ? key.toLowerCase().replace('_', '-') : key;
}
// Return a moment from input, that is local/utc/zone equivalent to model.
function makeAs(input, model) {
return model._isUTC ? moment(input).zone(model._offset || 0) :
moment(input).local();
}
/************************************
Languages
************************************/
extend(Language.prototype, {
set : function (config) {
var prop, i;
for (i in config) {
prop = config[i];
if (typeof prop === 'function') {
this[i] = prop;
} else {
this['_' + i] = prop;
}
}
},
_months : "January_February_March_April_May_June_July_August_September_October_November_December".split("_"),
months : function (m) {
return this._months[m.month()];
},
_monthsShort : "Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),
monthsShort : function (m) {
return this._monthsShort[m.month()];
},
monthsParse : function (monthName) {
var i, mom, regex;
if (!this._monthsParse) {
this._monthsParse = [];
}
for (i = 0; i < 12; i++) {
// make the regex if we don't have it already
if (!this._monthsParse[i]) {
mom = moment.utc([2000, i]);
regex = '^' + this.months(mom, '') + '|^' + this.monthsShort(mom, '');
this._monthsParse[i] = new RegExp(regex.replace('.', ''), 'i');
}
// test the regex
if (this._monthsParse[i].test(monthName)) {
return i;
}
}
},
_weekdays : "Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),
weekdays : function (m) {
return this._weekdays[m.day()];
},
_weekdaysShort : "Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),
weekdaysShort : function (m) {
return this._weekdaysShort[m.day()];
},
_weekdaysMin : "Su_Mo_Tu_We_Th_Fr_Sa".split("_"),
weekdaysMin : function (m) {
return this._weekdaysMin[m.day()];
},
weekdaysParse : function (weekdayName) {
var i, mom, regex;
if (!this._weekdaysParse) {
this._weekdaysParse = [];
}
for (i = 0; i < 7; i++) {
// make the regex if we don't have it already
if (!this._weekdaysParse[i]) {
mom = moment([2000, 1]).day(i);
regex = '^' + this.weekdays(mom, '') + '|^' + this.weekdaysShort(mom, '') + '|^' + this.weekdaysMin(mom, '');
this._weekdaysParse[i] = new RegExp(regex.replace('.', ''), 'i');
}
// test the regex
if (this._weekdaysParse[i].test(weekdayName)) {
return i;
}
}
},
_longDateFormat : {
LT : "h:mm A",
L : "MM/DD/YYYY",
LL : "MMMM D YYYY",
LLL : "MMMM D YYYY LT",
LLLL : "dddd, MMMM D YYYY LT"
},
longDateFormat : function (key) {
var output = this._longDateFormat[key];
if (!output && this._longDateFormat[key.toUpperCase()]) {
output = this._longDateFormat[key.toUpperCase()].replace(/MMMM|MM|DD|dddd/g, function (val) {
return val.slice(1);
});
this._longDateFormat[key] = output;
}
return output;
},
isPM : function (input) {
// IE8 Quirks Mode & IE7 Standards Mode do not allow accessing strings like arrays
// Using charAt should be more compatible.
return ((input + '').toLowerCase().charAt(0) === 'p');
},
_meridiemParse : /[ap]\.?m?\.?/i,
meridiem : function (hours, minutes, isLower) {
if (hours > 11) {
return isLower ? 'pm' : 'PM';
} else {
return isLower ? 'am' : 'AM';
}
},
_calendar : {
sameDay : '[Today at] LT',
nextDay : '[Tomorrow at] LT',
nextWeek : 'dddd [at] LT',
lastDay : '[Yesterday at] LT',
lastWeek : '[Last] dddd [at] LT',
sameElse : 'L'
},
calendar : function (key, mom) {
var output = this._calendar[key];
return typeof output === 'function' ? output.apply(mom) : output;
},
_relativeTime : {
future : "in %s",
past : "%s ago",
s : "a few seconds",
m : "a minute",
mm : "%d minutes",
h : "an hour",
hh : "%d hours",
d : "a day",
dd : "%d days",
M : "a month",
MM : "%d months",
y : "a year",
yy : "%d years"
},
relativeTime : function (number, withoutSuffix, string, isFuture) {
var output = this._relativeTime[string];
return (typeof output === 'function') ?
output(number, withoutSuffix, string, isFuture) :
output.replace(/%d/i, number);
},
pastFuture : function (diff, output) {
var format = this._relativeTime[diff > 0 ? 'future' : 'past'];
return typeof format === 'function' ? format(output) : format.replace(/%s/i, output);
},
ordinal : function (number) {
return this._ordinal.replace("%d", number);
},
_ordinal : "%d",
preparse : function (string) {
return string;
},
postformat : function (string) {
return string;
},
week : function (mom) {
return weekOfYear(mom, this._week.dow, this._week.doy).week;
},
_week : {
dow : 0, // Sunday is the first day of the week.
doy : 6 // The week that contains Jan 1st is the first week of the year.
},
_invalidDate: 'Invalid date',
invalidDate: function () {
return this._invalidDate;
}
});
// Loads a language definition into the `languages` cache. The function
// takes a key and optionally values. If not in the browser and no values
// are provided, it will load the language file module. As a convenience,
// this function also returns the language values.
function loadLang(key, values) {
values.abbr = key;
if (!languages[key]) {
languages[key] = new Language();
}
languages[key].set(values);
return languages[key];
}
// Remove a language from the `languages` cache. Mostly useful in tests.
function unloadLang(key) {
delete languages[key];
}
// Determines which language definition to use and returns it.
//
// With no parameters, it will return the global language. If you
// pass in a language key, such as 'en', it will return the
// definition for 'en', so long as 'en' has already been loaded using
// moment.lang.
function getLangDefinition(key) {
var i = 0, j, lang, next, split,
get = function (k) {
if (!languages[k] && hasModule) {
try {
require('./lang/' + k);
} catch (e) { }
}
return languages[k];
};
if (!key) {
return moment.fn._lang;
}
if (!isArray(key)) {
//short-circuit everything else
lang = get(key);
if (lang) {
return lang;
}
key = [key];
}
//pick the language from the array
//try ['en-au', 'en-gb'] as 'en-au', 'en-gb', 'en', as in move through the list trying each
//substring from most specific to least, but move to the next array item if it's a more specific variant than the current root
while (i < key.length) {
split = normalizeLanguage(key[i]).split('-');
j = split.length;
next = normalizeLanguage(key[i + 1]);
next = next ? next.split('-') : null;
while (j > 0) {
lang = get(split.slice(0, j).join('-'));
if (lang) {
return lang;
}
if (next && next.length >= j && compareArrays(split, next, true) >= j - 1) {
//the next array item is better than a shallower substring of this one
break;
}
j--;
}
i++;
}
return moment.fn._lang;
}
/************************************
Formatting
************************************/
function removeFormattingTokens(input) {
if (input.match(/\[[\s\S]/)) {
return input.replace(/^\[|\]$/g, "");
}
return input.replace(/\\/g, "");
}
function makeFormatFunction(format) {
var array = format.match(formattingTokens), i, length;
for (i = 0, length = array.length; i < length; i++) {
if (formatTokenFunctions[array[i]]) {
array[i] = formatTokenFunctions[array[i]];
} else {
array[i] = removeFormattingTokens(array[i]);
}
}
return function (mom) {
var output = "";
for (i = 0; i < length; i++) {
output += array[i] instanceof Function ? array[i].call(mom, format) : array[i];
}
return output;
};
}
// format date using native date object
function formatMoment(m, format) {
if (!m.isValid()) {
return m.lang().invalidDate();
}
format = expandFormat(format, m.lang());
if (!formatFunctions[format]) {
formatFunctions[format] = makeFormatFunction(format);
}
return formatFunctions[format](m);
}
function expandFormat(format, lang) {
var i = 5;
function replaceLongDateFormatTokens(input) {
return lang.longDateFormat(input) || input;
}
localFormattingTokens.lastIndex = 0;
while (i >= 0 && localFormattingTokens.test(format)) {
format = format.replace(localFormattingTokens, replaceLongDateFormatTokens);
localFormattingTokens.lastIndex = 0;
i -= 1;
}
return format;
}
/************************************
Parsing
************************************/
// get the regex to find the next token
function getParseRegexForToken(token, config) {
var a, strict = config._strict;
switch (token) {
case 'Q':
return parseTokenOneDigit;
case 'DDDD':
return parseTokenThreeDigits;
case 'YYYY':
case 'GGGG':
case 'gggg':
return strict ? parseTokenFourDigits : parseTokenOneToFourDigits;
case 'Y':
case 'G':
case 'g':
return parseTokenSignedNumber;
case 'YYYYYY':
case 'YYYYY':
case 'GGGGG':
case 'ggggg':
return strict ? parseTokenSixDigits : parseTokenOneToSixDigits;
case 'S':
if (strict) { return parseTokenOneDigit; }
/* falls through */
case 'SS':
if (strict) { return parseTokenTwoDigits; }
/* falls through */
case 'SSS':
if (strict) { return parseTokenThreeDigits; }
/* falls through */
case 'DDD':
return parseTokenOneToThreeDigits;
case 'MMM':
case 'MMMM':
case 'dd':
case 'ddd':
case 'dddd':
return parseTokenWord;
case 'a':
case 'A':
return getLangDefinition(config._l)._meridiemParse;
case 'X':
return parseTokenTimestampMs;
case 'Z':
case 'ZZ':
return parseTokenTimezone;
case 'T':
return parseTokenT;
case 'SSSS':
return parseTokenDigits;
case 'MM':
case 'DD':
case 'YY':
case 'GG':
case 'gg':
case 'HH':
case 'hh':
case 'mm':
case 'ss':
case 'ww':
case 'WW':
return strict ? parseTokenTwoDigits : parseTokenOneOrTwoDigits;
case 'M':
case 'D':
case 'd':
case 'H':
case 'h':
case 'm':
case 's':
case 'w':
case 'W':
case 'e':
case 'E':
return parseTokenOneOrTwoDigits;
case 'Do':
return parseTokenOrdinal;
default :
a = new RegExp(regexpEscape(unescapeFormat(token.replace('\\', '')), "i"));
return a;
}
}
function timezoneMinutesFromString(string) {
string = string || "";
var possibleTzMatches = (string.match(parseTokenTimezone) || []),
tzChunk = possibleTzMatches[possibleTzMatches.length - 1] || [],
parts = (tzChunk + '').match(parseTimezoneChunker) || ['-', 0, 0],
minutes = +(parts[1] * 60) + toInt(parts[2]);
return parts[0] === '+' ? -minutes : minutes;
}
// function to convert string input to date
function addTimeToArrayFromToken(token, input, config) {
var a, datePartArray = config._a;
switch (token) {
// QUARTER
case 'Q':
if (input != null) {
datePartArray[MONTH] = (toInt(input) - 1) * 3;
}
break;
// MONTH
case 'M' : // fall through to MM
case 'MM' :
if (input != null) {
datePartArray[MONTH] = toInt(input) - 1;
}
break;
case 'MMM' : // fall through to MMMM
case 'MMMM' :
a = getLangDefinition(config._l).monthsParse(input);
// if we didn't find a month name, mark the date as invalid.
if (a != null) {
datePartArray[MONTH] = a;
} else {
config._pf.invalidMonth = input;
}
break;
// DAY OF MONTH
case 'D' : // fall through to DD
case 'DD' :
if (input != null) {
datePartArray[DATE] = toInt(input);
}
break;
case 'Do' :
if (input != null) {
datePartArray[DATE] = toInt(parseInt(input, 10));
}
break;
// DAY OF YEAR
case 'DDD' : // fall through to DDDD
case 'DDDD' :
if (input != null) {
config._dayOfYear = toInt(input);
}
break;
// YEAR
case 'YY' :
datePartArray[YEAR] = moment.parseTwoDigitYear(input);
break;
case 'YYYY' :
case 'YYYYY' :
case 'YYYYYY' :
datePartArray[YEAR] = toInt(input);
break;
// AM / PM
case 'a' : // fall through to A
case 'A' :
config._isPm = getLangDefinition(config._l).isPM(input);
break;
// 24 HOUR
case 'H' : // fall through to hh
case 'HH' : // fall through to hh
case 'h' : // fall through to hh
case 'hh' :
datePartArray[HOUR] = toInt(input);
break;
// MINUTE
case 'm' : // fall through to mm
case 'mm' :
datePartArray[MINUTE] = toInt(input);
break;
// SECOND
case 's' : // fall through to ss
case 'ss' :
datePartArray[SECOND] = toInt(input);
break;
// MILLISECOND
case 'S' :
case 'SS' :
case 'SSS' :
case 'SSSS' :
datePartArray[MILLISECOND] = toInt(('0.' + input) * 1000);
break;
// UNIX TIMESTAMP WITH MS
case 'X':
config._d = new Date(parseFloat(input) * 1000);
break;
// TIMEZONE
case 'Z' : // fall through to ZZ
case 'ZZ' :
config._useUTC = true;
config._tzm = timezoneMinutesFromString(input);
break;
case 'w':
case 'ww':
case 'W':
case 'WW':
case 'd':
case 'dd':
case 'ddd':
case 'dddd':
case 'e':
case 'E':
token = token.substr(0, 1);
/* falls through */
case 'gg':
case 'gggg':
case 'GG':
case 'GGGG':
case 'GGGGG':
token = token.substr(0, 2);
if (input) {
config._w = config._w || {};
config._w[token] = input;
}
break;
}
}
// convert an array to a date.
// the array should mirror the parameters below
// note: all values past the year are optional and will default to the lowest possible value.
// [year, month, day , hour, minute, second, millisecond]
function dateFromConfig(config) {
var i, date, input = [], currentDate,
yearToUse, fixYear, w, temp, lang, weekday, week;
if (config._d) {
return;
}
currentDate = currentDateArray(config);
//compute day of the year from weeks and weekdays
if (config._w && config._a[DATE] == null && config._a[MONTH] == null) {
fixYear = function (val) {
var intVal = parseInt(val, 10);
return val ?
(val.length < 3 ? (intVal > 68 ? 1900 + intVal : 2000 + intVal) : intVal) :
(config._a[YEAR] == null ? moment().weekYear() : config._a[YEAR]);
};
w = config._w;
if (w.GG != null || w.W != null || w.E != null) {
temp = dayOfYearFromWeeks(fixYear(w.GG), w.W || 1, w.E, 4, 1);
}
else {
lang = getLangDefinition(config._l);
weekday = w.d != null ? parseWeekday(w.d, lang) :
(w.e != null ? parseInt(w.e, 10) + lang._week.dow : 0);
week = parseInt(w.w, 10) || 1;
//if we're parsing 'd', then the low day numbers may be next week
if (w.d != null && weekday < lang._week.dow) {
week++;
}
temp = dayOfYearFromWeeks(fixYear(w.gg), week, weekday, lang._week.doy, lang._week.dow);
}
config._a[YEAR] = temp.year;
config._dayOfYear = temp.dayOfYear;
}
//if the day of the year is set, figure out what it is
if (config._dayOfYear) {
yearToUse = config._a[YEAR] == null ? currentDate[YEAR] : config._a[YEAR];
if (config._dayOfYear > daysInYear(yearToUse)) {
config._pf._overflowDayOfYear = true;
}
date = makeUTCDate(yearToUse, 0, config._dayOfYear);
config._a[MONTH] = date.getUTCMonth();
config._a[DATE] = date.getUTCDate();
}
// Default to current date.
// * if no year, month, day of month are given, default to today
// * if day of month is given, default month and year
// * if month is given, default only year
// * if year is given, don't default anything
for (i = 0; i < 3 && config._a[i] == null; ++i) {
config._a[i] = input[i] = currentDate[i];
}
// Zero out whatever was not defaulted, including time
for (; i < 7; i++) {
config._a[i] = input[i] = (config._a[i] == null) ? (i === 2 ? 1 : 0) : config._a[i];
}
// add the offsets to the time to be parsed so that we can have a clean array for checking isValid
input[HOUR] += toInt((config._tzm || 0) / 60);
input[MINUTE] += toInt((config._tzm || 0) % 60);
config._d = (config._useUTC ? makeUTCDate : makeDate).apply(null, input);
}
function dateFromObject(config) {
var normalizedInput;
if (config._d) {
return;
}
normalizedInput = normalizeObjectUnits(config._i);
config._a = [
normalizedInput.year,
normalizedInput.month,
normalizedInput.day,
normalizedInput.hour,
normalizedInput.minute,
normalizedInput.second,
normalizedInput.millisecond
];
dateFromConfig(config);
}
function currentDateArray(config) {
var now = new Date();
if (config._useUTC) {
return [
now.getUTCFullYear(),
now.getUTCMonth(),
now.getUTCDate()
];
} else {
return [now.getFullYear(), now.getMonth(), now.getDate()];
}
}
// date from string and format string
function makeDateFromStringAndFormat(config) {
config._a = [];
config._pf.empty = true;
// This array is used to make a Date, either with `new Date` or `Date.UTC`
var lang = getLangDefinition(config._l),
string = '' + config._i,
i, parsedInput, tokens, token, skipped,
stringLength = string.length,
totalParsedInputLength = 0;
tokens = expandFormat(config._f, lang).match(formattingTokens) || [];
for (i = 0; i < tokens.length; i++) {
token = tokens[i];
parsedInput = (string.match(getParseRegexForToken(token, config)) || [])[0];
if (parsedInput) {
skipped = string.substr(0, string.indexOf(parsedInput));
if (skipped.length > 0) {
config._pf.unusedInput.push(skipped);
}
string = string.slice(string.indexOf(parsedInput) + parsedInput.length);
totalParsedInputLength += parsedInput.length;
}
// don't parse if it's not a known token
if (formatTokenFunctions[token]) {
if (parsedInput) {
config._pf.empty = false;
}
else {
config._pf.unusedTokens.push(token);
}
addTimeToArrayFromToken(token, parsedInput, config);
}
else if (config._strict && !parsedInput) {
config._pf.unusedTokens.push(token);
}
}
// add remaining unparsed input length to the string
config._pf.charsLeftOver = stringLength - totalParsedInputLength;
if (string.length > 0) {
config._pf.unusedInput.push(string);
}
// handle am pm
if (config._isPm && config._a[HOUR] < 12) {
config._a[HOUR] += 12;
}
// if is 12 am, change hours to 0
if (config._isPm === false && config._a[HOUR] === 12) {
config._a[HOUR] = 0;
}
dateFromConfig(config);
checkOverflow(config);
}
function unescapeFormat(s) {
return s.replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g, function (matched, p1, p2, p3, p4) {
return p1 || p2 || p3 || p4;
});
}
// Code from http://stackoverflow.com/questions/3561493/is-there-a-regexp-escape-function-in-javascript
function regexpEscape(s) {
return s.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&');
}
// date from string and array of format strings
function makeDateFromStringAndArray(config) {
var tempConfig,
bestMoment,
scoreToBeat,
i,
currentScore;
if (config._f.length === 0) {
config._pf.invalidFormat = true;
config._d = new Date(NaN);
return;
}
for (i = 0; i < config._f.length; i++) {
currentScore = 0;
tempConfig = extend({}, config);
tempConfig._pf = defaultParsingFlags();
tempConfig._f = config._f[i];
makeDateFromStringAndFormat(tempConfig);
if (!isValid(tempConfig)) {
continue;
}
// if there is any input that was not parsed add a penalty for that format
currentScore += tempConfig._pf.charsLeftOver;
//or tokens
currentScore += tempConfig._pf.unusedTokens.length * 10;
tempConfig._pf.score = currentScore;
if (scoreToBeat == null || currentScore < scoreToBeat) {
scoreToBeat = currentScore;
bestMoment = tempConfig;
}
}
extend(config, bestMoment || tempConfig);
}
// date from iso format
function makeDateFromString(config) {
var i, l,
string = config._i,
match = isoRegex.exec(string);
if (match) {
config._pf.iso = true;
for (i = 0, l = isoDates.length; i < l; i++) {
if (isoDates[i][1].exec(string)) {
// match[5] should be "T" or undefined
config._f = isoDates[i][0] + (match[6] || " ");
break;
}
}
for (i = 0, l = isoTimes.length; i < l; i++) {
if (isoTimes[i][1].exec(string)) {
config._f += isoTimes[i][0];
break;
}
}
if (string.match(parseTokenTimezone)) {
config._f += "Z";
}
makeDateFromStringAndFormat(config);
}
else {
moment.createFromInputFallback(config);
}
}
function makeDateFromInput(config) {
var input = config._i,
matched = aspNetJsonRegex.exec(input);
if (input === undefined) {
config._d = new Date();
} else if (matched) {
config._d = new Date(+matched[1]);
} else if (typeof input === 'string') {
makeDateFromString(config);
} else if (isArray(input)) {
config._a = input.slice(0);
dateFromConfig(config);
} else if (isDate(input)) {
config._d = new Date(+input);
} else if (typeof(input) === 'object') {
dateFromObject(config);
} else if (typeof(input) === 'number') {
// from milliseconds
config._d = new Date(input);
} else {
moment.createFromInputFallback(config);
}
}
function makeDate(y, m, d, h, M, s, ms) {
//can't just apply() to create a date:
//http://stackoverflow.com/questions/181348/instantiating-a-javascript-object-by-calling-prototype-constructor-apply
var date = new Date(y, m, d, h, M, s, ms);
//the date constructor doesn't accept years < 1970
if (y < 1970) {
date.setFullYear(y);
}
return date;
}
function makeUTCDate(y) {
var date = new Date(Date.UTC.apply(null, arguments));
if (y < 1970) {
date.setUTCFullYear(y);
}
return date;
}
function parseWeekday(input, language) {
if (typeof input === 'string') {
if (!isNaN(input)) {
input = parseInt(input, 10);
}
else {
input = language.weekdaysParse(input);
if (typeof input !== 'number') {
return null;
}
}
}
return input;
}
/************************************
Relative Time
************************************/
// helper function for moment.fn.from, moment.fn.fromNow, and moment.duration.fn.humanize
function substituteTimeAgo(string, number, withoutSuffix, isFuture, lang) {
return lang.relativeTime(number || 1, !!withoutSuffix, string, isFuture);
}
function relativeTime(milliseconds, withoutSuffix, lang) {
var seconds = round(Math.abs(milliseconds) / 1000),
minutes = round(seconds / 60),
hours = round(minutes / 60),
days = round(hours / 24),
years = round(days / 365),
args = seconds < 45 && ['s', seconds] ||
minutes === 1 && ['m'] ||
minutes < 45 && ['mm', minutes] ||
hours === 1 && ['h'] ||
hours < 22 && ['hh', hours] ||
days === 1 && ['d'] ||
days <= 25 && ['dd', days] ||
days <= 45 && ['M'] ||
days < 345 && ['MM', round(days / 30)] ||
years === 1 && ['y'] || ['yy', years];
args[2] = withoutSuffix;
args[3] = milliseconds > 0;
args[4] = lang;
return substituteTimeAgo.apply({}, args);
}
/************************************
Week of Year
************************************/
// firstDayOfWeek 0 = sun, 6 = sat
// the day of the week that starts the week
// (usually sunday or monday)
// firstDayOfWeekOfYear 0 = sun, 6 = sat
// the first week is the week that contains the first
// of this day of the week
// (eg. ISO weeks use thursday (4))
function weekOfYear(mom, firstDayOfWeek, firstDayOfWeekOfYear) {
var end = firstDayOfWeekOfYear - firstDayOfWeek,
daysToDayOfWeek = firstDayOfWeekOfYear - mom.day(),
adjustedMoment;
if (daysToDayOfWeek > end) {
daysToDayOfWeek -= 7;
}
if (daysToDayOfWeek < end - 7) {
daysToDayOfWeek += 7;
}
adjustedMoment = moment(mom).add('d', daysToDayOfWeek);
return {
week: Math.ceil(adjustedMoment.dayOfYear() / 7),
year: adjustedMoment.year()
};
}
//http://en.wikipedia.org/wiki/ISO_week_date#Calculating_a_date_given_the_year.2C_week_number_and_weekday
function dayOfYearFromWeeks(year, week, weekday, firstDayOfWeekOfYear, firstDayOfWeek) {
var d = makeUTCDate(year, 0, 1).getUTCDay(), daysToAdd, dayOfYear;
weekday = weekday != null ? weekday : firstDayOfWeek;
daysToAdd = firstDayOfWeek - d + (d > firstDayOfWeekOfYear ? 7 : 0) - (d < firstDayOfWeek ? 7 : 0);
dayOfYear = 7 * (week - 1) + (weekday - firstDayOfWeek) + daysToAdd + 1;
return {
year: dayOfYear > 0 ? year : year - 1,
dayOfYear: dayOfYear > 0 ? dayOfYear : daysInYear(year - 1) + dayOfYear
};
}
/************************************
Top Level Functions
************************************/
function makeMoment(config) {
var input = config._i,
format = config._f;
if (input === null || (format === undefined && input === '')) {
return moment.invalid({nullInput: true});
}
if (typeof input === 'string') {
config._i = input = getLangDefinition().preparse(input);
}
if (moment.isMoment(input)) {
config = cloneMoment(input);
config._d = new Date(+input._d);
} else if (format) {
if (isArray(format)) {
makeDateFromStringAndArray(config);
} else {
makeDateFromStringAndFormat(config);
}
} else {
makeDateFromInput(config);
}
return new Moment(config);
}
moment = function (input, format, lang, strict) {
var c;
if (typeof(lang) === "boolean") {
strict = lang;
lang = undefined;
}
// object construction must be done this way.
// https://github.com/moment/moment/issues/1423
c = {};
c._isAMomentObject = true;
c._i = input;
c._f = format;
c._l = lang;
c._strict = strict;
c._isUTC = false;
c._pf = defaultParsingFlags();
return makeMoment(c);
};
moment.suppressDeprecationWarnings = false;
moment.createFromInputFallback = deprecate(
"moment construction falls back to js Date. This is " +
"discouraged and will be removed in upcoming major " +
"release. Please refer to " +
"https://github.com/moment/moment/issues/1407 for more info.",
function (config) {
config._d = new Date(config._i);
});
// creating with utc
moment.utc = function (input, format, lang, strict) {
var c;
if (typeof(lang) === "boolean") {
strict = lang;
lang = undefined;
}
// object construction must be done this way.
// https://github.com/moment/moment/issues/1423
c = {};
c._isAMomentObject = true;
c._useUTC = true;
c._isUTC = true;
c._l = lang;
c._i = input;
c._f = format;
c._strict = strict;
c._pf = defaultParsingFlags();
return makeMoment(c).utc();
};
// creating with unix timestamp (in seconds)
moment.unix = function (input) {
return moment(input * 1000);
};
// duration
moment.duration = function (input, key) {
var duration = input,
// matching against regexp is expensive, do it on demand
match = null,
sign,
ret,
parseIso;
if (moment.isDuration(input)) {
duration = {
ms: input._milliseconds,
d: input._days,
M: input._months
};
} else if (typeof input === 'number') {
duration = {};
if (key) {
duration[key] = input;
} else {
duration.milliseconds = input;
}
} else if (!!(match = aspNetTimeSpanJsonRegex.exec(input))) {
sign = (match[1] === "-") ? -1 : 1;
duration = {
y: 0,
d: toInt(match[DATE]) * sign,
h: toInt(match[HOUR]) * sign,
m: toInt(match[MINUTE]) * sign,
s: toInt(match[SECOND]) * sign,
ms: toInt(match[MILLISECOND]) * sign
};
} else if (!!(match = isoDurationRegex.exec(input))) {
sign = (match[1] === "-") ? -1 : 1;
parseIso = function (inp) {
// We'd normally use ~~inp for this, but unfortunately it also
// converts floats to ints.
// inp may be undefined, so careful calling replace on it.
var res = inp && parseFloat(inp.replace(',', '.'));
// apply sign while we're at it
return (isNaN(res) ? 0 : res) * sign;
};
duration = {
y: parseIso(match[2]),
M: parseIso(match[3]),
d: parseIso(match[4]),
h: parseIso(match[5]),
m: parseIso(match[6]),
s: parseIso(match[7]),
w: parseIso(match[8])
};
}
ret = new Duration(duration);
if (moment.isDuration(input) && input.hasOwnProperty('_lang')) {
ret._lang = input._lang;
}
return ret;
};
// version number
moment.version = VERSION;
// default format
moment.defaultFormat = isoFormat;
// Plugins that add properties should also add the key here (null value),
// so we can properly clone ourselves.
moment.momentProperties = momentProperties;
// This function will be called whenever a moment is mutated.
// It is intended to keep the offset in sync with the timezone.
moment.updateOffset = function () {};
// This function will load languages and then set the global language. If
// no arguments are passed in, it will simply return the current global
// language key.
moment.lang = function (key, values) {
var r;
if (!key) {
return moment.fn._lang._abbr;
}
if (values) {
loadLang(normalizeLanguage(key), values);
} else if (values === null) {
unloadLang(key);
key = 'en';
} else if (!languages[key]) {
getLangDefinition(key);
}
r = moment.duration.fn._lang = moment.fn._lang = getLangDefinition(key);
return r._abbr;
};
// returns language data
moment.langData = function (key) {
if (key && key._lang && key._lang._abbr) {
key = key._lang._abbr;
}
return getLangDefinition(key);
};
// compare moment object
moment.isMoment = function (obj) {
return obj instanceof Moment ||
(obj != null && obj.hasOwnProperty('_isAMomentObject'));
};
// for typechecking Duration objects
moment.isDuration = function (obj) {
return obj instanceof Duration;
};
for (i = lists.length - 1; i >= 0; --i) {
makeList(lists[i]);
}
moment.normalizeUnits = function (units) {
return normalizeUnits(units);
};
moment.invalid = function (flags) {
var m = moment.utc(NaN);
if (flags != null) {
extend(m._pf, flags);
}
else {
m._pf.userInvalidated = true;
}
return m;
};
moment.parseZone = function () {
return moment.apply(null, arguments).parseZone();
};
moment.parseTwoDigitYear = function (input) {
return toInt(input) + (toInt(input) > 68 ? 1900 : 2000);
};
/************************************
Moment Prototype
************************************/
extend(moment.fn = Moment.prototype, {
clone : function () {
return moment(this);
},
valueOf : function () {
return +this._d + ((this._offset || 0) * 60000);
},
unix : function () {
return Math.floor(+this / 1000);
},
toString : function () {
return this.clone().lang('en').format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ");
},
toDate : function () {
return this._offset ? new Date(+this) : this._d;
},
toISOString : function () {
var m = moment(this).utc();
if (0 < m.year() && m.year() <= 9999) {
return formatMoment(m, 'YYYY-MM-DD[T]HH:mm:ss.SSS[Z]');
} else {
return formatMoment(m, 'YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]');
}
},
toArray : function () {
var m = this;
return [
m.year(),
m.month(),
m.date(),
m.hours(),
m.minutes(),
m.seconds(),
m.milliseconds()
];
},
isValid : function () {
return isValid(this);
},
isDSTShifted : function () {
if (this._a) {
return this.isValid() && compareArrays(this._a, (this._isUTC ? moment.utc(this._a) : moment(this._a)).toArray()) > 0;
}
return false;
},
parsingFlags : function () {
return extend({}, this._pf);
},
invalidAt: function () {
return this._pf.overflow;
},
utc : function () {
return this.zone(0);
},
local : function () {
this.zone(0);
this._isUTC = false;
return this;
},
format : function (inputString) {
var output = formatMoment(this, inputString || moment.defaultFormat);
return this.lang().postformat(output);
},
add : function (input, val) {
var dur;
// switch args to support add('s', 1) and add(1, 's')
if (typeof input === 'string') {
dur = moment.duration(+val, input);
} else {
dur = moment.duration(input, val);
}
addOrSubtractDurationFromMoment(this, dur, 1);
return this;
},
subtract : function (input, val) {
var dur;
// switch args to support subtract('s', 1) and subtract(1, 's')
if (typeof input === 'string') {
dur = moment.duration(+val, input);
} else {
dur = moment.duration(input, val);
}
addOrSubtractDurationFromMoment(this, dur, -1);
return this;
},
diff : function (input, units, asFloat) {
var that = makeAs(input, this),
zoneDiff = (this.zone() - that.zone()) * 6e4,
diff, output;
units = normalizeUnits(units);
if (units === 'year' || units === 'month') {
// average number of days in the months in the given dates
diff = (this.daysInMonth() + that.daysInMonth()) * 432e5; // 24 * 60 * 60 * 1000 / 2
// difference in months
output = ((this.year() - that.year()) * 12) + (this.month() - that.month());
// adjust by taking difference in days, average number of days
// and dst in the given months.
output += ((this - moment(this).startOf('month')) -
(that - moment(that).startOf('month'))) / diff;
// same as above but with zones, to negate all dst
output -= ((this.zone() - moment(this).startOf('month').zone()) -
(that.zone() - moment(that).startOf('month').zone())) * 6e4 / diff;
if (units === 'year') {
output = output / 12;
}
} else {
diff = (this - that);
output = units === 'second' ? diff / 1e3 : // 1000
units === 'minute' ? diff / 6e4 : // 1000 * 60
units === 'hour' ? diff / 36e5 : // 1000 * 60 * 60
units === 'day' ? (diff - zoneDiff) / 864e5 : // 1000 * 60 * 60 * 24, negate dst
units === 'week' ? (diff - zoneDiff) / 6048e5 : // 1000 * 60 * 60 * 24 * 7, negate dst
diff;
}
return asFloat ? output : absRound(output);
},
from : function (time, withoutSuffix) {
return moment.duration(this.diff(time)).lang(this.lang()._abbr).humanize(!withoutSuffix);
},
fromNow : function (withoutSuffix) {
return this.from(moment(), withoutSuffix);
},
calendar : function () {
// We want to compare the start of today, vs this.
// Getting start-of-today depends on whether we're zone'd or not.
var sod = makeAs(moment(), this).startOf('day'),
diff = this.diff(sod, 'days', true),
format = diff < -6 ? 'sameElse' :
diff < -1 ? 'lastWeek' :
diff < 0 ? 'lastDay' :
diff < 1 ? 'sameDay' :
diff < 2 ? 'nextDay' :
diff < 7 ? 'nextWeek' : 'sameElse';
return this.format(this.lang().calendar(format, this));
},
isLeapYear : function () {
return isLeapYear(this.year());
},
isDST : function () {
return (this.zone() < this.clone().month(0).zone() ||
this.zone() < this.clone().month(5).zone());
},
day : function (input) {
var day = this._isUTC ? this._d.getUTCDay() : this._d.getDay();
if (input != null) {
input = parseWeekday(input, this.lang());
return this.add({ d : input - day });
} else {
return day;
}
},
month : makeAccessor('Month', true),
startOf: function (units) {
units = normalizeUnits(units);
// the following switch intentionally omits break keywords
// to utilize falling through the cases.
switch (units) {
case 'year':
this.month(0);
/* falls through */
case 'quarter':
case 'month':
this.date(1);
/* falls through */
case 'week':
case 'isoWeek':
case 'day':
this.hours(0);
/* falls through */
case 'hour':
this.minutes(0);
/* falls through */
case 'minute':
this.seconds(0);
/* falls through */
case 'second':
this.milliseconds(0);
/* falls through */
}
// weeks are a special case
if (units === 'week') {
this.weekday(0);
} else if (units === 'isoWeek') {
this.isoWeekday(1);
}
// quarters are also special
if (units === 'quarter') {
this.month(Math.floor(this.month() / 3) * 3);
}
return this;
},
endOf: function (units) {
units = normalizeUnits(units);
return this.startOf(units).add((units === 'isoWeek' ? 'week' : units), 1).subtract('ms', 1);
},
isAfter: function (input, units) {
units = typeof units !== 'undefined' ? units : 'millisecond';
return +this.clone().startOf(units) > +moment(input).startOf(units);
},
isBefore: function (input, units) {
units = typeof units !== 'undefined' ? units : 'millisecond';
return +this.clone().startOf(units) < +moment(input).startOf(units);
},
isSame: function (input, units) {
units = units || 'ms';
return +this.clone().startOf(units) === +makeAs(input, this).startOf(units);
},
min: function (other) {
other = moment.apply(null, arguments);
return other < this ? this : other;
},
max: function (other) {
other = moment.apply(null, arguments);
return other > this ? this : other;
},
// keepTime = true means only change the timezone, without affecting
// the local hour. So 5:31:26 +0300 --[zone(2, true)]--> 5:31:26 +0200
// It is possible that 5:31:26 doesn't exist int zone +0200, so we
// adjust the time as needed, to be valid.
//
// Keeping the time actually adds/subtracts (one hour)
// from the actual represented time. That is why we call updateOffset
// a second time. In case it wants us to change the offset again
// _changeInProgress == true case, then we have to adjust, because
// there is no such time in the given timezone.
zone : function (input, keepTime) {
var offset = this._offset || 0;
if (input != null) {
if (typeof input === "string") {
input = timezoneMinutesFromString(input);
}
if (Math.abs(input) < 16) {
input = input * 60;
}
this._offset = input;
this._isUTC = true;
if (offset !== input) {
if (!keepTime || this._changeInProgress) {
addOrSubtractDurationFromMoment(this,
moment.duration(offset - input, 'm'), 1, false);
} else if (!this._changeInProgress) {
this._changeInProgress = true;
moment.updateOffset(this, true);
this._changeInProgress = null;
}
}
} else {
return this._isUTC ? offset : this._d.getTimezoneOffset();
}
return this;
},
zoneAbbr : function () {
return this._isUTC ? "UTC" : "";
},
zoneName : function () {
return this._isUTC ? "Coordinated Universal Time" : "";
},
parseZone : function () {
if (this._tzm) {
this.zone(this._tzm);
} else if (typeof this._i === 'string') {
this.zone(this._i);
}
return this;
},
hasAlignedHourOffset : function (input) {
if (!input) {
input = 0;
}
else {
input = moment(input).zone();
}
return (this.zone() - input) % 60 === 0;
},
daysInMonth : function () {
return daysInMonth(this.year(), this.month());
},
dayOfYear : function (input) {
var dayOfYear = round((moment(this).startOf('day') - moment(this).startOf('year')) / 864e5) + 1;
return input == null ? dayOfYear : this.add("d", (input - dayOfYear));
},
quarter : function (input) {
return input == null ? Math.ceil((this.month() + 1) / 3) : this.month((input - 1) * 3 + this.month() % 3);
},
weekYear : function (input) {
var year = weekOfYear(this, this.lang()._week.dow, this.lang()._week.doy).year;
return input == null ? year : this.add("y", (input - year));
},
isoWeekYear : function (input) {
var year = weekOfYear(this, 1, 4).year;
return input == null ? year : this.add("y", (input - year));
},
week : function (input) {
var week = this.lang().week(this);
return input == null ? week : this.add("d", (input - week) * 7);
},
isoWeek : function (input) {
var week = weekOfYear(this, 1, 4).week;
return input == null ? week : this.add("d", (input - week) * 7);
},
weekday : function (input) {
var weekday = (this.day() + 7 - this.lang()._week.dow) % 7;
return input == null ? weekday : this.add("d", input - weekday);
},
isoWeekday : function (input) {
// behaves the same as moment#day except
// as a getter, returns 7 instead of 0 (1-7 range instead of 0-6)
// as a setter, sunday should belong to the previous week.
return input == null ? this.day() || 7 : this.day(this.day() % 7 ? input : input - 7);
},
isoWeeksInYear : function () {
return weeksInYear(this.year(), 1, 4);
},
weeksInYear : function () {
var weekInfo = this._lang._week;
return weeksInYear(this.year(), weekInfo.dow, weekInfo.doy);
},
get : function (units) {
units = normalizeUnits(units);
return this[units]();
},
set : function (units, value) {
units = normalizeUnits(units);
if (typeof this[units] === 'function') {
this[units](value);
}
return this;
},
// If passed a language key, it will set the language for this
// instance. Otherwise, it will return the language configuration
// variables for this instance.
lang : function (key) {
if (key === undefined) {
return this._lang;
} else {
this._lang = getLangDefinition(key);
return this;
}
}
});
function rawMonthSetter(mom, value) {
var dayOfMonth;
// TODO: Move this out of here!
if (typeof value === 'string') {
value = mom.lang().monthsParse(value);
// TODO: Another silent failure?
if (typeof value !== 'number') {
return mom;
}
}
dayOfMonth = Math.min(mom.date(),
daysInMonth(mom.year(), value));
mom._d['set' + (mom._isUTC ? 'UTC' : '') + 'Month'](value, dayOfMonth);
return mom;
}
function rawGetter(mom, unit) {
return mom._d['get' + (mom._isUTC ? 'UTC' : '') + unit]();
}
function rawSetter(mom, unit, value) {
if (unit === 'Month') {
return rawMonthSetter(mom, value);
} else {
return mom._d['set' + (mom._isUTC ? 'UTC' : '') + unit](value);
}
}
function makeAccessor(unit, keepTime) {
return function (value) {
if (value != null) {
rawSetter(this, unit, value);
moment.updateOffset(this, keepTime);
return this;
} else {
return rawGetter(this, unit);
}
};
}
moment.fn.millisecond = moment.fn.milliseconds = makeAccessor('Milliseconds', false);
moment.fn.second = moment.fn.seconds = makeAccessor('Seconds', false);
moment.fn.minute = moment.fn.minutes = makeAccessor('Minutes', false);
// Setting the hour should keep the time, because the user explicitly
// specified which hour he wants. So trying to maintain the same hour (in
// a new timezone) makes sense. Adding/subtracting hours does not follow
// this rule.
moment.fn.hour = moment.fn.hours = makeAccessor('Hours', true);
// moment.fn.month is defined separately
moment.fn.date = makeAccessor('Date', true);
moment.fn.dates = deprecate("dates accessor is deprecated. Use date instead.", makeAccessor('Date', true));
moment.fn.year = makeAccessor('FullYear', true);
moment.fn.years = deprecate("years accessor is deprecated. Use year instead.", makeAccessor('FullYear', true));
// add plural methods
moment.fn.days = moment.fn.day;
moment.fn.months = moment.fn.month;
moment.fn.weeks = moment.fn.week;
moment.fn.isoWeeks = moment.fn.isoWeek;
moment.fn.quarters = moment.fn.quarter;
// add aliased format methods
moment.fn.toJSON = moment.fn.toISOString;
/************************************
Duration Prototype
************************************/
extend(moment.duration.fn = Duration.prototype, {
_bubble : function () {
var milliseconds = this._milliseconds,
days = this._days,
months = this._months,
data = this._data,
seconds, minutes, hours, years;
// The following code bubbles up values, see the tests for
// examples of what that means.
data.milliseconds = milliseconds % 1000;
seconds = absRound(milliseconds / 1000);
data.seconds = seconds % 60;
minutes = absRound(seconds / 60);
data.minutes = minutes % 60;
hours = absRound(minutes / 60);
data.hours = hours % 24;
days += absRound(hours / 24);
data.days = days % 30;
months += absRound(days / 30);
data.months = months % 12;
years = absRound(months / 12);
data.years = years;
},
weeks : function () {
return absRound(this.days() / 7);
},
valueOf : function () {
return this._milliseconds +
this._days * 864e5 +
(this._months % 12) * 2592e6 +
toInt(this._months / 12) * 31536e6;
},
humanize : function (withSuffix) {
var difference = +this,
output = relativeTime(difference, !withSuffix, this.lang());
if (withSuffix) {
output = this.lang().pastFuture(difference, output);
}
return this.lang().postformat(output);
},
add : function (input, val) {
// supports only 2.0-style add(1, 's') or add(moment)
var dur = moment.duration(input, val);
this._milliseconds += dur._milliseconds;
this._days += dur._days;
this._months += dur._months;
this._bubble();
return this;
},
subtract : function (input, val) {
var dur = moment.duration(input, val);
this._milliseconds -= dur._milliseconds;
this._days -= dur._days;
this._months -= dur._months;
this._bubble();
return this;
},
get : function (units) {
units = normalizeUnits(units);
return this[units.toLowerCase() + 's']();
},
as : function (units) {
units = normalizeUnits(units);
return this['as' + units.charAt(0).toUpperCase() + units.slice(1) + 's']();
},
lang : moment.fn.lang,
toIsoString : function () {
// inspired by https://github.com/dordille/moment-isoduration/blob/master/moment.isoduration.js
var years = Math.abs(this.years()),
months = Math.abs(this.months()),
days = Math.abs(this.days()),
hours = Math.abs(this.hours()),
minutes = Math.abs(this.minutes()),
seconds = Math.abs(this.seconds() + this.milliseconds() / 1000);
if (!this.asSeconds()) {
// this is the same as C#'s (Noda) and python (isodate)...
// but not other JS (goog.date)
return 'P0D';
}
return (this.asSeconds() < 0 ? '-' : '') +
'P' +
(years ? years + 'Y' : '') +
(months ? months + 'M' : '') +
(days ? days + 'D' : '') +
((hours || minutes || seconds) ? 'T' : '') +
(hours ? hours + 'H' : '') +
(minutes ? minutes + 'M' : '') +
(seconds ? seconds + 'S' : '');
}
});
function makeDurationGetter(name) {
moment.duration.fn[name] = function () {
return this._data[name];
};
}
function makeDurationAsGetter(name, factor) {
moment.duration.fn['as' + name] = function () {
return +this / factor;
};
}
for (i in unitMillisecondFactors) {
if (unitMillisecondFactors.hasOwnProperty(i)) {
makeDurationAsGetter(i, unitMillisecondFactors[i]);
makeDurationGetter(i.toLowerCase());
}
}
makeDurationAsGetter('Weeks', 6048e5);
moment.duration.fn.asMonths = function () {
return (+this - this.years() * 31536e6) / 2592e6 + this.years() * 12;
};
/************************************
Default Lang
************************************/
// Set default language, other languages will inherit from English.
moment.lang('en', {
ordinal : function (number) {
var b = number % 10,
output = (toInt(number % 100 / 10) === 1) ? 'th' :
(b === 1) ? 'st' :
(b === 2) ? 'nd' :
(b === 3) ? 'rd' : 'th';
return number + output;
}
});
/* EMBED_LANGUAGES */
/************************************
Exposing Moment
************************************/
function makeGlobal(shouldDeprecate) {
/*global ender:false */
if (typeof ender !== 'undefined') {
return;
}
oldGlobalMoment = globalScope.moment;
if (shouldDeprecate) {
globalScope.moment = deprecate(
"Accessing Moment through the global scope is " +
"deprecated, and will be removed in an upcoming " +
"release.",
moment);
} else {
globalScope.moment = moment;
}
}
// CommonJS module is defined
if (hasModule) {
module.exports = moment;
} else if (typeof define === "function" && define.amd) {
define("moment", ['require','exports','module'],function (require, exports, module) {
if (module.config && module.config() && module.config().noGlobal === true) {
// release the global variable
globalScope.moment = oldGlobalMoment;
}
return moment;
});
makeGlobal(true);
} else {
makeGlobal();
}
}).call(this);
/*
jed.js
v0.5.0beta
https://github.com/SlexAxton/Jed
-----------
A gettext compatible i18n library for modern JavaScript Applications
by Alex Sexton - AlexSexton [at] gmail - @SlexAxton
WTFPL license for use
Dojo CLA for contributions
Jed offers the entire applicable GNU gettext spec'd set of
functions, but also offers some nicer wrappers around them.
The api for gettext was written for a language with no function
overloading, so Jed allows a little more of that.
Many thanks to Joshua I. Miller - unrtst@cpan.org - who wrote
gettext.js back in 2008. I was able to vet a lot of my ideas
against his. I also made sure Jed passed against his tests
in order to offer easy upgrades -- jsgettext.berlios.de
*/
(function (root, undef) {
// Set up some underscore-style functions, if you already have
// underscore, feel free to delete this section, and use it
// directly, however, the amount of functions used doesn't
// warrant having underscore as a full dependency.
// Underscore 1.3.0 was used to port and is licensed
// under the MIT License by Jeremy Ashkenas.
var ArrayProto = Array.prototype,
ObjProto = Object.prototype,
slice = ArrayProto.slice,
hasOwnProp = ObjProto.hasOwnProperty,
nativeForEach = ArrayProto.forEach,
breaker = {};
// We're not using the OOP style _ so we don't need the
// extra level of indirection. This still means that you
// sub out for real `_` though.
var _ = {
forEach : function( obj, iterator, context ) {
var i, l, key;
if ( obj === null ) {
return;
}
if ( nativeForEach && obj.forEach === nativeForEach ) {
obj.forEach( iterator, context );
}
else if ( obj.length === +obj.length ) {
for ( i = 0, l = obj.length; i < l; i++ ) {
if ( i in obj && iterator.call( context, obj[i], i, obj ) === breaker ) {
return;
}
}
}
else {
for ( key in obj) {
if ( hasOwnProp.call( obj, key ) ) {
if ( iterator.call (context, obj[key], key, obj ) === breaker ) {
return;
}
}
}
}
},
extend : function( obj ) {
this.forEach( slice.call( arguments, 1 ), function ( source ) {
for ( var prop in source ) {
obj[prop] = source[prop];
}
});
return obj;
}
};
// END Miniature underscore impl
// Jed is a constructor function
var Jed = function ( options ) {
// Some minimal defaults
this.defaults = {
"locale_data" : {
"messages" : {
"" : {
"domain" : "messages",
"lang" : "en",
"plural_forms" : "nplurals=2; plural=(n != 1);"
}
// There are no default keys, though
}
},
// The default domain if one is missing
"domain" : "messages"
};
// Mix in the sent options with the default options
this.options = _.extend( {}, this.defaults, options );
this.textdomain( this.options.domain );
if ( options.domain && ! this.options.locale_data[ this.options.domain ] ) {
throw new Error('Text domain set to non-existent domain: `' + options.domain + '`');
}
};
// The gettext spec sets this character as the default
// delimiter for context lookups.
// e.g.: context\u0004key
// If your translation company uses something different,
// just change this at any time and it will use that instead.
Jed.context_delimiter = String.fromCharCode( 4 );
function getPluralFormFunc ( plural_form_string ) {
return Jed.PF.compile( plural_form_string || "nplurals=2; plural=(n != 1);");
}
function Chain( key, i18n ){
this._key = key;
this._i18n = i18n;
}
// Create a chainable api for adding args prettily
_.extend( Chain.prototype, {
onDomain : function ( domain ) {
this._domain = domain;
return this;
},
withContext : function ( context ) {
this._context = context;
return this;
},
ifPlural : function ( num, pkey ) {
this._val = num;
this._pkey = pkey;
return this;
},
fetch : function ( sArr ) {
if ( {}.toString.call( sArr ) != '[object Array]' ) {
sArr = [].slice.call(arguments);
}
return ( sArr && sArr.length ? Jed.sprintf : function(x){ return x; } )(
this._i18n.dcnpgettext(this._domain, this._context, this._key, this._pkey, this._val),
sArr
);
}
});
// Add functions to the Jed prototype.
// These will be the functions on the object that's returned
// from creating a `new Jed()`
// These seem redundant, but they gzip pretty well.
_.extend( Jed.prototype, {
// The sexier api start point
translate : function ( key ) {
return new Chain( key, this );
},
textdomain : function ( domain ) {
if ( ! domain ) {
return this._textdomain;
}
this._textdomain = domain;
},
gettext : function ( key ) {
return this.dcnpgettext.call( this, undef, undef, key );
},
dgettext : function ( domain, key ) {
return this.dcnpgettext.call( this, domain, undef, key );
},
dcgettext : function ( domain , key /*, category */ ) {
// Ignores the category anyways
return this.dcnpgettext.call( this, domain, undef, key );
},
ngettext : function ( skey, pkey, val ) {
return this.dcnpgettext.call( this, undef, undef, skey, pkey, val );
},
dngettext : function ( domain, skey, pkey, val ) {
return this.dcnpgettext.call( this, domain, undef, skey, pkey, val );
},
dcngettext : function ( domain, skey, pkey, val/*, category */) {
return this.dcnpgettext.call( this, domain, undef, skey, pkey, val );
},
pgettext : function ( context, key ) {
return this.dcnpgettext.call( this, undef, context, key );
},
dpgettext : function ( domain, context, key ) {
return this.dcnpgettext.call( this, domain, context, key );
},
dcpgettext : function ( domain, context, key/*, category */) {
return this.dcnpgettext.call( this, domain, context, key );
},
npgettext : function ( context, skey, pkey, val ) {
return this.dcnpgettext.call( this, undef, context, skey, pkey, val );
},
dnpgettext : function ( domain, context, skey, pkey, val ) {
return this.dcnpgettext.call( this, domain, context, skey, pkey, val );
},
// The most fully qualified gettext function. It has every option.
// Since it has every option, we can use it from every other method.
// This is the bread and butter.
// Technically there should be one more argument in this function for 'Category',
// but since we never use it, we might as well not waste the bytes to define it.
dcnpgettext : function ( domain, context, singular_key, plural_key, val ) {
// Set some defaults
plural_key = plural_key || singular_key;
// Use the global domain default if one
// isn't explicitly passed in
domain = domain || this._textdomain;
// Default the value to the singular case
val = typeof val == 'undefined' ? 1 : val;
var fallback;
// Handle special cases
// No options found
if ( ! this.options ) {
// There's likely something wrong, but we'll return the correct key for english
// We do this by instantiating a brand new Jed instance with the default set
// for everything that could be broken.
fallback = new Jed();
return fallback.dcnpgettext.call( fallback, undefined, undefined, singular_key, plural_key, val );
}
// No translation data provided
if ( ! this.options.locale_data ) {
throw new Error('No locale data provided.');
}
if ( ! this.options.locale_data[ domain ] ) {
throw new Error('Domain `' + domain + '` was not found.');
}
if ( ! this.options.locale_data[ domain ][ "" ] ) {
throw new Error('No locale meta information provided.');
}
// Make sure we have a truthy key. Otherwise we might start looking
// into the empty string key, which is the options for the locale
// data.
if ( ! singular_key ) {
throw new Error('No translation key found.');
}
// Handle invalid numbers, but try casting strings for good measure
if ( typeof val != 'number' ) {
val = parseInt( val, 10 );
if ( isNaN( val ) ) {
throw new Error('The number that was passed in is not a number.');
}
}
var key = context ? context + Jed.context_delimiter + singular_key : singular_key,
locale_data = this.options.locale_data,
dict = locale_data[ domain ],
pluralForms = dict[""].plural_forms || (locale_data.messages || this.defaults.locale_data.messages)[""].plural_forms,
val_idx = getPluralFormFunc(pluralForms)(val) + 1,
val_list,
res;
// Throw an error if a domain isn't found
if ( ! dict ) {
throw new Error('No domain named `' + domain + '` could be found.');
}
val_list = dict[ key ];
// If there is no match, then revert back to
// english style singular/plural with the keys passed in.
if ( ! val_list || val_idx >= val_list.length ) {
if (this.options.missing_key_callback) {
this.options.missing_key_callback(key);
}
res = [ null, singular_key, plural_key ];
return res[ getPluralFormFunc(pluralForms)( val ) + 1 ];
}
res = val_list[ val_idx ];
// This includes empty strings on purpose
if ( ! res ) {
res = [ null, singular_key, plural_key ];
return res[ getPluralFormFunc(pluralForms)( val ) + 1 ];
}
return res;
}
});
// We add in sprintf capabilities for post translation value interolation
// This is not internally used, so you can remove it if you have this
// available somewhere else, or want to use a different system.
// We _slightly_ modify the normal sprintf behavior to more gracefully handle
// undefined values.
/**
sprintf() for JavaScript 0.7-beta1
http://www.diveintojavascript.com/projects/javascript-sprintf
Copyright (c) Alexandru Marasteanu
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
* Neither the name of sprintf() for JavaScript nor the
names of its contributors may be used to endorse or promote products
derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
DISCLAIMED. IN NO EVENT SHALL Alexandru Marasteanu BE LIABLE FOR ANY
DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
var sprintf = (function() {
function get_type(variable) {
return Object.prototype.toString.call(variable).slice(8, -1).toLowerCase();
}
function str_repeat(input, multiplier) {
for (var output = []; multiplier > 0; output[--multiplier] = input) {/* do nothing */}
return output.join('');
}
var str_format = function() {
if (!str_format.cache.hasOwnProperty(arguments[0])) {
str_format.cache[arguments[0]] = str_format.parse(arguments[0]);
}
return str_format.format.call(null, str_format.cache[arguments[0]], arguments);
};
str_format.format = function(parse_tree, argv) {
var cursor = 1, tree_length = parse_tree.length, node_type = '', arg, output = [], i, k, match, pad, pad_character, pad_length;
for (i = 0; i < tree_length; i++) {
node_type = get_type(parse_tree[i]);
if (node_type === 'string') {
output.push(parse_tree[i]);
}
else if (node_type === 'array') {
match = parse_tree[i]; // convenience purposes only
if (match[2]) { // keyword argument
arg = argv[cursor];
for (k = 0; k < match[2].length; k++) {
if (!arg.hasOwnProperty(match[2][k])) {
throw(sprintf('[sprintf] property "%s" does not exist', match[2][k]));
}
arg = arg[match[2][k]];
}
}
else if (match[1]) { // positional argument (explicit)
arg = argv[match[1]];
}
else { // positional argument (implicit)
arg = argv[cursor++];
}
if (/[^s]/.test(match[8]) && (get_type(arg) != 'number')) {
throw(sprintf('[sprintf] expecting number but found %s', get_type(arg)));
}
// Jed EDIT
if ( typeof arg == 'undefined' || arg === null ) {
arg = '';
}
// Jed EDIT
switch (match[8]) {
case 'b': arg = arg.toString(2); break;
case 'c': arg = String.fromCharCode(arg); break;
case 'd': arg = parseInt(arg, 10); break;
case 'e': arg = match[7] ? arg.toExponential(match[7]) : arg.toExponential(); break;
case 'f': arg = match[7] ? parseFloat(arg).toFixed(match[7]) : parseFloat(arg); break;
case 'o': arg = arg.toString(8); break;
case 's': arg = ((arg = String(arg)) && match[7] ? arg.substring(0, match[7]) : arg); break;
case 'u': arg = Math.abs(arg); break;
case 'x': arg = arg.toString(16); break;
case 'X': arg = arg.toString(16).toUpperCase(); break;
}
arg = (/[def]/.test(match[8]) && match[3] && arg >= 0 ? '+'+ arg : arg);
pad_character = match[4] ? match[4] == '0' ? '0' : match[4].charAt(1) : ' ';
pad_length = match[6] - String(arg).length;
pad = match[6] ? str_repeat(pad_character, pad_length) : '';
output.push(match[5] ? arg + pad : pad + arg);
}
}
return output.join('');
};
str_format.cache = {};
str_format.parse = function(fmt) {
var _fmt = fmt, match = [], parse_tree = [], arg_names = 0;
while (_fmt) {
if ((match = /^[^\x25]+/.exec(_fmt)) !== null) {
parse_tree.push(match[0]);
}
else if ((match = /^\x25{2}/.exec(_fmt)) !== null) {
parse_tree.push('%');
}
else if ((match = /^\x25(?:([1-9]\d*)\$|\(([^\)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-fosuxX])/.exec(_fmt)) !== null) {
if (match[2]) {
arg_names |= 1;
var field_list = [], replacement_field = match[2], field_match = [];
if ((field_match = /^([a-z_][a-z_\d]*)/i.exec(replacement_field)) !== null) {
field_list.push(field_match[1]);
while ((replacement_field = replacement_field.substring(field_match[0].length)) !== '') {
if ((field_match = /^\.([a-z_][a-z_\d]*)/i.exec(replacement_field)) !== null) {
field_list.push(field_match[1]);
}
else if ((field_match = /^\[(\d+)\]/.exec(replacement_field)) !== null) {
field_list.push(field_match[1]);
}
else {
throw('[sprintf] huh?');
}
}
}
else {
throw('[sprintf] huh?');
}
match[2] = field_list;
}
else {
arg_names |= 2;
}
if (arg_names === 3) {
throw('[sprintf] mixing positional and named placeholders is not (yet) supported');
}
parse_tree.push(match);
}
else {
throw('[sprintf] huh?');
}
_fmt = _fmt.substring(match[0].length);
}
return parse_tree;
};
return str_format;
})();
var vsprintf = function(fmt, argv) {
argv.unshift(fmt);
return sprintf.apply(null, argv);
};
Jed.parse_plural = function ( plural_forms, n ) {
plural_forms = plural_forms.replace(/n/g, n);
return Jed.parse_expression(plural_forms);
};
Jed.sprintf = function ( fmt, args ) {
if ( {}.toString.call( args ) == '[object Array]' ) {
return vsprintf( fmt, [].slice.call(args) );
}
return sprintf.apply(this, [].slice.call(arguments) );
};
Jed.prototype.sprintf = function () {
return Jed.sprintf.apply(this, arguments);
};
// END sprintf Implementation
// Start the Plural forms section
// This is a full plural form expression parser. It is used to avoid
// running 'eval' or 'new Function' directly against the plural
// forms.
//
// This can be important if you get translations done through a 3rd
// party vendor. I encourage you to use this instead, however, I
// also will provide a 'precompiler' that you can use at build time
// to output valid/safe function representations of the plural form
// expressions. This means you can build this code out for the most
// part.
Jed.PF = {};
Jed.PF.parse = function ( p ) {
var plural_str = Jed.PF.extractPluralExpr( p );
return Jed.PF.parser.parse.call(Jed.PF.parser, plural_str);
};
Jed.PF.compile = function ( p ) {
// Handle trues and falses as 0 and 1
function imply( val ) {
return (val === true ? 1 : val ? val : 0);
}
var ast = Jed.PF.parse( p );
return function ( n ) {
return imply( Jed.PF.interpreter( ast )( n ) );
};
};
Jed.PF.interpreter = function ( ast ) {
return function ( n ) {
var res;
switch ( ast.type ) {
case 'GROUP':
return Jed.PF.interpreter( ast.expr )( n );
case 'TERNARY':
if ( Jed.PF.interpreter( ast.expr )( n ) ) {
return Jed.PF.interpreter( ast.truthy )( n );
}
return Jed.PF.interpreter( ast.falsey )( n );
case 'OR':
return Jed.PF.interpreter( ast.left )( n ) || Jed.PF.interpreter( ast.right )( n );
case 'AND':
return Jed.PF.interpreter( ast.left )( n ) && Jed.PF.interpreter( ast.right )( n );
case 'LT':
return Jed.PF.interpreter( ast.left )( n ) < Jed.PF.interpreter( ast.right )( n );
case 'GT':
return Jed.PF.interpreter( ast.left )( n ) > Jed.PF.interpreter( ast.right )( n );
case 'LTE':
return Jed.PF.interpreter( ast.left )( n ) <= Jed.PF.interpreter( ast.right )( n );
case 'GTE':
return Jed.PF.interpreter( ast.left )( n ) >= Jed.PF.interpreter( ast.right )( n );
case 'EQ':
return Jed.PF.interpreter( ast.left )( n ) == Jed.PF.interpreter( ast.right )( n );
case 'NEQ':
return Jed.PF.interpreter( ast.left )( n ) != Jed.PF.interpreter( ast.right )( n );
case 'MOD':
return Jed.PF.interpreter( ast.left )( n ) % Jed.PF.interpreter( ast.right )( n );
case 'VAR':
return n;
case 'NUM':
return ast.val;
default:
throw new Error("Invalid Token found.");
}
};
};
Jed.PF.extractPluralExpr = function ( p ) {
// trim first
p = p.replace(/^\s\s*/, '').replace(/\s\s*$/, '');
if (! /;\s*$/.test(p)) {
p = p.concat(';');
}
var nplurals_re = /nplurals\=(\d+);/,
plural_re = /plural\=(.*);/,
nplurals_matches = p.match( nplurals_re ),
res = {},
plural_matches;
// Find the nplurals number
if ( nplurals_matches.length > 1 ) {
res.nplurals = nplurals_matches[1];
}
else {
throw new Error('nplurals not found in plural_forms string: ' + p );
}
// remove that data to get to the formula
p = p.replace( nplurals_re, "" );
plural_matches = p.match( plural_re );
if (!( plural_matches && plural_matches.length > 1 ) ) {
throw new Error('`plural` expression not found: ' + p);
}
return plural_matches[ 1 ];
};
/* Jison generated parser */
Jed.PF.parser = (function(){
var parser = {trace: function trace() { },
yy: {},
symbols_: {"error":2,"expressions":3,"e":4,"EOF":5,"?":6,":":7,"||":8,"&&":9,"<":10,"<=":11,">":12,">=":13,"!=":14,"==":15,"%":16,"(":17,")":18,"n":19,"NUMBER":20,"$accept":0,"$end":1},
terminals_: {2:"error",5:"EOF",6:"?",7:":",8:"||",9:"&&",10:"<",11:"<=",12:">",13:">=",14:"!=",15:"==",16:"%",17:"(",18:")",19:"n",20:"NUMBER"},
productions_: [0,[3,2],[4,5],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,3],[4,1],[4,1]],
performAction: function anonymous(yytext,yyleng,yylineno,yy,yystate,$$,_$) {
var $0 = $$.length - 1;
switch (yystate) {
case 1: return { type : 'GROUP', expr: $$[$0-1] };
break;
case 2:this.$ = { type: 'TERNARY', expr: $$[$0-4], truthy : $$[$0-2], falsey: $$[$0] };
break;
case 3:this.$ = { type: "OR", left: $$[$0-2], right: $$[$0] };
break;
case 4:this.$ = { type: "AND", left: $$[$0-2], right: $$[$0] };
break;
case 5:this.$ = { type: 'LT', left: $$[$0-2], right: $$[$0] };
break;
case 6:this.$ = { type: 'LTE', left: $$[$0-2], right: $$[$0] };
break;
case 7:this.$ = { type: 'GT', left: $$[$0-2], right: $$[$0] };
break;
case 8:this.$ = { type: 'GTE', left: $$[$0-2], right: $$[$0] };
break;
case 9:this.$ = { type: 'NEQ', left: $$[$0-2], right: $$[$0] };
break;
case 10:this.$ = { type: 'EQ', left: $$[$0-2], right: $$[$0] };
break;
case 11:this.$ = { type: 'MOD', left: $$[$0-2], right: $$[$0] };
break;
case 12:this.$ = { type: 'GROUP', expr: $$[$0-1] };
break;
case 13:this.$ = { type: 'VAR' };
break;
case 14:this.$ = { type: 'NUM', val: Number(yytext) };
break;
}
},
table: [{3:1,4:2,17:[1,3],19:[1,4],20:[1,5]},{1:[3]},{5:[1,6],6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{4:17,17:[1,3],19:[1,4],20:[1,5]},{5:[2,13],6:[2,13],7:[2,13],8:[2,13],9:[2,13],10:[2,13],11:[2,13],12:[2,13],13:[2,13],14:[2,13],15:[2,13],16:[2,13],18:[2,13]},{5:[2,14],6:[2,14],7:[2,14],8:[2,14],9:[2,14],10:[2,14],11:[2,14],12:[2,14],13:[2,14],14:[2,14],15:[2,14],16:[2,14],18:[2,14]},{1:[2,1]},{4:18,17:[1,3],19:[1,4],20:[1,5]},{4:19,17:[1,3],19:[1,4],20:[1,5]},{4:20,17:[1,3],19:[1,4],20:[1,5]},{4:21,17:[1,3],19:[1,4],20:[1,5]},{4:22,17:[1,3],19:[1,4],20:[1,5]},{4:23,17:[1,3],19:[1,4],20:[1,5]},{4:24,17:[1,3],19:[1,4],20:[1,5]},{4:25,17:[1,3],19:[1,4],20:[1,5]},{4:26,17:[1,3],19:[1,4],20:[1,5]},{4:27,17:[1,3],19:[1,4],20:[1,5]},{6:[1,7],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[1,28]},{6:[1,7],7:[1,29],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16]},{5:[2,3],6:[2,3],7:[2,3],8:[2,3],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,3]},{5:[2,4],6:[2,4],7:[2,4],8:[2,4],9:[2,4],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,4]},{5:[2,5],6:[2,5],7:[2,5],8:[2,5],9:[2,5],10:[2,5],11:[2,5],12:[2,5],13:[2,5],14:[2,5],15:[2,5],16:[1,16],18:[2,5]},{5:[2,6],6:[2,6],7:[2,6],8:[2,6],9:[2,6],10:[2,6],11:[2,6],12:[2,6],13:[2,6],14:[2,6],15:[2,6],16:[1,16],18:[2,6]},{5:[2,7],6:[2,7],7:[2,7],8:[2,7],9:[2,7],10:[2,7],11:[2,7],12:[2,7],13:[2,7],14:[2,7],15:[2,7],16:[1,16],18:[2,7]},{5:[2,8],6:[2,8],7:[2,8],8:[2,8],9:[2,8],10:[2,8],11:[2,8],12:[2,8],13:[2,8],14:[2,8],15:[2,8],16:[1,16],18:[2,8]},{5:[2,9],6:[2,9],7:[2,9],8:[2,9],9:[2,9],10:[2,9],11:[2,9],12:[2,9],13:[2,9],14:[2,9],15:[2,9],16:[1,16],18:[2,9]},{5:[2,10],6:[2,10],7:[2,10],8:[2,10],9:[2,10],10:[2,10],11:[2,10],12:[2,10],13:[2,10],14:[2,10],15:[2,10],16:[1,16],18:[2,10]},{5:[2,11],6:[2,11],7:[2,11],8:[2,11],9:[2,11],10:[2,11],11:[2,11],12:[2,11],13:[2,11],14:[2,11],15:[2,11],16:[2,11],18:[2,11]},{5:[2,12],6:[2,12],7:[2,12],8:[2,12],9:[2,12],10:[2,12],11:[2,12],12:[2,12],13:[2,12],14:[2,12],15:[2,12],16:[2,12],18:[2,12]},{4:30,17:[1,3],19:[1,4],20:[1,5]},{5:[2,2],6:[1,7],7:[2,2],8:[1,8],9:[1,9],10:[1,10],11:[1,11],12:[1,12],13:[1,13],14:[1,14],15:[1,15],16:[1,16],18:[2,2]}],
defaultActions: {6:[2,1]},
parseError: function parseError(str, hash) {
throw new Error(str);
},
parse: function parse(input) {
var self = this,
stack = [0],
vstack = [null], // semantic value stack
lstack = [], // location stack
table = this.table,
yytext = '',
yylineno = 0,
yyleng = 0,
recovering = 0,
TERROR = 2,
EOF = 1;
//this.reductionCount = this.shiftCount = 0;
this.lexer.setInput(input);
this.lexer.yy = this.yy;
this.yy.lexer = this.lexer;
if (typeof this.lexer.yylloc == 'undefined')
this.lexer.yylloc = {};
var yyloc = this.lexer.yylloc;
lstack.push(yyloc);
if (typeof this.yy.parseError === 'function')
this.parseError = this.yy.parseError;
function popStack (n) {
stack.length = stack.length - 2*n;
vstack.length = vstack.length - n;
lstack.length = lstack.length - n;
}
function lex() {
var token;
token = self.lexer.lex() || 1; // $end = 1
// if token isn't its numeric value, convert
if (typeof token !== 'number') {
token = self.symbols_[token] || token;
}
return token;
}
var symbol, preErrorSymbol, state, action, a, r, yyval={},p,len,newState, expected;
while (true) {
// retreive state number from top of stack
state = stack[stack.length-1];
// use default actions if available
if (this.defaultActions[state]) {
action = this.defaultActions[state];
} else {
if (symbol == null)
symbol = lex();
// read action for current state and first input
action = table[state] && table[state][symbol];
}
// handle parse error
_handle_error:
if (typeof action === 'undefined' || !action.length || !action[0]) {
if (!recovering) {
// Report error
expected = [];
for (p in table[state]) if (this.terminals_[p] && p > 2) {
expected.push("'"+this.terminals_[p]+"'");
}
var errStr = '';
if (this.lexer.showPosition) {
errStr = 'Parse error on line '+(yylineno+1)+":\n"+this.lexer.showPosition()+"\nExpecting "+expected.join(', ') + ", got '" + this.terminals_[symbol]+ "'";
} else {
errStr = 'Parse error on line '+(yylineno+1)+": Unexpected " +
(symbol == 1 /*EOF*/ ? "end of input" :
("'"+(this.terminals_[symbol] || symbol)+"'"));
}
this.parseError(errStr,
{text: this.lexer.match, token: this.terminals_[symbol] || symbol, line: this.lexer.yylineno, loc: yyloc, expected: expected});
}
// just recovered from another error
if (recovering == 3) {
if (symbol == EOF) {
throw new Error(errStr || 'Parsing halted.');
}
// discard current lookahead and grab another
yyleng = this.lexer.yyleng;
yytext = this.lexer.yytext;
yylineno = this.lexer.yylineno;
yyloc = this.lexer.yylloc;
symbol = lex();
}
// try to recover from error
while (1) {
// check for error recovery rule in this state
if ((TERROR.toString()) in table[state]) {
break;
}
if (state == 0) {
throw new Error(errStr || 'Parsing halted.');
}
popStack(1);
state = stack[stack.length-1];
}
preErrorSymbol = symbol; // save the lookahead token
symbol = TERROR; // insert generic error symbol as new lookahead
state = stack[stack.length-1];
action = table[state] && table[state][TERROR];
recovering = 3; // allow 3 real symbols to be shifted before reporting a new error
}
// this shouldn't happen, unless resolve defaults are off
if (action[0] instanceof Array && action.length > 1) {
throw new Error('Parse Error: multiple actions possible at state: '+state+', token: '+symbol);
}
switch (action[0]) {
case 1: // shift
//this.shiftCount++;
stack.push(symbol);
vstack.push(this.lexer.yytext);
lstack.push(this.lexer.yylloc);
stack.push(action[1]); // push state
symbol = null;
if (!preErrorSymbol) { // normal execution/no error
yyleng = this.lexer.yyleng;
yytext = this.lexer.yytext;
yylineno = this.lexer.yylineno;
yyloc = this.lexer.yylloc;
if (recovering > 0)
recovering--;
} else { // error just occurred, resume old lookahead f/ before error
symbol = preErrorSymbol;
preErrorSymbol = null;
}
break;
case 2: // reduce
//this.reductionCount++;
len = this.productions_[action[1]][1];
// perform semantic action
yyval.$ = vstack[vstack.length-len]; // default to $$ = $1
// default location, uses first token for firsts, last for lasts
yyval._$ = {
first_line: lstack[lstack.length-(len||1)].first_line,
last_line: lstack[lstack.length-1].last_line,
first_column: lstack[lstack.length-(len||1)].first_column,
last_column: lstack[lstack.length-1].last_column
};
r = this.performAction.call(yyval, yytext, yyleng, yylineno, this.yy, action[1], vstack, lstack);
if (typeof r !== 'undefined') {
return r;
}
// pop off stack
if (len) {
stack = stack.slice(0,-1*len*2);
vstack = vstack.slice(0, -1*len);
lstack = lstack.slice(0, -1*len);
}
stack.push(this.productions_[action[1]][0]); // push nonterminal (reduce)
vstack.push(yyval.$);
lstack.push(yyval._$);
// goto new state = table[STATE][NONTERMINAL]
newState = table[stack[stack.length-2]][stack[stack.length-1]];
stack.push(newState);
break;
case 3: // accept
return true;
}
}
return true;
}};/* Jison generated lexer */
var lexer = (function(){
var lexer = ({EOF:1,
parseError:function parseError(str, hash) {
if (this.yy.parseError) {
this.yy.parseError(str, hash);
} else {
throw new Error(str);
}
},
setInput:function (input) {
this._input = input;
this._more = this._less = this.done = false;
this.yylineno = this.yyleng = 0;
this.yytext = this.matched = this.match = '';
this.conditionStack = ['INITIAL'];
this.yylloc = {first_line:1,first_column:0,last_line:1,last_column:0};
return this;
},
input:function () {
var ch = this._input[0];
this.yytext+=ch;
this.yyleng++;
this.match+=ch;
this.matched+=ch;
var lines = ch.match(/\n/);
if (lines) this.yylineno++;
this._input = this._input.slice(1);
return ch;
},
unput:function (ch) {
this._input = ch + this._input;
return this;
},
more:function () {
this._more = true;
return this;
},
pastInput:function () {
var past = this.matched.substr(0, this.matched.length - this.match.length);
return (past.length > 20 ? '...':'') + past.substr(-20).replace(/\n/g, "");
},
upcomingInput:function () {
var next = this.match;
if (next.length < 20) {
next += this._input.substr(0, 20-next.length);
}
return (next.substr(0,20)+(next.length > 20 ? '...':'')).replace(/\n/g, "");
},
showPosition:function () {
var pre = this.pastInput();
var c = new Array(pre.length + 1).join("-");
return pre + this.upcomingInput() + "\n" + c+"^";
},
next:function () {
if (this.done) {
return this.EOF;
}
if (!this._input) this.done = true;
var token,
match,
col,
lines;
if (!this._more) {
this.yytext = '';
this.match = '';
}
var rules = this._currentRules();
for (var i=0;i < rules.length; i++) {
match = this._input.match(this.rules[rules[i]]);
if (match) {
lines = match[0].match(/\n.*/g);
if (lines) this.yylineno += lines.length;
this.yylloc = {first_line: this.yylloc.last_line,
last_line: this.yylineno+1,
first_column: this.yylloc.last_column,
last_column: lines ? lines[lines.length-1].length-1 : this.yylloc.last_column + match[0].length}
this.yytext += match[0];
this.match += match[0];
this.matches = match;
this.yyleng = this.yytext.length;
this._more = false;
this._input = this._input.slice(match[0].length);
this.matched += match[0];
token = this.performAction.call(this, this.yy, this, rules[i],this.conditionStack[this.conditionStack.length-1]);
if (token) return token;
else return;
}
}
if (this._input === "") {
return this.EOF;
} else {
this.parseError('Lexical error on line '+(this.yylineno+1)+'. Unrecognized text.\n'+this.showPosition(),
{text: "", token: null, line: this.yylineno});
}
},
lex:function lex() {
var r = this.next();
if (typeof r !== 'undefined') {
return r;
} else {
return this.lex();
}
},
begin:function begin(condition) {
this.conditionStack.push(condition);
},
popState:function popState() {
return this.conditionStack.pop();
},
_currentRules:function _currentRules() {
return this.conditions[this.conditionStack[this.conditionStack.length-1]].rules;
},
topState:function () {
return this.conditionStack[this.conditionStack.length-2];
},
pushState:function begin(condition) {
this.begin(condition);
}});
lexer.performAction = function anonymous(yy,yy_,$avoiding_name_collisions,YY_START) {
var YYSTATE=YY_START;
switch($avoiding_name_collisions) {
case 0:/* skip whitespace */
break;
case 1:return 20
break;
case 2:return 19
break;
case 3:return 8
break;
case 4:return 9
break;
case 5:return 6
break;
case 6:return 7
break;
case 7:return 11
break;
case 8:return 13
break;
case 9:return 10
break;
case 10:return 12
break;
case 11:return 14
break;
case 12:return 15
break;
case 13:return 16
break;
case 14:return 17
break;
case 15:return 18
break;
case 16:return 5
break;
case 17:return 'INVALID'
break;
}
};
lexer.rules = [/^\s+/,/^[0-9]+(\.[0-9]+)?\b/,/^n\b/,/^\|\|/,/^&&/,/^\?/,/^:/,/^<=/,/^>=/,/^,/^>/,/^!=/,/^==/,/^%/,/^\(/,/^\)/,/^$/,/^./];
lexer.conditions = {"INITIAL":{"rules":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17],"inclusive":true}};return lexer;})()
parser.lexer = lexer;
return parser;
})();
// End parser
// Handle node, amd, and global systems
if (typeof exports !== 'undefined') {
if (typeof module !== 'undefined' && module.exports) {
exports = module.exports = Jed;
}
exports.Jed = Jed;
}
else {
if (typeof define === 'function' && define.amd) {
define('jed', [],function() {
return Jed;
});
}
// Leak a global regardless of module system
root['Jed'] = Jed;
}
})(this);
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 21:56+0200",
"Last-Translator": "JC Brand ",
"Language-Team": "Afrikaans",
"Language": "af",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"domain": "converse",
"lang": "af",
"plural_forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted": [
null,
"nie-privaat"
],
"unverified": [
null,
"ongeverifieer"
],
"verified": [
null,
"privaat"
],
"finished": [
null,
"afgesluit"
],
"Disconnected": [
null,
"Verbindung onderbreek"
],
"Error": [
null,
"Fout"
],
"Connecting": [
null,
"Verbind tans"
],
"Connection Failed": [
null,
"Verbinding het gefaal"
],
"Authenticating": [
null,
"Besig om te bekragtig"
],
"Authentication Failed": [
null,
"Bekragtiging het gefaal"
],
"Disconnecting": [
null,
"Onderbreek verbinding"
],
"Re-establishing encrypted session": [
null,
"Herstel versleutelde sessie"
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
"Die webblaaier moet 'n private sleutel vir die versleutelde klets-sessie genereer. Dit kan tot 30 sekondes duur, waartydenѕ die webblaaier mag vries en nie reageer nie."
],
"Private key generated.": [
null,
"Private sleutel"
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
"Verifikasie versoek van %1$s\n\nU gespreksmaat probeer om u identiteit te verifieer, deur die volgende vraag te vra \n\n%2$s"
],
"Could not verify this user's identify.": [
null,
"Kon nie hierdie gebruiker se identitied verifieer nie."
],
"Personal message": [
null,
"Persoonlike boodskap"
],
"Start encrypted conversation": [
null,
"Begin versleutelde gesprek"
],
"Refresh encrypted conversation": [
null,
"Verfris versleutelde gesprek"
],
"End encrypted conversation": [
null,
"Beëindig versleutelde gesprek"
],
"Verify with SMP": [
null,
"Verifieer met SMP"
],
"Verify with fingerprints": [
null,
"Verifieer met vingerafdrukke"
],
"What's this?": [
null,
"Wat is hierdie?"
],
"me": [
null,
"ek"
],
"Show this menu": [
null,
"Vertoon hierdie keuselys"
],
"Write in the third person": [
null,
"Skryf in die derde persoon"
],
"Remove messages": [
null,
"Verwyder boodskappe"
],
"Your message could not be sent": [
null,
"U boodskap kon nie gestuur word nie"
],
"We received an unencrypted message": [
null,
"Ons het 'n onversleutelde boodskap ontvang"
],
"We received an unreadable encrypted message": [
null,
"Ons het 'n onleesbare versleutelde boodskap ontvang"
],
"This user has requested an encrypted session.": [
null,
"Hierdie gebruiker versoek 'n versleutelde sessie"
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
"Hier is die vingerafdrukke, bevestig hulle met %1$s, buite hierdie kletskanaal \n\nU vingerafdruk, %2$s: %3$s\n\nVingerafdruk vir %1$s: %4$s\n\nIndien u die vingerafdrukke bevestig het, klik OK, andersinds klik Kanselleer"
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
"Daar sal van u verwag word om 'n sekuriteitsvraag te stel, en dan ook die antwoord tot daardie vraag te verskaf.\n\nU gespreksmaat sal dan daardie vraag gestel word, en indien hulle presies dieselfde antwoord (hoofletters tel) verskaf, sal hul identiteit geverifieer wees."
],
"What is your security question?": [
null,
"Wat is u sekuriteitsvraag?"
],
"What is the answer to the security question?": [
null,
"Wat is die antwoord tot die sekuriteitsvraag?"
],
"Invalid authentication scheme provided": [
null,
"Ongeldige verifikasiemetode verskaf"
],
"Your messages are not encrypted anymore": [
null,
"U boodskappe is nie meer versleutel nie"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
"U boodskappe is now versleutel maar u gespreksmaat se identiteit is nog onseker."
],
"Your buddy's identify has been verified.": [
null,
"U gespreksmaat se identiteit is geverifieer."
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
"U gespreksmaat het versleuteling gestaak, u behoort nou dieselfde te doen."
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"U boodskappe is nie versleutel nie. Klik hier om OTR versleuteling te aktiveer."
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"U boodskappe is versleutel, maar u gespreksmaat se identiteit is not onseker."
],
"Your messages are encrypted and your buddy verified.": [
null,
"U boodskappe is versleutel en u gespreksmaat se identiteit geverifieer."
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
"U gespreksmaat het die private sessie gestaak. U behoort dieselfde te doen"
],
"Contacts": [
null,
"Kontakte"
],
"Online": [
null,
"Aangemeld"
],
"Busy": [
null,
"Besig"
],
"Away": [
null,
"Afwesig"
],
"Offline": [
null,
"Afgemeld"
],
"Click to add new chat contacts": [
null,
"Kliek om nuwe kletskontakte by te voeg"
],
"Add a contact": [
null,
"Voeg 'n kontak by"
],
"Contact username": [
null,
"Konak gebruikersnaam"
],
"Add": [
null,
"Voeg by"
],
"Contact name": [
null,
"Kontaknaam"
],
"Search": [
null,
"Soek"
],
"No users found": [
null,
"Geen gebruikers gevind"
],
"Click to add as a chat contact": [
null,
"Kliek om as kletskontak by te voeg"
],
"Click to open this room": [
null,
"Kliek om hierdie kletskamer te open"
],
"Show more information on this room": [
null,
"Wys meer inligting aangaande hierdie kletskamer"
],
"Description:": [
null,
"Beskrywing:"
],
"Occupants:": [
null,
"Deelnemers:"
],
"Features:": [
null,
"Eienskappe:"
],
"Requires authentication": [
null,
"Benodig magtiging"
],
"Hidden": [
null,
"Verskuil"
],
"Requires an invitation": [
null,
"Benodig 'n uitnodiging"
],
"Moderated": [
null,
"Gemodereer"
],
"Non-anonymous": [
null,
"Nie-anoniem"
],
"Open room": [
null,
"Oop kletskamer"
],
"Permanent room": [
null,
"Permanente kamer"
],
"Public": [
null,
"Publiek"
],
"Semi-anonymous": [
null,
"Deels anoniem"
],
"Temporary room": [
null,
"Tydelike kamer"
],
"Unmoderated": [
null,
"Ongemodereer"
],
"Rooms": [
null,
"Kamers"
],
"Room name": [
null,
"Kamer naam"
],
"Nickname": [
null,
"Bynaam"
],
"Server": [
null,
"Bediener"
],
"Join": [
null,
"Sluit aan"
],
"Show rooms": [
null,
"Wys kamers"
],
"No rooms on %1$s": [
null,
"Geen kamers op %1$s"
],
"Rooms on %1$s": [
null,
"Kamers op %1$s"
],
"Set chatroom topic": [
null,
"Stel kletskamer onderwerp"
],
"Kick user from chatroom": [
null,
"Skop gebruiker uit die kletskamer"
],
"Ban user from chatroom": [
null,
"Verban gebruiker vanuit die kletskamer"
],
"Message": [
null,
"Boodskap"
],
"Save": [
null,
"Stoor"
],
"Cancel": [
null,
"Kanseleer"
],
"An error occurred while trying to save the form.": [
null,
"A fout het voorgekom terwyl probeer is om die vorm te stoor."
],
"This chatroom requires a password": [
null,
"Hiedie kletskamer benodig 'n wagwoord"
],
"Password: ": [
null,
"Wagwoord:"
],
"Submit": [
null,
"Dien in"
],
"This room is not anonymous": [
null,
"Hierdie vertrek is nie anoniem nie"
],
"This room now shows unavailable members": [
null,
"Hierdie vertrek wys nou onbeskikbare lede"
],
"This room does not show unavailable members": [
null,
"Hierdie vertrek wys nie onbeskikbare lede nie"
],
"Non-privacy-related room configuration has changed": [
null,
"Nie-privaatheidverwante kamer instellings het verander"
],
"Room logging is now enabled": [
null,
"Kamer log is nou aangeskakel"
],
"Room logging is now disabled": [
null,
"Kamer log is nou afgeskakel"
],
"This room is now non-anonymous": [
null,
"Hiedie kamer is nou nie anoniem nie"
],
"This room is now semi-anonymous": [
null,
"Hierdie kamer is nou gedeeltelik anoniem"
],
"This room is now fully-anonymous": [
null,
"Hierdie kamer is nou ten volle anoniem"
],
"A new room has been created": [
null,
"'n Nuwe kamer is geskep"
],
"Your nickname has been changed": [
null,
"Jou bynaam is verander"
],
"%1$s has been banned": [
null,
"%1$s is verban"
],
"%1$s has been kicked out": [
null,
"%1$s is uitgeskop"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s is verwyder a.g.v 'n verandering van affiliasie"
],
"%1$s has been removed for not being a member": [
null,
"%1$s is nie 'n lid nie, en dus verwyder"
],
"You have been banned from this room": [
null,
"Jy is uit die kamer verban"
],
"You have been kicked from this room": [
null,
"Jy is uit die kamer geskop"
],
"You have been removed from this room because of an affiliation change": [
null,
"Jy is vanuit die kamer verwyder a.g.v 'n verandering van affiliasie"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Jy is vanuit die kamer verwyder omdat die kamer nou slegs tot lede beperk word en jy nie 'n lid is nie."
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Jy is van hierdie kamer verwyder aangesien die MUC (Multi-user chat) diens nou afgeskakel word."
],
"You are not on the member list of this room": [
null,
"Jy is nie op die ledelys van hierdie kamer nie"
],
"No nickname was specified": [
null,
"Geen bynaam verskaf nie"
],
"You are not allowed to create new rooms": [
null,
"Jy word nie toegelaat om nog kamers te skep nie"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Jou bynaam voldoen nie aan die kamer se beleid nie"
],
"Your nickname is already taken": [
null,
"Jou bynaam is reeds geneem"
],
"This room does not (yet) exist": [
null,
"Hierdie kamer bestaan tans (nog) nie"
],
"This room has reached it's maximum number of occupants": [
null,
"Hierdie kamer het sy maksimum aantal deelnemers bereik"
],
"Topic set by %1$s to: %2$s": [
null,
"Onderwerp deur %1$s bygewerk na: %2$s"
],
"This user is a moderator": [
null,
"Hierdie gebruiker is 'n moderator"
],
"This user can send messages in this room": [
null,
"Hierdie gebruiker kan boodskappe na die kamer stuur"
],
"This user can NOT send messages in this room": [
null,
"Hierdie gebruiker kan NIE boodskappe na die kamer stuur nie"
],
"Click to chat with this contact": [
null,
"Kliek om met hierdie kontak te klets"
],
"Click to remove this contact": [
null,
"Kliek om hierdie kontak te verwyder"
],
"This contact is busy": [
null,
"Hierdie persoon is besig"
],
"This contact is online": [
null,
"Hierdie persoon is aanlyn"
],
"This contact is offline": [
null,
"Hierdie persoon is aflyn"
],
"This contact is unavailable": [
null,
"Hierdie persoon is onbeskikbaar"
],
"This contact is away for an extended period": [
null,
"Hierdie persoon is vir lank afwesig"
],
"This contact is away": [
null,
"Hierdie persoon is afwesig"
],
"Contact requests": [
null,
"Kontak versoeke"
],
"My contacts": [
null,
"My kontakte"
],
"Pending contacts": [
null,
"Hangende kontakte"
],
"Custom status": [
null,
"Doelgemaakte status"
],
"Click to change your chat status": [
null,
"Kliek om jou klets-status te verander"
],
"Click here to write a custom status message": [
null,
"Kliek hier om jou eie statusboodskap te skryf"
],
"online": [
null,
"aangemeld"
],
"busy": [
null,
"besig"
],
"away for long": [
null,
"vir lank afwesig"
],
"away": [
null,
"afwesig"
],
"I am %1$s": [
null,
"Ek is %1$s"
],
"Sign in": [
null,
"Teken in"
],
"XMPP/Jabber Username:": [
null,
"XMPP/Jabber Gebruikersnaam:"
],
"Password:": [
null,
"Wagwoord"
],
"Log In": [
null,
"Meld aan"
],
"BOSH Service URL:": [
null,
"BOSH bediener URL"
],
"Online Contacts": [
null,
"Kontakte aangemeld"
],
"Connected": [
null,
"Verbind"
],
"Attached": [
null,
"Geheg"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("af", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.af = factory(new Jed(translations));
}
}(this, function (af) {
return af;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 22:03+0200",
"Last-Translator": "JC Brand ",
"Language-Team": "German",
"Language": "de",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n != 1);",
"domain": "converse",
"lang": "de",
"plural_forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted": [
null,
""
],
"unverified": [
null,
""
],
"verified": [
null,
""
],
"finished": [
null,
""
],
"Disconnected": [
null,
"Verbindung unterbrochen."
],
"Error": [
null,
"Fehler"
],
"Connecting": [
null,
"Verbindungsaufbau …"
],
"Connection Failed": [
null,
"Entfernte Verbindung fehlgeschlagen"
],
"Authenticating": [
null,
"Authentifizierung"
],
"Authentication Failed": [
null,
"Authentifizierung gescheitert"
],
"Disconnecting": [
null,
"Trenne Verbindung"
],
"Re-establishing encrypted session": [
null,
""
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
""
],
"Private key generated.": [
null,
""
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
""
],
"Could not verify this user's identify.": [
null,
""
],
"Personal message": [
null,
"Persönliche Nachricht"
],
"Start encrypted conversation": [
null,
""
],
"Refresh encrypted conversation": [
null,
""
],
"End encrypted conversation": [
null,
""
],
"Verify with SMP": [
null,
""
],
"Verify with fingerprints": [
null,
""
],
"What's this?": [
null,
""
],
"me": [
null,
"Ich"
],
"Show this menu": [
null,
"Dieses Menü anzeigen"
],
"Write in the third person": [
null,
"In der dritten Person schreiben"
],
"Remove messages": [
null,
"Nachrichten entfernen"
],
"Your message could not be sent": [
null,
""
],
"We received an unencrypted message": [
null,
""
],
"We received an unreadable encrypted message": [
null,
""
],
"This user has requested an encrypted session.": [
null,
""
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
""
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
""
],
"What is your security question?": [
null,
""
],
"What is the answer to the security question?": [
null,
""
],
"Invalid authentication scheme provided": [
null,
""
],
"Your messages are not encrypted anymore": [
null,
""
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
""
],
"Your buddy's identify has been verified.": [
null,
""
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
""
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
""
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
""
],
"Your messages are encrypted and your buddy verified.": [
null,
""
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
""
],
"Contacts": [
null,
"Kontakte"
],
"Online": [
null,
"Online"
],
"Busy": [
null,
"Beschäfticht"
],
"Away": [
null,
"Abwesend"
],
"Offline": [
null,
"Abgemeldet"
],
"Click to add new chat contacts": [
null,
"Klicken Sie, um einen neuen Kontakt hinzuzufügen"
],
"Add a contact": [
null,
"Kontakte hinzufügen"
],
"Contact username": [
null,
"Benutzername"
],
"Add": [
null,
"Hinzufügen"
],
"Contact name": [
null,
"Name des Kontakts"
],
"Search": [
null,
"Suche"
],
"No users found": [
null,
"Keine Benutzer gefunden"
],
"Click to add as a chat contact": [
null,
"Hier klicken um als Kontakt hinzuzufügen"
],
"Click to open this room": [
null,
"Hier klicken um diesen Raum zu öffnen"
],
"Show more information on this room": [
null,
"Mehr Information über diesen Raum zeigen"
],
"Description:": [
null,
"Beschreibung"
],
"Occupants:": [
null,
"Teilnehmer"
],
"Features:": [
null,
"Funktionen:"
],
"Requires authentication": [
null,
"Authentifizierung erforderlich"
],
"Hidden": [
null,
"Versteckt"
],
"Requires an invitation": [
null,
"Einladung erforderlich"
],
"Moderated": [
null,
"Moderiert"
],
"Non-anonymous": [
null,
"Nicht anonym"
],
"Open room": [
null,
"Offener Raum"
],
"Permanent room": [
null,
"Dauerhafter Raum"
],
"Public": [
null,
"Öffentlich"
],
"Semi-anonymous": [
null,
"Teils anonym"
],
"Temporary room": [
null,
"Vorübergehender Raum"
],
"Unmoderated": [
null,
"Unmoderiert"
],
"Rooms": [
null,
"Räume"
],
"Room name": [
null,
"Raumname"
],
"Nickname": [
null,
"Spitzname"
],
"Server": [
null,
"Server"
],
"Join": [
null,
"Beitreten"
],
"Show rooms": [
null,
"Räume anzeigen"
],
"No rooms on %1$s": [
null,
"Keine Räume auf %1$s"
],
"Rooms on %1$s": [
null,
"Räume auf %1$s"
],
"Set chatroom topic": [
null,
"Chatraum Thema festlegen"
],
"Kick user from chatroom": [
null,
"Werfe einen Benutzer aus dem Raum."
],
"Ban user from chatroom": [
null,
"Verbanne einen Benutzer aus dem Raum."
],
"Message": [
null,
"Nachricht"
],
"Save": [
null,
"Speichern"
],
"Cancel": [
null,
"Abbrechen"
],
"An error occurred while trying to save the form.": [
null,
"Beim Speichern der Formular is ein Fehler aufgetreten."
],
"This chatroom requires a password": [
null,
"Passwort wird für die Anmeldung benötigt."
],
"Password: ": [
null,
"Passwort: "
],
"Submit": [
null,
"Einreichen"
],
"This room is not anonymous": [
null,
"Dieser Raum ist nicht anonym"
],
"This room now shows unavailable members": [
null,
"Dieser Raum zeigt jetzt unferfügbare Mitglieder"
],
"This room does not show unavailable members": [
null,
"Dieser Raum zeigt nicht unverfügbare Mitglieder"
],
"Non-privacy-related room configuration has changed": [
null,
"Die Konfiguration, die nicht auf die Privatsphäre bezogen ist, hat sich geändert"
],
"Room logging is now enabled": [
null,
"Zukünftige Nachrichten dieses Raums werden protokolliert."
],
"Room logging is now disabled": [
null,
"Zukünftige Nachrichten dieses Raums werden nicht protokolliert."
],
"This room is now non-anonymous": [
null,
"Dieser Raum ist jetzt nicht anonym"
],
"This room is now semi-anonymous": [
null,
"Dieser Raum ist jetzt teils anonym"
],
"This room is now fully-anonymous": [
null,
"Dieser Raum ist jetzt anonym"
],
"A new room has been created": [
null,
"Einen neuen Raum ist erstellen"
],
"Your nickname has been changed": [
null,
"Spitzname festgelegen"
],
"%1$s has been banned": [
null,
"%1$s ist verbannt"
],
"%1$s has been kicked out": [
null,
"%1$s ist hinausgeworfen"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s wurde wegen einer Zugehörigkeitsänderung entfernt"
],
"%1$s has been removed for not being a member": [
null,
"%1$s ist kein Mitglied und wurde daher entfernt"
],
"You have been banned from this room": [
null,
"Sie sind aus diesem Raum verbannt worden"
],
"You have been kicked from this room": [
null,
"Sie wurden aus diesem Raum hinausgeworfen"
],
"You have been removed from this room because of an affiliation change": [
null,
"Sie wurden wegen einer Zugehörigkeitsänderung entfernt"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Sie wurden aus diesem Raum entfernt da Sie kein Mitglied sind."
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Sie werden aus diesem Raum entfernt da der MUC (Muli-user chat) Dienst gerade abgeschalten wird."
],
"You are not on the member list of this room": [
null,
"Sie sind nicht auf der Mitgliederliste dieses Raums"
],
"No nickname was specified": [
null,
"Kein Spitzname festgelegt"
],
"You are not allowed to create new rooms": [
null,
"Es ist Ihnen nicht erlaubt, neue Räume anzulegen"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Ungültiger Spitzname"
],
"Your nickname is already taken": [
null,
"Ihre Spitzname existiert bereits."
],
"This room does not (yet) exist": [
null,
"Dieser Raum existiert (noch) nicht"
],
"This room has reached it's maximum number of occupants": [
null,
"Dieser Raum hat die maximale Mitgliederanzahl erreicht"
],
"Topic set by %1$s to: %2$s": [
null,
"%1$s hat das Thema zu \"%2$s\" abgeändert"
],
"This user is a moderator": [
null,
"Dieser Benutzer ist ein Moderator"
],
"This user can send messages in this room": [
null,
"Dieser Benutzer kann Nachrichten in diesem Raum verschicken"
],
"This user can NOT send messages in this room": [
null,
"Dieser Benutzer kann keine Nachrichten in diesem Raum verschicken"
],
"Click to chat with this contact": [
null,
"Hier klicken um mit diesem Kontakt zu chatten"
],
"Click to remove this contact": [
null,
"Hier klicken um diesen Kontakt zu entfernen"
],
"This contact is busy": [
null,
"Dieser Kontakt ist beschäfticht"
],
"This contact is online": [
null,
"Dieser Kontakt ist online"
],
"This contact is offline": [
null,
"Dieser Kontakt ist offline"
],
"This contact is unavailable": [
null,
"Dieser Kontakt ist nicht verfügbar"
],
"This contact is away for an extended period": [
null,
"Dieser Kontakt is für längere Zeit abwesend"
],
"This contact is away": [
null,
"Dieser Kontakt ist abwesend"
],
"Contact requests": [
null,
"Kontaktanfragen"
],
"My contacts": [
null,
"Meine Kontakte"
],
"Pending contacts": [
null,
"Unbestätigte Kontakte"
],
"Custom status": [
null,
"Status-Nachricht"
],
"Click to change your chat status": [
null,
"Klicken Sie, um ihrer Status to ändern"
],
"Click here to write a custom status message": [
null,
"Klicken Sie hier, um ihrer Status-Nachricht to ändern"
],
"online": [
null,
"online"
],
"busy": [
null,
"beschäfticht"
],
"away for long": [
null,
"länger abwesend"
],
"away": [
null,
"abwesend"
],
"I am %1$s": [
null,
"Ich bin %1$s"
],
"Sign in": [
null,
"Anmelden"
],
"XMPP/Jabber Username:": [
null,
"XMPP/Jabber Benutzername"
],
"Password:": [
null,
"Passwort:"
],
"Log In": [
null,
"Anmelden"
],
"BOSH Service URL:": [
null,
"BOSH "
],
"Online Contacts": [
null,
"Online-Kontakte"
],
"%1$s is typing": [
null,
"%1$s tippt"
],
"Connected": [
null,
"Verbunden"
],
"Attached": [
null,
"Angehängt"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("de", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.de = factory(new Jed(translations));
}
}(this, function (de) {
return de;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"domain": "converse",
"lang": "en",
"plural_forms": "nplurals=2; plural=(n != 1);"
}
}
}
};
if (typeof define === 'function' && define.amd) {
define("en", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.en = factory(new Jed(translations));
}
}(this, function (en) {
return en;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 21:59+0200",
"Last-Translator": "Javier Lopez ",
"Language-Team": "ES ",
"Language": "es",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n != 1);",
"plural_forms": "nplurals=2; plural=(n != 1);",
"lang": "es",
"Language-Code": "es",
"Language-Name": "Español",
"Preferred-Encodings": "utf-8 latin1",
"Domain": "converse",
"domain": "converse",
"X-Is-Fallback-For": "es-ar es-bo es-cl es-co es-cr es-do es-ec es-es es-sv es-gt es-hn es-mx es-ni es-pa es-py es-pe es-pr es-us es-uy es-ve"
},
"unencrypted": [
null,
"texto plano"
],
"unverified": [
null,
"sin verificar"
],
"verified": [
null,
"verificado"
],
"finished": [
null,
"finalizado"
],
"Disconnected": [
null,
"Desconectado"
],
"Error": [
null,
"Error"
],
"Connecting": [
null,
"Conectando"
],
"Connection Failed": [
null,
"La conexión falló"
],
"Authenticating": [
null,
"Autenticando"
],
"Authentication Failed": [
null,
"La autenticación falló"
],
"Disconnecting": [
null,
"Desconectando"
],
"Re-establishing encrypted session": [
null,
"Re-estableciendo sesión cifrada"
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
"Su navegador generará una llave privada para usarse en la sesión cifrada. Esto puede tomar hasta 30 segundo, durante este tiempo su navegador puede dejar de responder."
],
"Private key generated.": [
null,
"Llave privada generada"
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
"Petición de autenticación de %1$s\n\nSu contacto intenta verificar su identidad haciendo la siguiente pregunta.\n\n%2$s"
],
"Could not verify this user's identify.": [
null,
"No se pudo verificar la identidad de este usuario"
],
"Personal message": [
null,
"Mensaje personal"
],
"Start encrypted conversation": [
null,
"Iniciar sesión cifrada"
],
"Refresh encrypted conversation": [
null,
"Actualizar sesión cifrada"
],
"End encrypted conversation": [
null,
"Finalizar sesión cifrada"
],
"Verify with SMP": [
null,
"Verificar con SMP"
],
"Verify with fingerprints": [
null,
"Verificar con identificadores"
],
"What's this?": [
null,
"¿Qué es esto?"
],
"me": [
null,
"yo"
],
"Show this menu": [
null,
"Mostrar este menú"
],
"Write in the third person": [
null,
"Escribir en tercera persona"
],
"Remove messages": [
null,
"Eliminar mensajes"
],
"Your message could not be sent": [
null,
"Su mensaje no se pudo enviar"
],
"We received an unencrypted message": [
null,
"Se recibío un mensaje sin cifrar"
],
"We received an unreadable encrypted message": [
null,
"Se recibío un mensaje cifrado corrupto"
],
"This user has requested an encrypted session.": [
null,
"El usuario ha solicitado una sesión cifrada"
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
"Por favor confirme los identificadores de %1$s fuera de este chat\n\n. Su identificador es, %2$s: %3$s\n\n. El identificador de %1$s es: %4$s\n\n. Después de confirmar los identificadores haga click en OK, cancele si no concuerdan."
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
"Se le solicitará una pregunta de seguridad.\n\n. La pregunta que responda se le hará a su contacto, si las respuestas concuerdan (cuidando mayúsculas/minúsculas) su identidad quedará verificada."
],
"What is your security question?": [
null,
"Introduzca su pregunta de seguridad"
],
"What is the answer to the security question?": [
null,
"Introduzca la respuesta a su pregunta de seguridad"
],
"Invalid authentication scheme provided": [
null,
"Esquema de autenticación inválido"
],
"Your messages are not encrypted anymore": [
null,
"Sus mensajes han dejado de cifrarse"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
"Sus mensajes están ahora cifrados pero la identidad de su contacto no ha sido verificada"
],
"Your buddy's identify has been verified.": [
null,
"La identidad de su contacto ha sido confirmada"
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
"Su contacto finalizó la sesión cifrada, debería hacer lo mismo"
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"Sus mensajes no están cifrados. Haga click aquí para habilitar el cifrado OTR"
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"Sus mensajes están cifrados pero la identidad de su contacto no ha sido verificada"
],
"Your messages are encrypted and your buddy verified.": [
null,
"Sus mensajes están cifrados y su contacto ha sido verificado"
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
"Su contacto finalizó la sesión cifrada, debería hacer lo mismo"
],
"Contacts": [
null,
"Contactos"
],
"Online": [
null,
"En linea"
],
"Busy": [
null,
"Ocupado"
],
"Away": [
null,
"Ausente"
],
"Offline": [
null,
"Desconectado"
],
"Click to add new chat contacts": [
null,
"Haga click para agregar nuevos contactos al chat"
],
"Add a contact": [
null,
"Agregar un contacto"
],
"Contact username": [
null,
"Nombre de usuario de contacto"
],
"Add": [
null,
"Agregar"
],
"Contact name": [
null,
"Nombre de contacto"
],
"Search": [
null,
"Búsqueda"
],
"No users found": [
null,
"Sin usuarios encontrados"
],
"Click to add as a chat contact": [
null,
"Haga click para agregar como contacto de chat"
],
"Click to open this room": [
null,
"Haga click para abrir esta sala"
],
"Show more information on this room": [
null,
"Mostrar más información en esta sala"
],
"Description:": [
null,
"Descripción"
],
"Occupants:": [
null,
"Ocupantes:"
],
"Features:": [
null,
"Características:"
],
"Requires authentication": [
null,
"Autenticación requerida"
],
"Hidden": [
null,
"Oculto"
],
"Requires an invitation": [
null,
"Requiere una invitación"
],
"Moderated": [
null,
"Moderado"
],
"Non-anonymous": [
null,
"No anónimo"
],
"Open room": [
null,
"Abrir sala"
],
"Permanent room": [
null,
"Sala permanente"
],
"Public": [
null,
"Publico"
],
"Semi-anonymous": [
null,
"Semi anónimo"
],
"Temporary room": [
null,
"Sala temporal"
],
"Unmoderated": [
null,
"Sin moderar"
],
"Rooms": [
null,
"Salas"
],
"Room name": [
null,
"Nombre de sala"
],
"Nickname": [
null,
"Apodo"
],
"Server": [
null,
"Servidor"
],
"Join": [
null,
"Unirse"
],
"Show rooms": [
null,
"Mostrar salas"
],
"No rooms on %1$s": [
null,
"Sin salas en %1$s"
],
"Rooms on %1$s": [
null,
"Salas en %1$s"
],
"Set chatroom topic": [
null,
"Definir tema de sala de chat"
],
"Kick user from chatroom": [
null,
"Expulsar usuario de sala de chat."
],
"Ban user from chatroom": [
null,
"Bloquear usuario de sala de chat."
],
"Message": [
null,
"Mensaje"
],
"Save": [
null,
"Guardar"
],
"Cancel": [
null,
"Cancelar"
],
"An error occurred while trying to save the form.": [
null,
"Un error ocurrío mientras se guardaba el formulario."
],
"This chatroom requires a password": [
null,
"Esta sala de chat requiere una contraseña."
],
"Password: ": [
null,
"Contraseña: "
],
"Submit": [
null,
"Enviar"
],
"This room is not anonymous": [
null,
"Esta sala no es para usuarios anónimos"
],
"This room now shows unavailable members": [
null,
"Esta sala ahora muestra los miembros no disponibles"
],
"This room does not show unavailable members": [
null,
"Esta sala no muestra los miembros no disponibles"
],
"Non-privacy-related room configuration has changed": [
null,
"Una configuración de la sala no relacionada con la privacidad ha sido cambiada"
],
"Room logging is now enabled": [
null,
"El registro de la sala ahora está habilitado"
],
"Room logging is now disabled": [
null,
"El registro de la sala ahora está deshabilitado"
],
"This room is now non-anonymous": [
null,
"Esta sala ahora es pública"
],
"This room is now semi-anonymous": [
null,
"Esta sala ahora es semi-anónima"
],
"This room is now fully-anonymous": [
null,
"Esta sala ahora es completamente anónima"
],
"A new room has been created": [
null,
"Una nueva sala ha sido creada"
],
"Your nickname has been changed": [
null,
"Su apodo ha sido cambiado"
],
"%1$s has been banned": [
null,
"%1$s ha sido bloqueado"
],
"%1$s has been kicked out": [
null,
"%1$s ha sido expulsado"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s ha sido eliminado debido a un cambio de afiliación"
],
"%1$s has been removed for not being a member": [
null,
"%1$s ha sido eliminado debido a que no es miembro"
],
"You have been banned from this room": [
null,
"Usted ha sido bloqueado de esta sala"
],
"You have been kicked from this room": [
null,
"Usted ha sido expulsado de esta sala"
],
"You have been removed from this room because of an affiliation change": [
null,
"Usted ha sido eliminado de esta sala debido a un cambio de afiliación"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Usted ha sido eliminado de esta sala debido a que la sala cambio su configuración a solo-miembros y usted no es un miembro"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Usted ha sido eliminado de esta sala debido a que el servicio MUC (Multi-user chat) está deshabilitado."
],
"You are not on the member list of this room": [
null,
"Usted no está en la lista de miembros de esta sala"
],
"No nickname was specified": [
null,
"Sin apodo especificado"
],
"You are not allowed to create new rooms": [
null,
"Usted no esta autorizado para crear nuevas salas"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Su apodo no se ajusta a la política de esta sala"
],
"Your nickname is already taken": [
null,
"Su apodo ya ha sido tomando por otro usuario"
],
"This room does not (yet) exist": [
null,
"Esta sala (aún) no existe"
],
"This room has reached it's maximum number of occupants": [
null,
"Esta sala ha alcanzado su número máximo de ocupantes"
],
"Topic set by %1$s to: %2$s": [
null,
"Tema fijado por %1$s a: %2$s"
],
"This user is a moderator": [
null,
"Este usuario es un moderador"
],
"This user can send messages in this room": [
null,
"Este usuario puede enviar mensajes en esta sala"
],
"This user can NOT send messages in this room": [
null,
"Este usuario NO puede enviar mensajes en esta"
],
"Click to chat with this contact": [
null,
"Haga click para conversar con este contacto"
],
"Click to remove this contact": [
null,
"Haga click para eliminar este contacto"
],
"This contact is busy": [
null,
"Este contacto está ocupado"
],
"This contact is online": [
null,
"Este contacto está en línea"
],
"This contact is offline": [
null,
"Este contacto está desconectado"
],
"This contact is unavailable": [
null,
"Este contacto no está disponible"
],
"This contact is away for an extended period": [
null,
"Este contacto está ausente por un largo periodo de tiempo"
],
"This contact is away": [
null,
"Este contacto está ausente"
],
"Contact requests": [
null,
"Solicitudes de contacto"
],
"My contacts": [
null,
"Mis contactos"
],
"Pending contacts": [
null,
"Contactos pendientes"
],
"Custom status": [
null,
"Personalizar estatus"
],
"Click to change your chat status": [
null,
"Haga click para cambiar su estatus de chat"
],
"Click here to write a custom status message": [
null,
"Haga click para escribir un mensaje de estatus personalizado"
],
"online": [
null,
"en línea"
],
"busy": [
null,
"ocupado"
],
"away for long": [
null,
"ausente por mucho tiempo"
],
"away": [
null,
"ausente"
],
"I am %1$s": [
null,
"Estoy %1$s"
],
"Sign in": [
null,
"Registrar"
],
"XMPP/Jabber Username:": [
null,
"Nombre de usuario XMPP/Jabber"
],
"Password:": [
null,
"Contraseña:"
],
"Log In": [
null,
"Iniciar sesión"
],
"BOSH Service URL:": [
null,
"URL del servicio BOSH:"
],
"Online Contacts": [
null,
"En línea"
],
"Connected": [
null,
"Conectado"
],
"Attached": [
null,
"Adjuntado"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("es", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.es = factory(new Jed(translations));
}
}(this, function (es) {
return es;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 21:58+0200",
"Language-Team": "FR ",
"Language": "fr",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n != 1);",
"plural_forms": "nplurals=2; plural=(n != 1);",
"lang": "fr",
"Language-Code": "fr",
"Preferred-Encodings": "utf-8 latin1",
"Domain": "converse",
"domain": "converse"
},
"unencrypted": [
null,
""
],
"unverified": [
null,
""
],
"verified": [
null,
""
],
"finished": [
null,
""
],
"Disconnected": [
null,
"Déconnecté"
],
"Error": [
null,
"Erreur"
],
"Connecting": [
null,
"Connection"
],
"Connection Failed": [
null,
"La connection a échoué"
],
"Authenticating": [
null,
"Authentification"
],
"Authentication Failed": [
null,
"L'authentification a échoué"
],
"Disconnecting": [
null,
"Déconnection"
],
"Re-establishing encrypted session": [
null,
""
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
""
],
"Private key generated.": [
null,
""
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
""
],
"Could not verify this user's identify.": [
null,
""
],
"Personal message": [
null,
"Message personnel"
],
"Start encrypted conversation": [
null,
""
],
"Refresh encrypted conversation": [
null,
""
],
"End encrypted conversation": [
null,
""
],
"Verify with SMP": [
null,
""
],
"Verify with fingerprints": [
null,
""
],
"What's this?": [
null,
""
],
"me": [
null,
""
],
"Show this menu": [
null,
"Afficher ce menu"
],
"Write in the third person": [
null,
"Écrire à la troisième personne"
],
"Remove messages": [
null,
"Effacer les messages"
],
"Your message could not be sent": [
null,
""
],
"We received an unencrypted message": [
null,
""
],
"We received an unreadable encrypted message": [
null,
""
],
"This user has requested an encrypted session.": [
null,
""
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
""
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
""
],
"What is your security question?": [
null,
""
],
"What is the answer to the security question?": [
null,
""
],
"Invalid authentication scheme provided": [
null,
""
],
"Your messages are not encrypted anymore": [
null,
""
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
""
],
"Your buddy's identify has been verified.": [
null,
""
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
""
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
""
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
""
],
"Your messages are encrypted and your buddy verified.": [
null,
""
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
""
],
"Contacts": [
null,
"Contacts"
],
"Online": [
null,
"En ligne"
],
"Busy": [
null,
"Occupé"
],
"Away": [
null,
"Absent"
],
"Offline": [
null,
"Déconnecté"
],
"Click to add new chat contacts": [
null,
"Cliquez pour ajouter de nouveaux contacts"
],
"Add a contact": [
null,
"Ajouter un contact"
],
"Contact username": [
null,
"Nom du contact"
],
"Add": [
null,
"Ajouter"
],
"Contact name": [
null,
"Nom du contact"
],
"Search": [
null,
"Rechercher"
],
"No users found": [
null,
"Aucun utilisateur trouvé"
],
"Click to add as a chat contact": [
null,
"Cliquer pour ajouter aux contacts de chat"
],
"Click to open this room": [
null,
"Cliquer pour ouvrir ce salon"
],
"Show more information on this room": [
null,
"Afficher davantage d'informations sur ce salon"
],
"Description:": [
null,
"Description :"
],
"Occupants:": [
null,
"Participants :"
],
"Features:": [
null,
"Caractéristiques :"
],
"Requires authentication": [
null,
"Nécessite une authentification"
],
"Hidden": [
null,
"Masqué"
],
"Requires an invitation": [
null,
"Nécessite une invitation"
],
"Moderated": [
null,
"Modéré"
],
"Non-anonymous": [
null,
"Non-anonyme"
],
"Open room": [
null,
"Ouvrir un salon"
],
"Permanent room": [
null,
"Salon permanent"
],
"Public": [
null,
"Public"
],
"Semi-anonymous": [
null,
"Semi-anonyme"
],
"Temporary room": [
null,
"Salon temporaire"
],
"Unmoderated": [
null,
"Non modéré"
],
"Rooms": [
null,
"Salons"
],
"Room name": [
null,
"Numéro de salon"
],
"Nickname": [
null,
"Alias"
],
"Server": [
null,
"Serveur"
],
"Join": [
null,
"Rejoindre"
],
"Show rooms": [
null,
"Afficher les salons"
],
"No rooms on %1$s": [
null,
"Aucun salon dans %1$s"
],
"Rooms on %1$s": [
null,
"Salons dans %1$s"
],
"Set chatroom topic": [
null,
"Indiquer le sujet du salon"
],
"Kick user from chatroom": [
null,
"Expulser l'utilisateur du salon."
],
"Ban user from chatroom": [
null,
"Bannir l'utilisateur du salon."
],
"Message": [
null,
"Message"
],
"Save": [
null,
"Enregistrer"
],
"Cancel": [
null,
"Annuler"
],
"An error occurred while trying to save the form.": [
null,
"Une erreur est survenue lors de l'enregistrement du formulaire."
],
"This chatroom requires a password": [
null,
"Ce salon nécessite un mot de passe."
],
"Password: ": [
null,
"Mot de passe : "
],
"Submit": [
null,
"Soumettre"
],
"This room is not anonymous": [
null,
"Ce salon n'est pas anonyme"
],
"This room now shows unavailable members": [
null,
"Ce salon affiche maintenant des membres indisponibles"
],
"This room does not show unavailable members": [
null,
"Ce salon n'affiche pas les membres indisponibles"
],
"Non-privacy-related room configuration has changed": [
null,
"Les paramètres du salon non liés à la confidentialité ont été modifiés"
],
"Room logging is now enabled": [
null,
"Le logging du salon est activé"
],
"Room logging is now disabled": [
null,
"Le logging du salon est désactivé"
],
"This room is now non-anonymous": [
null,
"Ce salon est maintenant non-anonyme"
],
"This room is now semi-anonymous": [
null,
"Ce salon est maintenant semi-anonyme"
],
"This room is now fully-anonymous": [
null,
"Ce salon est maintenant entièrement anonyme"
],
"A new room has been created": [
null,
"Un nouveau salon a été créé"
],
"Your nickname has been changed": [
null,
"Votre alias a été modifié"
],
"%1$s has been banned": [
null,
"%1$s a été banni"
],
"%1$s has been kicked out": [
null,
"%1$s a été expulsé"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s a été supprimé à cause d'un changement d'affiliation"
],
"%1$s has been removed for not being a member": [
null,
"%1$s a été supprimé car il n'est pas membre"
],
"You have been banned from this room": [
null,
"Vous avez été banni de ce salon"
],
"You have been kicked from this room": [
null,
"Vous avez été expulsé de ce salon"
],
"You have been removed from this room because of an affiliation change": [
null,
"Vous avez été retiré de ce salon du fait d'un changement d'affiliation"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Vous avez été retiré de ce salon parce que ce salon est devenu réservé aux membres et vous n'êtes pas membre"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Vous avez été retiré de ce salon parce que le service de chat multi-utilisateur a été désactivé."
],
"You are not on the member list of this room": [
null,
"Vous n'êtes pas dans la liste des membres de ce salon"
],
"No nickname was specified": [
null,
"Aucun alias n'a été indiqué"
],
"You are not allowed to create new rooms": [
null,
"Vous n'êtes pas autorisé à créer des salons"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Votre alias n'est pas conforme à la politique de ce salon"
],
"Your nickname is already taken": [
null,
"Votre alias est déjà utilisé"
],
"This room does not (yet) exist": [
null,
"Ce salon n'existe pas encore"
],
"This room has reached it's maximum number of occupants": [
null,
"Ce salon a atteint la limite maximale d'occupants"
],
"Topic set by %1$s to: %2$s": [
null,
"Le sujet '%1$s' a été défini par %2$s"
],
"This user is a moderator": [
null,
"Cet utilisateur est modérateur"
],
"This user can send messages in this room": [
null,
"Cet utilisateur peut envoyer des messages dans ce salon"
],
"This user can NOT send messages in this room": [
null,
"Cet utilisateur ne peut PAS envoyer de messages dans ce salon"
],
"Click to chat with this contact": [
null,
"Cliquez pour discuter avec ce contact"
],
"Click to remove this contact": [
null,
"Cliquez pour supprimer ce contact"
],
"This contact is busy": [
null,
""
],
"This contact is online": [
null,
""
],
"This contact is offline": [
null,
""
],
"This contact is unavailable": [
null,
"Ce salon affiche maintenant des membres indisponibles"
],
"This contact is away for an extended period": [
null,
""
],
"This contact is away": [
null,
""
],
"Contact requests": [
null,
"Demandes de contacts"
],
"My contacts": [
null,
"Mes contacts"
],
"Pending contacts": [
null,
"Contacts en attente"
],
"Custom status": [
null,
"Statut personnel"
],
"Click to change your chat status": [
null,
"Cliquez pour changer votre statut"
],
"Click here to write a custom status message": [
null,
"Cliquez ici pour indiquer votre statut personnel"
],
"online": [
null,
"en ligne"
],
"busy": [
null,
"occupé"
],
"away for long": [
null,
"absent pour une longue durée"
],
"away": [
null,
"absent"
],
"I am %1$s": [
null,
"Je suis %1$s"
],
"Sign in": [
null,
"S'inscrire"
],
"XMPP/Jabber Username:": [
null,
"Nom d'utilisateur XMPP/Jabber"
],
"Password:": [
null,
"Mot de passe :"
],
"Log In": [
null,
"Se connecter"
],
"BOSH Service URL:": [
null,
"URL du service BOSH:"
],
"Online Contacts": [
null,
"Contacts en ligne"
],
"Connected": [
null,
"Connecté"
],
"Attached": [
null,
"Attaché"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("fr", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.fr = factory(new Jed(translations));
}
}(this, function (fr) {
return fr;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"project-id-version": "Converse.js 0.8.1",
"report-msgid-bugs-to": "",
"pot-creation-date": "2014-08-25 14:37+0200",
"po-revision-date": "2014-02-21 06:07+0200",
"last-translator": "GreenLunar ",
"language-team": "Rahut ",
"language": "he",
"mime-version": "1.0",
"content-type": "text/plain; charset=UTF-8",
"content-transfer-encoding": "8bit",
"x-generator": "Poedit 1.5.1",
"plural-forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted":[
null,"לא מוצפנת"
],
"unverified":[
null,"לא מאומתת"
],
"verified":[
null,"מאומתת"
],
"finished":[
null,"מוגמרת"
],
"This contact is busy":[
null,"איש קשר זה עסוק"
],
"This contact is online":[
null,"איש קשר זה מקוון"
],
"This contact is offline":[
null,"איש קשר זה לא מקוון"
],
"This contact is unavailable":[
null,"איש קשר זה לא זמין"
],
"This contact is away for an extended period":[
null,"איש קשר זה נעדר למשך זמן ממושך"
],
"This contact is away":[
null,"איש קשר זה הינו נעדר"
],
"Click to hide these contacts":[
null,"לחץ כדי להסתיר את אנשי קשר אלה"
],
"My contacts":[
null,"אנשי הקשר שלי"
],
"Pending contacts":[
null,"אנשי קשר ממתינים"
],
"Contact requests":[
null,"בקשות איש קשר"
],
"Ungrouped":[
null,"ללא קבוצה"
],
"Contacts":[
null,"אנשי קשר"
],
"Groups":[
null,"קבוצות"
],
"Reconnecting":[
null,"כעת מתחבר"
],
"Disconnected":[
null,"מנותק"
],
"Error":[
null,"שגיאה"
],
"Connecting":[
null,"כעת מתחבר"
],
"Connection Failed":[
null,"חיבור נכשל"
],
"Authenticating":[
null,"כעת מאמת"
],
"Authentication Failed":[
null,"אימות נכשל"
],
"Disconnecting":[
null,"כעת מתנתק"
],
"Online Contacts":[
null,"אנשי קשר מקוונים"
],
"Re-establishing encrypted session":[
null,"בסס מחדש ישיבה מוצפנת"
],
"Generating private key.":[
null,"כעת מפיק מפתח פרטי."
],
"Your browser might become unresponsive.":[
null,"הדפדפן שלך עשוי שלא להגיב."
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s":[
null,"בקשת אימות מאת %1$s\n\nהאישיות שכנגד מנסה לאמת את הזהות שלך, בעזרת שאילת שאלה להלן.\n\n%2$s"
],
"Could not verify this user's identify.":[
null,"לא היתה אפשרות לאמת את זהות משתמש זה."
],
"Exchanging private key with buddy.":[
null,"ממיר מפתח פרטי עם איש קשר."
],
"Personal message":[
null,"הודעה אישית"
],
"Are you sure you want to clear the messages from this room?":[
null,"האם אתה בטוח כי ברצונך לטהר את ההודעות מתוך חדר זה?"
],
"me":[
null,"אני"
],
"is typing":[
null,"מקליד/ה כעת"
],
"has stopped typing":[
null,"חדל/ה מלהקליד"
],
"Show this menu":[
null,"הצג את תפריט זה"
],
"Write in the third person":[
null,"כתוב בגוף השלישי"
],
"Remove messages":[
null,"הסר הודעות"
],
"Are you sure you want to clear the messages from this chat box?":[
null,"האם אתה בטוח כי ברצונך לטהר את ההודעות מתוך תיבת שיחה זה?"
],
"Your message could not be sent":[
null,"ההודעה שלך לא היתה יכולה להישלח"
],
"We received an unencrypted message":[
null,"אנחנו קיבלנו הודעה לא מוצפנת"
],
"We received an unreadable encrypted message":[
null,"אנחנו קיבלנו הודעה מוצפנת לא קריאה"
],
"This user has requested an encrypted session.":[
null,"משתמש זה ביקש ישיבה מוצפנת."
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.":[
null,"הרי טביעות האצבע, אנא אמת אותן עם %1$s, מחוץ לשיחה זו.\n\nטביעת אצבע עבורך, %2$s: %3$s\n\nטביעת אצבע עבור %1$s: %4$s\n\nהיה ואימתת כי טביעות האצבע תואמות, לחץ אישור (OK), אחרת לחץ ביטול (Cancel)."
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will be verified.":[
null,"אתה תתבקש לספק שאלת אבטחה ולאחריה תשובה לשאלה הזו.\n\nהאישיות שכנגד תתבקש עובר זאת לאותה שאלת אבטחה ואם זו תקלידו את את אותה התשובה במדויק (case sensitive), זהותה תאומת."
],
"What is your security question?":[
null,"מהי שאלת האבטחה שלך?"
],
"What is the answer to the security question?":[
null,"מהי התשובה לשאלת האבטחה?"
],
"Invalid authentication scheme provided":[
null,"סופקה סכימת אימות שגויה"
],
"Your messages are not encrypted anymore":[
null,"ההודעות שלך אינן מוצפנות עוד"
],
"Your messages are now encrypted but your buddy's identity has not been verified.":[
null,"ההודעות שלך מוצפנות כעת אך זהות האישיות שכנגד טרם אומתה."
],
"Your buddy's identify has been verified.":[
null,"זהות האישיות שכנגד אומתה."
],
"Your buddy has ended encryption on their end, you should do the same.":[
null,"האישיות שכנגד סיימה הצפנה בקצה שלה, עליך לעשות את אותו הדבר."
],
"Your messages are not encrypted. Click here to enable OTR encryption.":[
null,"ההודעות שלך אינן מוצפנות. לחץ כאן כדי לאפשר OTR."
],
"Your messages are encrypted, but your buddy has not been verified.":[
null,"ההודעות שלך מוצפנות כעת, אך האישיות שכנגד טרם אומתה."
],
"Your messages are encrypted and your buddy verified.":[
null,"ההודעות שלך מוצפנות כעת והאישיות שכנגד אומתה."
],
"Your buddy has closed their end of the private session, you should do the same":[
null,"האישיות שכנגד סגרה את קצה הישיבה הפרטית שלה, עליך לעשות את אותו הדבר"
],
"End encrypted conversation":[
null,"סיים ישיבה מוצפנת"
],
"Refresh encrypted conversation":[
null,"רענן ישיבה מוצפנת"
],
"Start encrypted conversation":[
null,"התחל ישיבה מוצפנת"
],
"Verify with fingerprints":[
null,"אמת בעזרת טביעות אצבע"
],
"Verify with SMP":[
null,"אמת בעזרת SMP"
],
"What's this?":[
null,"מה זה?"
],
"Online":[
null,"מקוון"
],
"Busy":[
null,"עסוק"
],
"Away":[
null,"נעדר"
],
"Offline":[
null,"בלתי מקוון"
],
"Contact name":[
null,"שם איש קשר"
],
"Search":[
null,"חיפוש"
],
"Contact username":[
null,"שם משתמש איש קשר"
],
"Add":[
null,"הוסף"
],
"Click to add new chat contacts":[
null,"לחץ כדי להוסיף אנשי קשר שיחה חדשים"
],
"Add a contact":[
null,"הוסף איש קשר"
],
"No users found":[
null,"לא נמצאו משתמשים"
],
"Click to add as a chat contact":[
null,"לחץ כדי להוסיף בתור איש קשר שיחה"
],
"Room name":[
null,"שם חדר"
],
"Nickname":[
null,"שם כינוי"
],
"Server":[
null,"שרת"
],
"Join":[
null,"הצטרף"
],
"Show rooms":[
null,"הצג חדרים"
],
"Rooms":[
null,"חדרים"
],
"No rooms on %1$s":[
null,"אין חדרים על %1$s"
],
"Rooms on %1$s":[
null,"חדרים על %1$s"
],
"Click to open this room":[
null,"לחץ כדי לפתוח את חדר זה"
],
"Show more information on this room":[
null,"הצג עוד מידע אודות חדר זה"
],
"Description:":[
null,"תיאור:"
],
"Occupants:":[
null,"נוכחים:"
],
"Features:":[
null,"תכונות:"
],
"Requires authentication":[
null,"מצריך אישור"
],
"Hidden":[
null,"נסתר"
],
"Requires an invitation":[
null,"מצריך הזמנה"
],
"Moderated":[
null,"מבוקר"
],
"Non-anonymous":[
null,"לא אנונימי"
],
"Open room":[
null,"חדר פתוח"
],
"Permanent room":[
null,"חדר צמיתה"
],
"Public":[
null,"פומבי"
],
"Semi-anonymous":[
null,"אנונימי למחצה"
],
"Temporary room":[
null,"חדר זמני"
],
"Unmoderated":[
null,"לא מבוקר"
],
"Set chatroom topic":[
null,"קבע נושא חדר שיחה"
],
"Kick user from chatroom":[
null,"בעט משתמש מתוך חדר שיחה"
],
"Ban user from chatroom":[
null,"אסור משתמש מתוך חדר שיחה"
],
"Message":[
null,"הודעה"
],
"Save":[
null,"שמור"
],
"Cancel":[
null,"ביטול"
],
"An error occurred while trying to save the form.":[
null,"אירעה שגיאה במהלך ניסיון שמירת הטופס."
],
"This chatroom requires a password":[
null,"חדר שיחה זה מצריך סיסמה"
],
"Password: ":[
null,"סיסמה: "
],
"Submit":[
null,"שלח"
],
"This room is not anonymous":[
null,"חדר זה אינו אנונימי"
],
"This room now shows unavailable members":[
null,"חדר זה כעת מציג חברים לא זמינים"
],
"This room does not show unavailable members":[
null,"חדר זה לא מציג חברים לא זמינים"
],
"Non-privacy-related room configuration has changed":[
null,"תצורת חדר אשר לא-קשורה-בפרטיות שונתה"
],
"Room logging is now enabled":[
null,"יומן חדר הינו מופעל כעת"
],
"Room logging is now disabled":[
null,"יומן חדר הינו מנוטרל כעת"
],
"This room is now non-anonymous":[
null,"חדר זה אינו אנונימי כעת"
],
"This room is now semi-anonymous":[
null,"חדר זה הינו אנונימי למחצה כעת"
],
"This room is now fully-anonymous":[
null,"חדר זה הינו אנונימי לחלוטין כעת"
],
"A new room has been created":[
null,"חדר חדש נוצר"
],
"Your nickname has been changed":[
null,"שם הכינוי שלך שונה"
],
"%1$s has been banned":[
null,"%1$s נאסר(ה)"
],
"%1$s has been kicked out":[
null,"%1$s נבעט(ה)"
],
"%1$s has been removed because of an affiliation change":[
null,"%1$s הוסרה(ה) משום שינוי שיוך"
],
"%1$s has been removed for not being a member":[
null,"%1$s הוסר(ה) משום אי הימצאות במסגרת מעמד של חבר"
],
"You have been banned from this room":[
null,"נאסרת מתוך חדר זה"
],
"You have been kicked from this room":[
null,"נבעטת מתוך חדר זה"
],
"You have been removed from this room because of an affiliation change":[
null,"הוסרת מתוך חדר זה משום שינוי שיוך"
],
"You have been removed from this room because the room has changed to members-only and you're not a member":[
null,"הוסרת מתוך חדר זה משום שהחדר שונה לחברים-בלבד ואינך במעמד של חבר"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.":[
null,"הוסרת מתוך חדר זה משום ששירות שמ״מ (שיחה מרובת משתמשים) זה כעת מצוי בהליכי סגירה."
],
"You are not on the member list of this room":[
null,"אינך ברשימת החברים של חדר זה"
],
"No nickname was specified":[
null,"לא צוין שום שם כינוי"
],
"You are not allowed to create new rooms":[
null,"אין לך רשות ליצור חדרים חדשים"
],
"Your nickname doesn't conform to this room's policies":[
null,"שם הכינוי שלך לא תואם את המדינויות של חדר זה"
],
"Your nickname is already taken":[
null,"שם הכינוי שלך הינו תפוס"
],
"This room does not (yet) exist":[
null,"חדר זה (עדיין) לא קיים"
],
"This room has reached it's maximum number of occupants":[
null,"חדר זה הגיע לסף הנוכחים המרבי שלו"
],
"Topic set by %1$s to: %2$s":[
null,"נושא חדר זה נקבע על ידי %1$s אל: %2$s"
],
"This user is a moderator":[
null,"משתמש זה הינו אחראי"
],
"This user can send messages in this room":[
null,"משתמש זה מסוגל לשלוח הודעות בתוך חדר זה"
],
"This user can NOT send messages in this room":[
null,"משתמש זה ﬥﬡ מסוגל לשלוח הודעות בתוך חדר זה"
],
"Click to restore this chat":[
null,"לחץ כדי לשחזר את שיחה זו"
],
"Minimized":[
null,"ממוזער"
],
"Are you sure you want to remove this contact?":[
null,"האם אתה בטוח כי ברצונך להסיר את איש קשר זה?"
],
"Are you sure you want to decline this contact request?":[
null,"האם אתה בטוח כי ברצונך לסרב את בקשת איש קשר זה?"
],
"Click to remove this contact":[
null,"לחץ כדי להסיר את איש קשר זה"
],
"Click to accept this contact request":[
null,"לחץ כדי לקבל את בקשת איש קשר זה"
],
"Click to decline this contact request":[
null,"לחץ כדי לסרב את בקשת איש קשר זה"
],
"Click to chat with this contact":[
null,"לחץ כדי לשוחח עם איש קשר זה"
],
"Type to filter":[
null,"הקלד כדי לסנן"
],
"Custom status":[
null,"מצב מותאם"
],
"online":[
null,"מקוון"
],
"busy":[
null,"עסוק"
],
"away for long":[
null,"נעדר לזמן מה"
],
"away":[
null,"נעדר"
],
"I am %1$s":[
null,"מצבי כעת הינו %1$s"
],
"Click here to write a custom status message":[
null,"לחץ כאן כדי לכתוב הודעת מצב מותאמת"
],
"Click to change your chat status":[
null,"לחץ כדי לשנות את הודעת השיחה שלך"
],
"XMPP/Jabber Username:":[
null,"שם משתמש XMPP/Jabber:"
],
"Password:":[
null,"סיסמה:"
],
"Log In":[
null,"כניסה"
],
"Sign in":[
null,"התחברות"
],
"Toggle chat":[
null,"הפעל שיח"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("he", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.he = factory(new Jed(translations));
}
}(this, function (he) {
return he;
}));
(function(root, factory) {
var translations = {
"domain" : "converse",
"locale_data" : {
"converse" : {
"" : {
"Project-Id-Version" : "Converse.js 0.4",
"Report-Msgid-Bugs-To" : "",
"POT-Creation-Date" : "2013-09-24 23:22+0200",
"PO-Revision-Date" : "2013-09-25 22:42+0200",
"Last-Translator" : "Krisztian Kompar ",
"Language-Team" : "Hungarian",
"Language" : "hu",
"MIME-Version" : "1.0",
"Content-Type" : "text/plain; charset=UTF-8",
"Content-Transfer-Encoding" : "8bit",
"domain" : "converse",
"lang" : "hu",
"plural_forms" : "nplurals=2; plural=(n != 1);"
},
"Disconnected" : [ null, "Szétkapcsolva" ],
"Error" : [ null, "Hiba" ],
"Connecting" : [ null, "Kapcsolódás" ],
"Connection Failed" : [ null, "Kapcsolódási hiba" ],
"Authenticating" : [ null, "Azonosítás" ],
"Authentication Failed" : [ null, "Azonosítási hiba" ],
"Disconnecting" : [ null, "Szétkapcsolás" ],
"me" : [ null, "én" ],
"%1$s is typing" : [ null, "%1$s gépel" ],
"Show this menu" : [ null, "Mutasd ezt a menüt" ],
"Write in the third person" : [ null, "" ],
"Remove messages" : [ null, "Üzenet törlése" ],
"Personal message" : [ null, "Saját üzenet" ],
"Contacts" : [ null, "Kapcsolatok" ],
"Online" : [ null, "Elérhető" ],
"Busy" : [ null, "Foglalt" ],
"Away" : [ null, "Távol" ],
"Offline" : [ null, "Nem elérhető" ],
"Click to add new chat contacts" : [ null,
"Új kapcsolatok hozzáadása" ],
"Add a contact" : [ null, "Új kapcsolat" ],
"Contact username" : [ null, "Felhasználónév" ],
"Add" : [ null, "Hozzáadás" ],
"Contact name" : [ null, "Kapcsolat neve" ],
"Search" : [ null, "Keresés" ],
"No users found" : [ null, "Nincs találat" ],
"Click to add as a chat contact" : [ null,
"Csevegő kapcsolatként hozzáad" ],
"Click to open this room" : [ null, "Belépés a csevegő szobába" ],
"Show more information on this room" : [ null,
"További információk a csevegő szobáról" ],
"Description:" : [ null, "Leírás:" ],
"Occupants:" : [ null, "Jelenlevők:" ],
"Features:" : [ null, "Tulajdonságok" ],
"Requires authentication" : [ null, "Azonosítás szükséges" ],
"Hidden" : [ null, "Rejtett" ],
"Requires an invitation" : [ null, "Meghívás szükséges" ],
"Moderated" : [ null, "Moderált" ],
"Non-anonymous" : [ null, "NEM névtelen" ],
"Open room" : [ null, "Nyitott szoba" ],
"Permanent room" : [ null, "Állandó szoba" ],
"Public" : [ null, "Nyílvános" ],
"Semi-anonymous" : [ null, "Félig névtelen" ],
"Temporary room" : [ null, "Ideiglenes szoba" ],
"Unmoderated" : [ null, "Moderálatlan" ],
"Rooms" : [ null, "Szobák" ],
"Room name" : [ null, "A szoba neve" ],
"Nickname" : [ null, "Becenév" ],
"Server" : [ null, "Szerver" ],
"Join" : [ null, "Csatlakozás" ],
"Show rooms" : [ null, "Létező szobák" ],
"No rooms on %1$s" : [ null,
"Nincs csevegő szoba a(z) %1$s szerveren" ],
"Rooms on %1$s" : [ null, "Csevegő szobák a(z) %1$s szerveren" ],
"Set chatroom topic" : [ null, "Csevegőszoba téma beállítás" ],
"Kick user from chatroom" : [ null,
"Felhasználó kiléptetése a csevegő szobából" ],
"Ban user from chatroom" : [ null,
"Felhasználó kitíltása a csevegő szobából" ],
"Message" : [ null, "Üzenet" ],
"Save" : [ null, "Mentés" ],
"Cancel" : [ null, "Mégsem" ],
"An error occurred while trying to save the form." : [ null,
"Hiba történt az adatok mentése közben." ],
"This chatroom requires a password" : [ null,
"A csevegő szoba belépéshez jelszó szükséges" ],
"Password: " : [ null, "Jelszó:" ],
"Submit" : [ null, "Küldés" ],
"This room is not anonymous" : [ null,
"Ez a szoba NEM névtelen" ],
"This room now shows unavailable members" : [ null,
"Ez a szoba mutatja az elérhetetlen tagokat" ],
"This room does not show unavailable members" : [ null,
"Ez a szoba nem mutatja az elérhetetlen tagokat" ],
"Non-privacy-related room configuration has changed" : [ null,
"A szoba általános konfigurációja módosult" ],
"Room logging is now enabled" : [ null,
"A szobába a belépés lehetséges" ],
"Room logging is now disabled" : [ null,
"A szobába a belépés szünetel" ],
"This room is now non-anonymous" : [ null,
"Ez a szoba most NEM névtelen" ],
"This room is now semi-anonymous" : [ null,
"Ez a szoba most félig névtelen" ],
"This room is now fully-anonymous" : [ null,
"Ez a szoba most teljesen névtelen" ],
"A new room has been created" : [ null,
"Létrejött egy új csevegő szoba" ],
"Your nickname has been changed" : [ null,
"A beceneved módosításra került" ],
"%1$s has been banned" : [ null,
"A szobából kitíltva: %1$s" ],
"%1$s has been kicked out" : [ null,
"A szobából kidobva: %1$s" ],
"%1$s has been removed because of an affiliation change" : [
null,
"Taglista módosítás miatt a szobából kiléptetve: %1$s" ],
"%1$s has been removed for not being a member" : [
null,
"A taglistán nem szerepel így a szobából kiléptetve: %1$s" ],
"You have been banned from this room" : [ null,
"Ki lettél tíltva ebből a szobából" ],
"You have been kicked from this room" : [ null,
"Ki lettél dobva ebből a szobából" ],
"You have been removed from this room because of an affiliation change" : [
null,
"Taglista módosítás miatt kiléptettünk a csevegő szobából" ],
"You have been removed from this room because the room has changed to members-only and you're not a member" : [
null,
"Kiléptettünk a csevegő szobából, mert mostantól csak a taglistán szereplők lehetnek jelen." ],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down." : [
null,
"Kiléptettünk a csevegő szobából, mert a MUC (Multi-User Chat) szolgáltatás leállításra került." ],
"You are not on the member list of this room" : [ null,
"Nem szerepelsz a csevegő szoba taglistáján" ],
"No nickname was specified" : [ null,
"Nem lett megadva becenév" ],
"You are not allowed to create new rooms" : [ null,
"Nem lehet új csevegő szobát létrehozni" ],
"Your nickname doesn't conform to this room's policies" : [
null,
"A beceneved ütközik a csevegő szoba szabályzataival" ],
"Your nickname is already taken" : [ null,
"A becenevedet már valaki használja" ],
"This room does not (yet) exist" : [ null,
"Ez a szoba (még) nem létezik" ],
"This room has reached it's maximum number of occupants" : [
null,
"Ez a csevegő szoba elérte a maximális jelenlevők számát" ],
"Topic set by %1$s to: %2$s" : [ null,
"A következő témát állította be %1$s: %2$s" ],
"This user is a moderator" : [ null,
"Ez a felhasználó egy moderátor" ],
"This user can send messages in this room" : [ null,
"Ez a felhasználó küldhet üzenetet ebbe a szobába" ],
"This user can NOT send messages in this room" : [ null,
"Ez a felhasználó NEM küldhet üzenetet ebbe a szobába" ],
"Click to chat with this contact" : [ null,
"Csevegés indítása ezzel a kapcsolatunkkal" ],
"Click to remove this contact" : [ null, "A kapcsolat törlése" ],
"This contact is busy" : [ null, "Elfoglalt" ],
"This contact is online" : [ null, "Online" ],
"This contact is offline" : [ null, "Nincs bejelentkezve" ],
"This contact is unavailable" : [ null, "Elérhetetlen" ],
"This contact is away for an extended period" : [ null,
"Hosszabb ideje távol" ],
"This contact is away" : [ null, "Távol" ],
"Contact requests" : [ null, "Kapcsolat felvételi kérés" ],
"My contacts" : [ null, "Kapcsolatok:" ],
"Pending contacts" : [ null, "Függőben levő kapcsolatok" ],
"Custom status" : [ null, "Egyedi státusz" ],
"Click to change your chat status" : [ null,
"Saját státusz beállítása" ],
"Click here to write a custom status message" : [ null,
"Egyedi státusz üzenet írása" ],
"online" : [ null, "online" ],
"busy" : [ null, "elfoglalt" ],
"away for long" : [ null, "hosszú ideje távol" ],
"away" : [ null, "távol" ],
"I am %1$s" : [ null, "%1$s vagyok" ],
"Sign in" : [ null, "Belépés" ],
"XMPP/Jabber Username:" : [ null, "XMPP/Jabber azonosító:" ],
"Password:" : [ null, "Jelszó:" ],
"Log In" : [ null, "Belépés" ],
"BOSH Service URL:" : [ null, "BOSH szerver URL" ],
"Online Contacts" : [ null, "Online kapcsolatok" ]
}
}
};
if (typeof define === 'function' && define.amd) {
define("hu", [ 'jed' ], function() {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.hu = factory(new Jed(translations));
}
}(this, function(hu) {
return hu;
}));
(function(root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"project-id-version": "Converse.js 0.7.0",
"report-msgid-bugs-to": "",
"pot-creation-date": "2014-01-22 17:07+0200",
"po-revision-date": "2014-01-25 21:30+0700",
"last-translator": "Priyadi Iman Nurcahyo ",
"language-team": "Bahasa Indonesia",
"mime-version": "1.0",
"content-type": "text/plain; charset=UTF-8",
"content-transfer-encoding": "8bit",
"language": "id"
},
"unencrypted": [null, "tak dienkripsi"],
"unverified": [null, "tak diverifikasi"],
"verified": [null, "diverifikasi"],
"finished": [null, "selesai"],
"This contact is busy": [null, "Teman ini sedang sibuk"],
"This contact is online": [null, "Teman ini terhubung"],
"This contact is offline": [null, "Teman ini tidak terhubung"],
"This contact is unavailable": [null, "Teman ini tidak tersedia"],
"This contact is away for an extended period": [null, "Teman ini tidak di tempat untuk waktu yang lama"],
"This contact is away": [null, "Teman ini tidak di tempat"],
"Disconnected": [null, "Terputus"],
"Error": [null, "Kesalahan"],
"Connecting": [null, "Menyambung"],
"Connection Failed": [null, "Gagal Menyambung"],
"Authenticating": [null, "Melakukan otentikasi"],
"Authentication Failed": [null, "Otentikasi gagal"],
"Disconnecting": [null, "Memutuskan hubungan"],
"Online Contacts": [null, "Teman yang Terhubung"],
"Re-establishing encrypted session": [null, "Menyambung kembali sesi terenkripsi"],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [null, "Perambah anda perlu membuat kunci privat, yang akan digunakan pada sesi perbincangan anda. Ini akan membutuhkan waktu sampai 30 detik, dan selama itu perambah mungkin akan tidak responsif."],
"Private key generated.": [null, "Kunci privat berhasil dibuat."],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [null, "Permintaan otentikasi dari %1$s\n\nTeman anda mencoba untuk melakukan verifikasi identitas anda dengan cara menanyakan pertanyaan di bawah ini.\n\n%2$s"],
"Could not verify this user's identify.": [null, "Tak dapat melakukan verifikasi identitas pengguna ini."],
"Personal message": [null, "Pesan pribadi"],
"Start encrypted conversation": [null, "Mulai sesi terenkripsi"],
"Refresh encrypted conversation": [null, "Setel ulang percakapan terenkripsi"],
"End encrypted conversation": [null, "Sudahi percakapan terenkripsi"],
"Verify with SMP": [null, "Verifikasi menggunakan SMP"],
"Verify with fingerprints": [null, "Verifikasi menggunakan sidik jari"],
"What's this?": [null, "Apakah ini?"],
"me": [null, "saya"],
"Show this menu": [null, "Tampilkan menu ini"],
"Write in the third person": [null, "Tulis ini menggunakan bahasa pihak ketiga"],
"Remove messages": [null, "Hapus pesan"],
"Your message could not be sent": [null, "Pesan anda tak dapat dikirim"],
"We received an unencrypted message": [null, "Kami menerima pesan terenkripsi"],
"We received an unreadable encrypted message": [null, "Kami menerima pesan terenkripsi yang gagal dibaca"],
"This user has requested an encrypted session.": [null, "Pengguna ini meminta sesi terenkripsi"],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [null, "Ini adalah sidik jari anda, konfirmasikan bersama mereka dengan %1$s, di luar percakapan ini.\n\nSidik jari untuk anda, %2$s: %3$s\n\nSidik jari untuk %1$s: %4$s\n\nJika anda bisa mengkonfirmasi sidik jadi cocok, klik Lanjutkan, jika tidak klik Batal."],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [null, "Anda akan ditanyakan pertanyaan untuk keamanan beserta jawaban untuk pertanyaan tersebut.\n\nTeman anda akan ditanyakan pertanyaan yang sama dan jika dia memberikan jawaban yang sama (huruf kapital diperhatikan), identitas mereka diverifikasi."],
"What is your security question?": [null, "Apakah pertanyaan keamanan anda?"],
"What is the answer to the security question?": [null, "Apa jawaban dari pertanyaan keamanan tersebut?"],
"Invalid authentication scheme provided": [null, "Skema otentikasi salah"],
"Your messages are not encrypted anymore": [null, "Pesan anda tidak lagi terenkripsi"],
"Your messages are now encrypted but your buddy's identity has not been verified.": [null, "Pesan anda sekarang terenkripsi, namun identitas teman anda belum dapat diverifikasi."],
"Your buddy's identify has been verified.": [null, "Identitas teman anda telah diverifikasi."],
"Your buddy has ended encryption on their end, you should do the same.": [null, "Teman anda menghentikan percakapan terenkripsi, anda sebaiknya melakukan hal yang sama."],
"Your messages are not encrypted. Click here to enable OTR encryption.": [null, "Pesan anda tak terenkripsi. Klik di sini untuk menyalakan enkripsi OTR."],
"Your messages are encrypted, but your buddy has not been verified.": [null, "Pesan anda terenkripsi, tetapi teman anda belum diverifikasi."],
"Your messages are encrypted and your buddy verified.": [null, "Pesan anda terenkripsi dan teman anda telah diverifikasi."],
"Your buddy has closed their end of the private session, you should do the same": [null, "Teman anda telah mematikan sesi terenkripsi, dan anda juga sebaiknya melakukan hal yang sama"],
"Contacts": [null, "Teman"],
"Online": [null, "Terhubung"],
"Busy": [null, "Sibuk"],
"Away": [null, "Pergi"],
"Offline": [null, "Tak Terhubung"],
"Click to add new chat contacts": [null, "Klik untuk menambahkan teman baru"],
"Add a contact": [null, "Tambah teman"],
"Contact username": [null, "Username teman"],
"Add": [null, "Tambah"],
"Contact name": [null, "Nama teman"],
"Search": [null, "Cari"],
"No users found": [null, "Pengguna tak ditemukan"],
"Click to add as a chat contact": [null, "Klik untuk menambahkan sebagai teman"],
"Click to open this room": [null, "Klik untuk membuka ruangan ini"],
"Show more information on this room": [null, "Tampilkan informasi ruangan ini"],
"Description:": [null, "Keterangan:"],
"Occupants:": [null, "Penghuni:"],
"Features:": [null, "Fitur:"],
"Requires authentication": [null, "Membutuhkan otentikasi"],
"Hidden": [null, "Tersembunyi"],
"Requires an invitation": [null, "Membutuhkan undangan"],
"Moderated": [null, "Dimoderasi"],
"Non-anonymous": [null, "Tidak anonim"],
"Open room": [null, "Ruangan terbuka"],
"Permanent room": [null, "Ruangan permanen"],
"Public": [null, "Umum"],
"Semi-anonymous": [null, "Semi-anonim"],
"Temporary room": [null, "Ruangan sementara"],
"Unmoderated": [null, "Tak dimoderasi"],
"Rooms": [null, "Ruangan"],
"Room name": [null, "Nama ruangan"],
"Nickname": [null, "Nama panggilan"],
"Server": [null, "Server"],
"Join": [null, "Ikuti"],
"Show rooms": [null, "Perlihatkan ruangan"],
"No rooms on %1$s": [null, "Tak ada ruangan di %1$s"],
"Rooms on %1$s": [null, "Ruangan di %1$s"],
"Set chatroom topic": [null, "Setel topik ruangan"],
"Kick user from chatroom": [null, "Tendang pengguna dari ruangan"],
"Ban user from chatroom": [null, "Larang pengguna dari ruangan"],
"Message": [null, "Pesan"],
"Save": [null, "Simpan"],
"Cancel": [null, "Batal"],
"An error occurred while trying to save the form.": [null, "Kesalahan terjadi saat menyimpan formulir ini."],
"This chatroom requires a password": [null, "Ruangan ini membutuhkan kata sandi"],
"Password: ": [null, "Kata sandi: "],
"Submit": [null, "Kirim"],
"This room is not anonymous": [null, "Ruangan ini tidak anonim"],
"This room now shows unavailable members": [null, "Ruangan ini menampilkan anggota yang tak tersedia"],
"This room does not show unavailable members": [null, "Ruangan ini tidak menampilkan anggota yang tak tersedia"],
"Non-privacy-related room configuration has changed": [null, "Konfigurasi ruangan yang tak berhubungan dengan privasi telah diubah"],
"Room logging is now enabled": [null, "Pencatatan di ruangan ini sekarang dinyalakan"],
"Room logging is now disabled": [null, "Pencatatan di ruangan ini sekarang dimatikan"],
"This room is now non-anonymous": [null, "Ruangan ini sekarang tak-anonim"],
"This room is now semi-anonymous": [null, "Ruangan ini sekarang semi-anonim"],
"This room is now fully-anonymous": [null, "Ruangan ini sekarang anonim"],
"A new room has been created": [null, "Ruangan baru telah dibuat"],
"Your nickname has been changed": [null, "Nama panggilan anda telah diubah"],
"%1$s has been banned": [null, "%1$s telah dicekal"],
"%1$s has been kicked out": [null, "%1$s telah ditendang keluar"],
"%1$s has been removed because of an affiliation change": [null, "%1$s telah dihapus karena perubahan afiliasi"],
"%1$s has been removed for not being a member": [null, "%1$s telah dihapus karena bukan anggota"],
"You have been banned from this room": [null, "Anda telah dicekal dari ruangan ini"],
"You have been kicked from this room": [null, "Anda telah ditendang dari ruangan ini"],
"You have been removed from this room because of an affiliation change": [null, "Anda telah dihapus dari ruangan ini karena perubahan afiliasi"],
"You have been removed from this room because the room has changed to members-only and you're not a member": [null, "Anda telah dihapus dari ruangan ini karena ruangan ini hanya terbuka untuk anggota dan anda bukan anggota"],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [null, "Anda telah dihapus dari ruangan ini karena layanan MUC (Multi-user chat) telah dimatikan."],
"You are not on the member list of this room": [null, "Anda bukan anggota dari ruangan ini"],
"No nickname was specified": [null, "Nama panggilan belum ditentukan"],
"You are not allowed to create new rooms": [null, "Anda tak diizinkan untuk membuat ruangan baru"],
"Your nickname doesn't conform to this room's policies": [null, "Nama panggilan anda tidak sesuai aturan ruangan ini"],
"Your nickname is already taken": [null, "Nama panggilan anda telah digunakan orang lain"],
"This room does not (yet) exist": [null, "Ruangan ini belum dibuat"],
"This room has reached it's maximum number of occupants": [null, "Ruangan ini telah mencapai jumlah penghuni maksimum"],
"Topic set by %1$s to: %2$s": [null, "Topik diganti oleh %1$s menjadi: %2$s"],
"This user is a moderator": [null, "Pengguna ini adalah moderator"],
"This user can send messages in this room": [null, "Pengguna ini dapat mengirim pesan di ruangan ini"],
"This user can NOT send messages in this room": [null, "Pengguna ini tak dapat mengirim pesan di ruangan ini"],
"Click to chat with this contact": [null, "Klik untuk mulai perbinjangan dengan teman ini"],
"Click to remove this contact": [null, "Klik untuk menghapus teman ini"],
"Contact requests": [null, "Permintaan pertemanan"],
"My contacts": [null, "Teman saya"],
"Pending contacts": [null, "Teman yang menunggu"],
"Custom status": [null, "Status kustom"],
"Click to change your chat status": [null, "Klik untuk mengganti status"],
"Click here to write a custom status message": [null, "Klik untuk menulis status kustom"],
"online": [null, "terhubung"],
"busy": [null, "sibuk"],
"away for long": [null, "lama tak di tempat"],
"away": [null, "tak di tempat"],
"I am %1$s": [null, "Saya %1$s"],
"Sign in": [null, "Masuk"],
"XMPP/Jabber Username:": [null, "Nama pengguna XMPP/Jabber:"],
"Password:": [null, "Kata sandi:"],
"Log In": [null, "Masuk"],
"BOSH Service URL:": [null, "URL Layanan BOSH:"]
}
}
};
if (typeof define === 'function' && define.amd) {
define("id", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.id = factory(new Jed(translations));
}
}(this, function (id) {
return id;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 22:00+0200",
"Last-Translator": "Fabio Bas ",
"Language-Team": "Italian",
"Language": "it",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n != 1);",
"domain": "converse",
"lang": "it",
"plural_forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted": [
null,
""
],
"unverified": [
null,
""
],
"verified": [
null,
""
],
"finished": [
null,
""
],
"Disconnected": [
null,
"Disconnesso"
],
"Error": [
null,
"Errore"
],
"Connecting": [
null,
"Connessione in corso"
],
"Connection Failed": [
null,
"Connessione fallita"
],
"Authenticating": [
null,
"Autenticazione in corso"
],
"Authentication Failed": [
null,
"Autenticazione fallita"
],
"Disconnecting": [
null,
"Disconnessione in corso"
],
"Re-establishing encrypted session": [
null,
""
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
""
],
"Private key generated.": [
null,
""
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
""
],
"Could not verify this user's identify.": [
null,
""
],
"Personal message": [
null,
"Messaggio personale"
],
"Start encrypted conversation": [
null,
""
],
"Refresh encrypted conversation": [
null,
""
],
"End encrypted conversation": [
null,
""
],
"Verify with SMP": [
null,
""
],
"Verify with fingerprints": [
null,
""
],
"What's this?": [
null,
""
],
"me": [
null,
""
],
"Show this menu": [
null,
"Mostra questo menu"
],
"Write in the third person": [
null,
"Scrivi in terza persona"
],
"Remove messages": [
null,
"Rimuovi messaggi"
],
"Your message could not be sent": [
null,
""
],
"We received an unencrypted message": [
null,
""
],
"We received an unreadable encrypted message": [
null,
""
],
"This user has requested an encrypted session.": [
null,
""
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
""
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
""
],
"What is your security question?": [
null,
""
],
"What is the answer to the security question?": [
null,
""
],
"Invalid authentication scheme provided": [
null,
""
],
"Your messages are not encrypted anymore": [
null,
""
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
""
],
"Your buddy's identify has been verified.": [
null,
""
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
""
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
""
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
""
],
"Your messages are encrypted and your buddy verified.": [
null,
""
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
""
],
"Contacts": [
null,
"Contatti"
],
"Online": [
null,
"In linea"
],
"Busy": [
null,
"Occupato"
],
"Away": [
null,
"Assente"
],
"Offline": [
null,
"Non in linea"
],
"Click to add new chat contacts": [
null,
"Clicca per aggiungere nuovi contatti alla chat"
],
"Add a contact": [
null,
"Aggiungi contatti"
],
"Contact username": [
null,
"Nome utente del contatto"
],
"Add": [
null,
"Aggiungi"
],
"Contact name": [
null,
"Nome del contatto"
],
"Search": [
null,
"Cerca"
],
"No users found": [
null,
"Nessun utente trovato"
],
"Click to add as a chat contact": [
null,
"Clicca per aggiungere il contatto alla chat"
],
"Click to open this room": [
null,
"Clicca per aprire questa stanza"
],
"Show more information on this room": [
null,
"Mostra più informazioni su questa stanza"
],
"Description:": [
null,
"Descrizione:"
],
"Occupants:": [
null,
"Utenti presenti:"
],
"Features:": [
null,
"Funzionalità:"
],
"Requires authentication": [
null,
"Richiede autenticazione"
],
"Hidden": [
null,
"Nascosta"
],
"Requires an invitation": [
null,
"Richiede un invito"
],
"Moderated": [
null,
"Moderata"
],
"Non-anonymous": [
null,
"Non-anonima"
],
"Open room": [
null,
"Stanza aperta"
],
"Permanent room": [
null,
"Stanza permanente"
],
"Public": [
null,
"Pubblica"
],
"Semi-anonymous": [
null,
"Semi-anonima"
],
"Temporary room": [
null,
"Stanza temporanea"
],
"Unmoderated": [
null,
"Non moderata"
],
"Rooms": [
null,
"Stanze"
],
"Room name": [
null,
"Nome stanza"
],
"Nickname": [
null,
"Soprannome"
],
"Server": [
null,
"Server"
],
"Join": [
null,
"Entra"
],
"Show rooms": [
null,
"Mostra stanze"
],
"No rooms on %1$s": [
null,
"Nessuna stanza su %1$s"
],
"Rooms on %1$s": [
null,
"Stanze su %1$s"
],
"Set chatroom topic": [
null,
"Cambia oggetto della stanza"
],
"Kick user from chatroom": [
null,
"Espelli utente dalla stanza"
],
"Ban user from chatroom": [
null,
"Bandisci utente dalla stanza"
],
"Message": [
null,
"Messaggio"
],
"Save": [
null,
"Salva"
],
"Cancel": [
null,
"Annulla"
],
"An error occurred while trying to save the form.": [
null,
"Errore durante il salvataggio del modulo"
],
"This chatroom requires a password": [
null,
"Questa stanza richiede una password"
],
"Password: ": [
null,
"Password: "
],
"Submit": [
null,
"Invia"
],
"This room is not anonymous": [
null,
"Questa stanza non è anonima"
],
"This room now shows unavailable members": [
null,
"Questa stanza mostra i membri non disponibili al momento"
],
"This room does not show unavailable members": [
null,
"Questa stanza non mostra i membri non disponibili"
],
"Non-privacy-related room configuration has changed": [
null,
"Una configurazione della stanza non legata alla privacy è stata modificata"
],
"Room logging is now enabled": [
null,
"La registrazione è abilitata nella stanza"
],
"Room logging is now disabled": [
null,
"La registrazione è disabilitata nella stanza"
],
"This room is now non-anonymous": [
null,
"Questa stanza è non-anonima"
],
"This room is now semi-anonymous": [
null,
"Questa stanza è semi-anonima"
],
"This room is now fully-anonymous": [
null,
"Questa stanza è completamente-anonima"
],
"A new room has been created": [
null,
"Una nuova stanza è stata creata"
],
"Your nickname has been changed": [
null,
"Il tuo soprannome è stato cambiato"
],
"%1$s has been banned": [
null,
"%1$s è stato bandito"
],
"%1$s has been kicked out": [
null,
"%1$s è stato espulso"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s è stato rimosso a causa di un cambio di affiliazione"
],
"%1$s has been removed for not being a member": [
null,
"%1$s è stato rimosso in quanto non membro"
],
"You have been banned from this room": [
null,
"Sei stato bandito da questa stanza"
],
"You have been kicked from this room": [
null,
"Sei stato espulso da questa stanza"
],
"You have been removed from this room because of an affiliation change": [
null,
"Sei stato rimosso da questa stanza a causa di un cambio di affiliazione"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Sei stato rimosso da questa stanza poiché ora la stanza accetta solo membri"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Sei stato rimosso da questa stanza poiché il servizio MUC (Chat multi utente) è in fase di spegnimento"
],
"You are not on the member list of this room": [
null,
"Non sei nella lista dei membri di questa stanza"
],
"No nickname was specified": [
null,
"Nessun soprannome specificato"
],
"You are not allowed to create new rooms": [
null,
"Non ti è permesso creare nuove stanze"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Il tuo soprannome non è conforme alle regole di questa stanza"
],
"Your nickname is already taken": [
null,
"Il tuo soprannome è già utilizzato"
],
"This room does not (yet) exist": [
null,
"Questa stanza non esiste (per ora)"
],
"This room has reached it's maximum number of occupants": [
null,
"Questa stanza ha raggiunto il limite massimo di utenti"
],
"Topic set by %1$s to: %2$s": [
null,
"Topic impostato da %1$s a: %2$s"
],
"This user is a moderator": [
null,
"Questo utente è un moderatore"
],
"This user can send messages in this room": [
null,
"Questo utente può inviare messaggi in questa stanza"
],
"This user can NOT send messages in this room": [
null,
"Questo utente NON può inviare messaggi in questa stanza"
],
"Click to chat with this contact": [
null,
"Clicca per parlare con questo contatto"
],
"Click to remove this contact": [
null,
"Clicca per rimuovere questo contatto"
],
"This contact is busy": [
null,
""
],
"This contact is online": [
null,
""
],
"This contact is offline": [
null,
""
],
"This contact is unavailable": [
null,
"Questa stanza mostra i membri non disponibili al momento"
],
"This contact is away for an extended period": [
null,
""
],
"This contact is away": [
null,
""
],
"Contact requests": [
null,
"Richieste dei contatti"
],
"My contacts": [
null,
"I miei contatti"
],
"Pending contacts": [
null,
"Contatti in attesa"
],
"Custom status": [
null,
"Stato personalizzato"
],
"Click to change your chat status": [
null,
"Clicca per cambiare il tuo stato"
],
"Click here to write a custom status message": [
null,
"Clicca qui per scrivere un messaggio di stato personalizzato"
],
"online": [
null,
"in linea"
],
"busy": [
null,
"occupato"
],
"away for long": [
null,
"assente da molto"
],
"away": [
null,
"assente"
],
"I am %1$s": [
null,
"Sono %1$s"
],
"Sign in": [
null,
"Accesso"
],
"XMPP/Jabber Username:": [
null,
"Nome utente:"
],
"Password:": [
null,
"Password:"
],
"Log In": [
null,
"Entra"
],
"BOSH Service URL:": [
null,
"Indirizzo servizio BOSH:"
],
"Online Contacts": [
null,
"Contatti in linea"
],
"Connected": [
null,
"Connesso"
],
"Attached": [
null,
"Allegato"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("it", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.it = factory(new Jed(translations));
}
}(this, function (it) {
return it;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2014-01-07 11:12+0900",
"PO-Revision-Date": "2014-01-07 11:32+0900",
"Last-Translator": "Mako N ",
"Language-Team": "Language JA",
"Language": "JA",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=1; plural=0;"
},
"unencrypted": [
null,
"暗号化されていません"
],
"unverified": [
null,
"検証されていません"
],
"verified": [
null,
"検証されました"
],
"finished": [
null,
"完了"
],
"This contact is busy": [
null,
"この相手先は取り込み中です"
],
"This contact is online": [
null,
"この相手先は在席しています"
],
"This contact is offline": [
null,
"この相手先はオフラインです"
],
"This contact is unavailable": [
null,
"この相手先は不通です"
],
"This contact is away for an extended period": [
null,
"この相手先は不在です"
],
"This contact is away": [
null,
"この相手先は離席中です"
],
"Disconnected": [
null,
"切断中"
],
"Error": [
null,
"エラー"
],
"Connecting": [
null,
"接続中です"
],
"Connection Failed": [
null,
"接続に失敗しました"
],
"Authenticating": [
null,
"認証中"
],
"Authentication Failed": [
null,
"認証に失敗"
],
"Disconnecting": [
null,
"切断"
],
"Online Contacts": [
null,
"オンラインの相手先"
],
"Re-establishing encrypted session": [
null,
"暗号化セッションの再接続"
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
"暗号化チャットで使用する秘密鍵を生成する必要があります。これには30秒ほどかかり、そのあいだブラウザがフリーズして反応しないかもしれません。"
],
"Private key generated.": [
null,
"秘密鍵を生成しました。"
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
"%1$s からの認証のリクエスト\n\n相手はあなたの本人性を検証しようとしています。次の質問に答えてください。\n\n%2$s"
],
"Could not verify this user's identify.": [
null,
"このユーザーの本人性を検証できませんでした。"
],
"Personal message": [
null,
"私信"
],
"Start encrypted conversation": [
null,
"暗号化された会話を開始"
],
"Refresh encrypted conversation": [
null,
"暗号化された会話をリフレッシュ"
],
"End encrypted conversation": [
null,
"暗号化された会話を終了"
],
"Verify with SMP": [
null,
"SMP で検証"
],
"Verify with fingerprints": [
null,
"鍵指紋で検証"
],
"What's this?": [
null,
"これは何ですか?"
],
"me": [
null,
"私"
],
"Show this menu": [
null,
"このメニューを表示"
],
"Write in the third person": [
null,
"第三者に書く"
],
"Remove messages": [
null,
"メッセージを削除"
],
"Your message could not be sent": [
null,
"メッセージを送信できませんでした"
],
"We received an unencrypted message": [
null,
"暗号化されていないメッセージを受信しました"
],
"We received an unreadable encrypted message": [
null,
"読めない暗号化メッセージを受信しました"
],
"This user has requested an encrypted session.": [
null,
"このユーザーは暗号化セッションを求めています。"
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
"これは鍵指紋です。チャット以外の方法でこれらを %1$s と確認してください。\n\nあなた %2$s の鍵指紋: %3$s\n\n%1$s の鍵指紋: %4$s\n\n確認して、鍵指紋が正しければ「OK」を、正しくなければ「キャンセル」をクリックしてください。"
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
"秘密の質問を入力し、それに対して答えるように促されます。\n\n相手にも、同じ質問が表示され、正しく同じ答(大文字・小文字は区別されます)を入力することで、本人性を検証します。"
],
"What is your security question?": [
null,
"秘密の質問はなんですか?"
],
"What is the answer to the security question?": [
null,
"秘密の質問の答はなんですか?"
],
"Invalid authentication scheme provided": [
null,
"認証の方式が正しくありません"
],
"Your messages are not encrypted anymore": [
null,
"メッセージはもう暗号化されません"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
"メッセージは暗号化されますが、相手が本人であることは検証されていません。"
],
"Your buddy's identify has been verified.": [
null,
"相手の本人性を検証しました。"
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
"相手は、暗号化を終了しました。あなたもそれに合わせる必要があります。"
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"メッセージは暗号化されません。OTR 暗号化を有効にするにはここをクリックしてください。"
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"メッセージは暗号化されますが、相手は検証されていません。"
],
"Your messages are encrypted and your buddy verified.": [
null,
"メッセージは暗号化され、相手も検証されています。"
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
"相手は私信を終了しました。あなたも同じようにしてください"
],
"Contacts": [
null,
"相手先"
],
"Online": [
null,
"オンライン"
],
"Busy": [
null,
"取り込み中"
],
"Away": [
null,
"離席中"
],
"Offline": [
null,
"オフライン"
],
"Click to add new chat contacts": [
null,
"クリックして新しいチャットの相手先を追加"
],
"Add a contact": [
null,
"相手先を追加"
],
"Contact username": [
null,
"相手先の名前"
],
"Add": [
null,
"追加"
],
"Contact name": [
null,
"名前"
],
"Search": [
null,
"検索"
],
"No users found": [
null,
"ユーザーが見つかりません"
],
"Click to add as a chat contact": [
null,
"クリックしてチャットの相手先として追加"
],
"Click to open this room": [
null,
"クリックしてこの談話室を開く"
],
"Show more information on this room": [
null,
"この談話室についての詳細を見る"
],
"Description:": [
null,
"説明: "
],
"Occupants:": [
null,
"入室者:"
],
"Features:": [
null,
"特徴:"
],
"Requires authentication": [
null,
"認証の要求"
],
"Hidden": [
null,
"非表示"
],
"Requires an invitation": [
null,
"招待の要求"
],
"Moderated": [
null,
"発言制限"
],
"Non-anonymous": [
null,
"非匿名"
],
"Open room": [
null,
"開放談話室"
],
"Permanent room": [
null,
"常設談話室"
],
"Public": [
null,
"公開談話室"
],
"Semi-anonymous": [
null,
"半匿名"
],
"Temporary room": [
null,
"臨時談話室"
],
"Unmoderated": [
null,
"発言制限なし"
],
"Rooms": [
null,
"談話室"
],
"Room name": [
null,
"談話室の名前"
],
"Nickname": [
null,
"ニックネーム"
],
"Server": [
null,
"サーバー"
],
"Join": [
null,
"入室"
],
"Show rooms": [
null,
"談話室一覧を見る"
],
"No rooms on %1$s": [
null,
"%1$s に談話室はありません"
],
"Rooms on %1$s": [
null,
"%1$s の談話室一覧"
],
"Set chatroom topic": [
null,
"談話室の話題を設定"
],
"Kick user from chatroom": [
null,
"ユーザーを談話室から蹴り出す"
],
"Ban user from chatroom": [
null,
"ユーザーを談話室から締め出す"
],
"Message": [
null,
"メッセージ"
],
"Save": [
null,
"保存"
],
"Cancel": [
null,
"キャンセル"
],
"An error occurred while trying to save the form.": [
null,
"フォームを保存する際にエラーが発生しました。"
],
"This chatroom requires a password": [
null,
"この談話室にはパスワードが必要です"
],
"Password: ": [
null,
"パスワード:"
],
"Submit": [
null,
"送信"
],
"This room is not anonymous": [
null,
"この談話室は非匿名です"
],
"This room now shows unavailable members": [
null,
"この談話室はメンバー以外にも見えます"
],
"This room does not show unavailable members": [
null,
"この談話室はメンバー以外には見えません"
],
"Non-privacy-related room configuration has changed": [
null,
"談話室の設定(プライバシーに無関係)が変更されました"
],
"Room logging is now enabled": [
null,
"談話室の記録を取りはじめます"
],
"Room logging is now disabled": [
null,
"談話室の記録を止めます"
],
"This room is now non-anonymous": [
null,
"この談話室はただいま非匿名です"
],
"This room is now semi-anonymous": [
null,
"この談話室はただいま半匿名です"
],
"This room is now fully-anonymous": [
null,
"この談話室はただいま匿名です"
],
"A new room has been created": [
null,
"新しい談話室が作成されました"
],
"Your nickname has been changed": [
null,
"ニックネームを変更しました"
],
"%1$s has been banned": [
null,
"%1$s を締め出しました"
],
"%1$s has been kicked out": [
null,
"%1$s を蹴り出しました"
],
"%1$s has been removed because of an affiliation change": [
null,
"分掌の変更のため、%1$s を削除しました"
],
"%1$s has been removed for not being a member": [
null,
"メンバーでなくなったため、%1$s を削除しました"
],
"You have been banned from this room": [
null,
"この談話室から締め出されました"
],
"You have been kicked from this room": [
null,
"この談話室から蹴り出されました"
],
"You have been removed from this room because of an affiliation change": [
null,
"分掌の変更のため、この談話室から削除されました"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"談話室がメンバー制に変更されました。メンバーではないため、この談話室から削除されました"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"MUC(グループチャット)のサービスが停止したため、この談話室から削除されました。"
],
"You are not on the member list of this room": [
null,
"この談話室のメンバー一覧にいません"
],
"No nickname was specified": [
null,
"ニックネームがありません"
],
"You are not allowed to create new rooms": [
null,
"新しい談話室を作成する権限がありません"
],
"Your nickname doesn't conform to this room's policies": [
null,
"ニックネームがこの談話室のポリシーに従っていません"
],
"Your nickname is already taken": [
null,
"ニックネームは既に使われています"
],
"This room does not (yet) exist": [
null,
"この談話室は存在しません"
],
"This room has reached it's maximum number of occupants": [
null,
"この談話室は入室者数の上限に達しています"
],
"Topic set by %1$s to: %2$s": [
null,
"%1$s が話題を設定しました: %2$s"
],
"This user is a moderator": [
null,
"このユーザーは司会者です"
],
"This user can send messages in this room": [
null,
"このユーザーはこの談話室で発言できます"
],
"This user can NOT send messages in this room": [
null,
"このユーザーはこの談話室で発言できません"
],
"Click to chat with this contact": [
null,
"クリックしてこの相手先とチャット"
],
"Click to remove this contact": [
null,
"クリックしてこの相手先を削除"
],
"Contact requests": [
null,
"会話に呼び出し"
],
"My contacts": [
null,
"相手先一覧"
],
"Pending contacts": [
null,
"保留中の相手先"
],
"Custom status": [
null,
"独自の在席状況"
],
"Click to change your chat status": [
null,
"クリックして、在席状況を変更"
],
"Click here to write a custom status message": [
null,
"状況メッセージを入力するには、ここをクリック"
],
"online": [
null,
"在席"
],
"busy": [
null,
"取り込み中"
],
"away for long": [
null,
"不在"
],
"away": [
null,
"離席中"
],
"I am %1$s": [
null,
"私はいま %1$s"
],
"Sign in": [
null,
"サインイン"
],
"XMPP/Jabber Username:": [
null,
"XMPP/Jabber ユーザー名:"
],
"Password:": [
null,
"パスワード:"
],
"Log In": [
null,
"ログイン"
],
"BOSH Service URL:": [
null,
"BOSH サービス URL:"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("ja", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.ja = factory(new Jed(translations));
}
}(this, function (ja) {
return ja;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2013-09-15 22:03+0200",
"Last-Translator": "Maarten Kling ",
"Language-Team": "Dutch",
"Language": "nl",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n != 1);",
"domain": "converse",
"lang": "nl",
"plural_forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted": [
null,
"ongecodeerde"
],
"unverified": [
null,
"niet geverifieerd"
],
"verified": [
null,
"geverifieerd"
],
"finished": [
null,
"klaar"
],
"Disconnected": [
null,
"Verbinding verbroken."
],
"Error": [
null,
"Error"
],
"Connecting": [
null,
"Verbinden"
],
"Connection Failed": [
null,
"Verbinden mislukt"
],
"Authenticating": [
null,
"Authenticeren"
],
"Authentication Failed": [
null,
"Authenticeren mislukt"
],
"Disconnecting": [
null,
""
],
"Re-establishing encrypted session": [
null,
"Bezig versleutelde sessie te herstellen"
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
""
],
"Private key generated.": [
null,
"Private key gegenereerd."
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
""
],
"Could not verify this user's identify.": [
null,
"Niet kon de identiteit van deze gebruiker niet identificeren."
],
"Personal message": [
null,
"Persoonlijk bericht"
],
"Start encrypted conversation": [
null,
"Start encrypted gesprek"
],
"Refresh encrypted conversation": [
null,
"Ververs encrypted gesprek"
],
"End encrypted conversation": [
null,
"Beeindig encrypted gesprek"
],
"Verify with SMP": [
null,
""
],
"Verify with fingerprints": [
null,
""
],
"What's this?": [
null,
"Wat is dit?"
],
"me": [
null,
"ikzelf"
],
"Show this menu": [
null,
"Toon dit menu"
],
"Write in the third person": [
null,
"Schrijf in de 3de persoon"
],
"Remove messages": [
null,
"Verwijder bericht"
],
"Your message could not be sent": [
null,
"Je bericht kon niet worden verzonden"
],
"We received an unencrypted message": [
null,
"We ontvingen een unencrypted bericht "
],
"We received an unreadable encrypted message": [
null,
"We ontvangen een onleesbaar unencrypted bericht"
],
"This user has requested an encrypted session.": [
null,
"Deze gebruiker heeft een encrypted sessie aangevraagd."
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
""
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
""
],
"What is your security question?": [
null,
"Wat is jou sericury vraag?"
],
"What is the answer to the security question?": [
null,
"Wat is het antwoord op de security vraag?"
],
"Invalid authentication scheme provided": [
null,
""
],
"Your messages are not encrypted anymore": [
null,
"Je berichten zijn niet meer encrypted"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
""
],
"Your buddy's identify has been verified.": [
null,
"Jou contact is geverifieerd"
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
"Jou contact heeft encryption aanstaan, je moet het zelfde doen."
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"Jou bericht is niet encrypted. KLik hier om ORC encrytion aan te zetten."
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"Jou berichten zijn encrypted, maar je contact is niet geverifieerd."
],
"Your messages are encrypted and your buddy verified.": [
null,
"Jou bericht is encrypted en jou contact is geverifieerd."
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
""
],
"Contacts": [
null,
"Contacten"
],
"Online": [
null,
"Online"
],
"Busy": [
null,
"Bezet"
],
"Away": [
null,
"Afwezig"
],
"Offline": [
null,
""
],
"Click to add new chat contacts": [
null,
"Klik om nieuwe contacten toe te voegen"
],
"Add a contact": [
null,
"Voeg contact toe"
],
"Contact username": [
null,
"Contact gebruikernaam"
],
"Add": [
null,
"Toevoegen"
],
"Contact name": [
null,
"Contact naam"
],
"Search": [
null,
"Zoeken"
],
"No users found": [
null,
"Geen gebruikers gevonden"
],
"Click to add as a chat contact": [
null,
"Klik om contact toe te voegen"
],
"Click to open this room": [
null,
"Klik om room te openen"
],
"Show more information on this room": [
null,
"Toon meer informatie over deze room"
],
"Description:": [
null,
"Beschrijving"
],
"Occupants:": [
null,
"Deelnemers:"
],
"Features:": [
null,
"Functies:"
],
"Requires authentication": [
null,
"Verificatie vereist"
],
"Hidden": [
null,
"Verborgen"
],
"Requires an invitation": [
null,
"Veriest een uitnodiging"
],
"Moderated": [
null,
"Gemodereerd"
],
"Non-anonymous": [
null,
"Niet annoniem"
],
"Open room": [
null,
"Open room"
],
"Permanent room": [
null,
"Blijvend room"
],
"Public": [
null,
"Publiek"
],
"Semi-anonymous": [
null,
"Semi annoniem"
],
"Temporary room": [
null,
"Tijdelijke room"
],
"Unmoderated": [
null,
"Niet gemodereerd"
],
"Rooms": [
null,
"Rooms"
],
"Room name": [
null,
"Room naam"
],
"Nickname": [
null,
"Nickname"
],
"Server": [
null,
"Server"
],
"Join": [
null,
"Deelnemen"
],
"Show rooms": [
null,
"Toon rooms"
],
"No rooms on %1$s": [
null,
"Geen room op %1$s"
],
"Rooms on %1$s": [
null,
"Room op %1$s"
],
"Set chatroom topic": [
null,
"Zet chatroom topic"
],
"Kick user from chatroom": [
null,
"Goei gebruiker uit chatroom"
],
"Ban user from chatroom": [
null,
"Ban gebruiker van chatroom"
],
"Message": [
null,
"Bericht"
],
"Save": [
null,
"Opslaan"
],
"Cancel": [
null,
"Annuleren"
],
"An error occurred while trying to save the form.": [
null,
"Een error tijdens het opslaan van het formulier."
],
"This chatroom requires a password": [
null,
"Chatroom heeft een wachtwoord"
],
"Password: ": [
null,
"Wachtwoord: "
],
"Submit": [
null,
"Indienen"
],
"This room is not anonymous": [
null,
"Deze room is niet annoniem"
],
"This room now shows unavailable members": [
null,
""
],
"This room does not show unavailable members": [
null,
""
],
"Non-privacy-related room configuration has changed": [
null,
""
],
"Room logging is now enabled": [
null,
""
],
"Room logging is now disabled": [
null,
""
],
"This room is now non-anonymous": [
null,
"Deze room is nu niet annoniem"
],
"This room is now semi-anonymous": [
null,
"Deze room is nu semie annoniem"
],
"This room is now fully-anonymous": [
null,
"Deze room is nu volledig annoniem"
],
"A new room has been created": [
null,
"Een nieuwe room is gemaakt"
],
"Your nickname has been changed": [
null,
"Je nickname is veranderd"
],
"%1$s has been banned": [
null,
"%1$s is verbannen"
],
"%1$s has been kicked out": [
null,
"%1$s has been kicked out"
],
"%1$s has been removed because of an affiliation change": [
null,
""
],
"%1$s has been removed for not being a member": [
null,
""
],
"You have been banned from this room": [
null,
"Je bent verbannen uit deze room"
],
"You have been kicked from this room": [
null,
"Je bent uit de room gegooid"
],
"You have been removed from this room because of an affiliation change": [
null,
""
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
""
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
""
],
"You are not on the member list of this room": [
null,
"Je bent niet een gebruiker van deze room"
],
"No nickname was specified": [
null,
"Geen nickname ingegeven"
],
"You are not allowed to create new rooms": [
null,
"Je bent niet toegestaan nieuwe rooms te maken"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Je nickname is niet conform policy"
],
"Your nickname is already taken": [
null,
"Je nickname bestaat al"
],
"This room does not (yet) exist": [
null,
"Deze room bestaat niet"
],
"This room has reached it's maximum number of occupants": [
null,
"Deze room heeft het maximale aantal gebruikers"
],
"Topic set by %1$s to: %2$s": [
null,
""
],
"This user is a moderator": [
null,
"Dit is een moderator"
],
"This user can send messages in this room": [
null,
"Deze gebruiker kan berichten sturen in deze room"
],
"This user can NOT send messages in this room": [
null,
"Deze gebruiker kan NIET een bericht sturen in deze room"
],
"Click to chat with this contact": [
null,
"Klik om te chatten met contact"
],
"Click to remove this contact": [
null,
"Klik om contact te verwijderen"
],
"This contact is busy": [
null,
"Contact is bezet"
],
"This contact is online": [
null,
"Contact is online"
],
"This contact is offline": [
null,
"Contact is offline"
],
"This contact is unavailable": [
null,
"Contact is niet beschikbaar"
],
"This contact is away for an extended period": [
null,
"Contact is afwezig voor lange periode"
],
"This contact is away": [
null,
"Conact is afwezig"
],
"Contact requests": [
null,
"Contact uitnodiging"
],
"My contacts": [
null,
"Mijn contacts"
],
"Pending contacts": [
null,
"Conacten in afwachting van"
],
"Custom status": [
null,
""
],
"Click to change your chat status": [
null,
"Klik hier om status te wijzigen"
],
"Click here to write a custom status message": [
null,
"Klik hier om custom status bericht te maken"
],
"online": [
null,
"online"
],
"busy": [
null,
"bezet"
],
"away for long": [
null,
"afwezig lange tijd"
],
"away": [
null,
"afwezig"
],
"I am %1$s": [
null,
"Ik ben %1$s"
],
"Sign in": [
null,
"Aanmelden"
],
"XMPP/Jabber Username:": [
null,
"XMPP/Jabber Username:"
],
"Password:": [
null,
"Wachtwoord:"
],
"Log In": [
null,
"Aanmelden"
],
"BOSH Service URL:": [
null,
""
],
"Online Contacts": [
null,
"Online Contacten"
],
"%1$s is typing": [
null,
"%1$s is aan typen"
],
"Connected": [
null,
"Verbonden"
],
"Attached": [
null,
"Bijlage"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("nl", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.nl = factory(new Jed(translations));
}
}(this, function (nl) {
return nl;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.6.3",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 21:55+0200",
"PO-Revision-Date": "2014-07-07 11:02+0200",
"Last-Translator": "Alan Meira ",
"Language-Team": "Brazilian Portuguese",
"Language": "pt_BR",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=2; plural=(n > 1);",
"domain": "converse",
"lang": "pt_BR",
"plural_forms": "nplurals=2; plural=(n != 1);"
},
"unencrypted": [
null,
"não-criptografado"
],
"unverified": [
null,
"não-verificado"
],
"verified": [
null,
"não-verificado"
],
"finished": [
null,
"finalizado"
],
"Disconnected": [
null,
"Desconectado"
],
"Error": [
null,
"Erro"
],
"Connecting": [
null,
"Conectando"
],
"Connection Failed": [
null,
"Falha de conexão"
],
"Authenticating": [
null,
"Autenticando"
],
"Authentication Failed": [
null,
"Falha de autenticação"
],
"Disconnecting": [
null,
"Desconectando"
],
"Re-establishing encrypted session": [
null,
"Reestabelecendo sessão criptografada"
],
"Your browser needs to generate a private key, which will be used in your encrypted chat session. This can take up to 30 seconds during which your browser might freeze and become unresponsive.": [
null,
"Seu navegador precisa gerar uma chave-privada, que será usada em sua sessão criptografada de bate-papo. Isso pode levar até 30 segundos durante os quais seu navegador poderá se travar ou não responder."
],
"Private key generated.": [
null,
"Chave-privada gerada:"
],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [
null,
"Pedido de autenticação de %$s\n\nSeu contato está tentando verificar sua identidade, perguntando a questão abaixo.\n\n%2$s"
],
"Could not verify this user's identify.": [
null,
"Não foi possível verificar a identidade deste usuário."
],
"Personal message": [
null,
"Mensagem pessoal"
],
"Start encrypted conversation": [
null,
"Iniciar conversa criptografada"
],
"Refresh encrypted conversation": [
null,
"Atualizar conversa criptografada"
],
"End encrypted conversation": [
null,
"Finalizar conversa criptografada"
],
"Verify with SMP": [
null,
"Verificar com SMP"
],
"Verify with fingerprints": [
null,
"Verificar com assinatura digital"
],
"What's this?": [
null,
"O que é isso?"
],
"me": [
null,
"eu"
],
"Show this menu": [
null,
"Mostrar o menu"
],
"Write in the third person": [
null,
"Escrever em terceira pessoa"
],
"Remove messages": [
null,
"Remover mensagens"
],
"Your message could not be sent": [
null,
"Sua mensagem não pôde ser enviada"
],
"We received an unencrypted message": [
null,
"Recebemos uma mensagem não-criptografada"
],
"We received an unreadable encrypted message": [
null,
"Recebemos uma mensagem não-criptografada ilegível"
],
"This user has requested an encrypted session.": [
null,
"Usuário pediu uma sessão criptografada."
],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [
null,
"Aqui estão as assinaturas digitais, por favor confirme elas com %1$s, fora deste chat.\n\nAssinaturas para você, %2$s: %3$s\n\nAssinaturas para %1$s: %4$s\n\nSe você tiver confirmado que as assinaturas conferem, clique OK, caso contrário, clique Cancel."
],
"You will be prompted to provide a security question and then an answer to that question.\n\nYour buddy will then be prompted the same question and if they type the exact same answer (case sensitive), their identity will have been verified.": [
null,
"Será solicitado que você informe uma pergunta de segurança e também uma resposta.\n\nNós iremos, então, transfeir a pergunta para seu contato e caso ele envie corretamente a mesma resposta (caso sensitivo), a identidade dele será verificada."
],
"What is your security question?": [
null,
"Qual é a sua pergunta de segurança?"
],
"What is the answer to the security question?": [
null,
"Qual é a resposta para a pergunta de segurança?"
],
"Invalid authentication scheme provided": [
null,
"Schema de autenticação fornecido é inválido"
],
"Your messages are not encrypted anymore": [
null,
"Suas mensagens não estão mais criptografadas"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
"Suas mensagens estão agora criptografadas mas a identidade do contato não foi confirmada."
],
"Your buddy's identify has been verified.": [
null,
"A identidade do contato foi verificada."
],
"Your buddy has ended encryption on their end, you should do the same.": [
null,
"Seu contato parou de usar criptografia, você deveria fazer o mesmo."
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"Suas mensagens não estão criptografadas. Clique aqui para habilitar criptografia OTR."
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"Suas mensagens estão criptografadas, mas seu contato não foi verificado."
],
"Your messages are encrypted and your buddy verified.": [
null,
"Suas mensagens estão criptografadas e seu contato verificado."
],
"Your buddy has closed their end of the private session, you should do the same": [
null,
"Seu contato fechou a sessão privada, você deveria fazer o mesmo"
],
"Contacts": [
null,
"Contatos"
],
"Online": [
null,
"Online"
],
"Busy": [
null,
"Ocupado"
],
"Away": [
null,
"Ausente"
],
"Offline": [
null,
"Offline"
],
"Click to add new chat contacts": [
null,
"Clique para adicionar novos contatos ao chat"
],
"Add a contact": [
null,
"Adicionar contato"
],
"Contact username": [
null,
"Usuário do contatt"
],
"Add": [
null,
"Adicionar"
],
"Contact name": [
null,
"Nome do contato"
],
"Search": [
null,
"Procurar"
],
"No users found": [
null,
"Não foram encontrados usuários"
],
"Click to add as a chat contact": [
null,
"Clique para adicionar como um contato do chat"
],
"Click to open this room": [
null,
"CLique para abrir a sala"
],
"Show more information on this room": [
null,
"Mostrar mais informações nessa sala"
],
"Description:": [
null,
"Descrição:"
],
"Occupants:": [
null,
"Ocupantes:"
],
"Features:": [
null,
"Recursos:"
],
"Requires authentication": [
null,
"Requer autenticação"
],
"Hidden": [
null,
"Escondido"
],
"Requires an invitation": [
null,
"Requer um convite"
],
"Moderated": [
null,
"Moderado"
],
"Non-anonymous": [
null,
"Não anônimo"
],
"Open room": [
null,
"Sala aberta"
],
"Permanent room": [
null,
"Sala permanente"
],
"Public": [
null,
"Público"
],
"Semi-anonymous": [
null,
"Semi anônimo"
],
"Temporary room": [
null,
"Sala temporária"
],
"Unmoderated": [
null,
"Sem moderação"
],
"Rooms": [
null,
"Salas"
],
"Room name": [
null,
"Nome da sala"
],
"Nickname": [
null,
"Apelido"
],
"Server": [
null,
"Server"
],
"Join": [
null,
"Entrar"
],
"Show rooms": [
null,
"Mostar salas"
],
"No rooms on %1$s": [
null,
"Sem salas em %1$s"
],
"Rooms on %1$s": [
null,
"Salas em %1$s"
],
"Set chatroom topic": [
null,
"Definir tópico do chat"
],
"Kick user from chatroom": [
null,
"Expulsar usuário do chat"
],
"Ban user from chatroom": [
null,
"Banir usuário do chat"
],
"Message": [
null,
"Mensagem"
],
"Save": [
null,
"Salvar"
],
"Cancel": [
null,
"Cancelar"
],
"An error occurred while trying to save the form.": [
null,
"Ocorreu um erro enquanto tentava salvar o formulário"
],
"This chatroom requires a password": [
null,
"Esse chat precisa de senha"
],
"Password: ": [
null,
"Senha: "
],
"Submit": [
null,
"Enviar"
],
"This room is not anonymous": [
null,
"Essa sala não é anônima"
],
"This room now shows unavailable members": [
null,
"Agora esta sala mostra membros indisponíveis"
],
"This room does not show unavailable members": [
null,
"Essa sala não mostra membros indisponíveis"
],
"Non-privacy-related room configuration has changed": [
null,
"Configuraçõs não relacionadas à privacidade mudaram"
],
"Room logging is now enabled": [
null,
"O log da sala está ativado"
],
"Room logging is now disabled": [
null,
"O log da sala está desativado"
],
"This room is now non-anonymous": [
null,
"Esse sala é não anônima"
],
"This room is now semi-anonymous": [
null,
"Essa sala agora é semi anônima"
],
"This room is now fully-anonymous": [
null,
"Essa sala agora é totalmente anônima"
],
"A new room has been created": [
null,
"Uma nova sala foi criada"
],
"Your nickname has been changed": [
null,
"Seu apelido foi mudado"
],
"%1$s has been banned": [
null,
"%1$s foi banido"
],
"%1$s has been kicked out": [
null,
"%1$s foi expulso"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s foi removido por causa de troca de associação"
],
"%1$s has been removed for not being a member": [
null,
"%1$s foi removido por não ser um membro"
],
"You have been banned from this room": [
null,
"Você foi banido dessa sala"
],
"You have been kicked from this room": [
null,
"Você foi expulso dessa sala"
],
"You have been removed from this room because of an affiliation change": [
null,
"Você foi removido da sala devido a uma mudança de associação"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Você foi removido da sala porque ela foi mudada para somente membrose você não é um membro"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Você foi removido da sala devido a MUC (Multi-user chat)o serviço está sendo desligado"
],
"You are not on the member list of this room": [
null,
"Você não é membro dessa sala"
],
"No nickname was specified": [
null,
"Você não escolheu um apelido "
],
"You are not allowed to create new rooms": [
null,
"Você não tem permitição de criar novas salas"
],
"Your nickname doesn't conform to this room's policies": [
null,
"Seu apelido não está de acordo com as regras da sala"
],
"Your nickname is already taken": [
null,
"Seu apelido já foi escolhido"
],
"This room does not (yet) exist": [
null,
"A sala não existe (ainda)"
],
"This room has reached it's maximum number of occupants": [
null,
"A sala atingiu o número máximo de ocupantes"
],
"Topic set by %1$s to: %2$s": [
null,
"Topico definido por %1$s para: %2$s"
],
"This user is a moderator": [
null,
"Esse usuário é o moderador"
],
"This user can send messages in this room": [
null,
"Esse usuário pode enviar mensagens nessa sala"
],
"This user can NOT send messages in this room": [
null,
"Esse usuário NÃO pode enviar mensagens nessa sala"
],
"Click to chat with this contact": [
null,
"Clique para conversar com o contato"
],
"Click to remove this contact": [
null,
"Clique para remover o contato"
],
"This contact is busy": [
null,
"Este contato está ocupado"
],
"This contact is online": [
null,
"Este contato está online"
],
"This contact is offline": [
null,
"Este contato está offline"
],
"This contact is unavailable": [
null,
"Este contato está indisponível"
],
"This contact is away for an extended period": [
null,
"Este contato está ausente por um longo período"
],
"This contact is away": [
null,
"Este contato está ausente"
],
"Contact requests": [
null,
"Solicitação de contatos"
],
"My contacts": [
null,
"Meus contatos"
],
"Pending contacts": [
null,
"Contados pendentes"
],
"Custom status": [
null,
"Status customizado"
],
"Click to change your chat status": [
null,
"Clique para mudar seu status no chat"
],
"Click here to write a custom status message": [
null,
"Clique aqui para customizar a mensagem de status"
],
"online": [
null,
"online"
],
"busy": [
null,
"ocupado"
],
"away for long": [
null,
"ausente a bastante tempo"
],
"away": [
null,
"ausente"
],
"I am %1$s": [
null,
"Estou %1$s"
],
"Sign in": [
null,
"Conectar-se"
],
"XMPP/Jabber Username:": [
null,
"Usuário XMPP/Jabber:"
],
"Password:": [
null,
"Senha:"
],
"Log In": [
null,
"Entrar"
],
"BOSH Service URL:": [
null,
"URL de serviço BOSH:"
],
"Online Contacts": [
null,
"Contatos online"
],
"%1$s is typing": [
null,
"%1$s está digitando"
],
"Connected": [
null,
"Conectado"
],
"Attached": [
null,
"Anexado"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("pt_BR", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.pt_BR = factory(new Jed(translations));
}
}(this, function (i18n) {
return i18n;
})
);
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data":
{
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.4",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2013-09-15 22:06+0200",
"PO-Revision-Date": "2013-09-29 17:24+0300",
"Last-Translator": "Boris Kocherov ",
"Language-Team": "",
"Language": "ru",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"X-Generator": "Poedit 1.5.5"
},
"unencrypted": [
null,
"не зашифровано"
],
"unverified": [
null,
"непроверено"
],
"verified": [
null,
"проверено"
],
"finished": [
null,
"закончено"
],
"Disconnected": [
null,
"Отключено"
],
"Error": [
null,
"Ошибка"
],
"Connecting": [
null,
"Соединение"
],
"Connection Failed": [
null,
"Не удалось соединится"
],
"Authenticating": [
null,
"Авторизация"
],
"Authentication Failed": [
null,
"Не удалось авторизоваться"
],
"Disconnecting": [
null,
"Отключаемся"
],
"Private key generated.": [
null,
"Приватный ключ сгенерирован."
],
"Personal message": [
null,
"Введите сообщение"
],
"What's this?": [
null,
"Что это?"
],
"me": [
null,
"Я"
],
"Show this menu": [
null,
"Показать это меню"
],
"Remove messages": [
null,
"Удалить сообщения"
],
"Your message could not be sent": [
null,
"Ваше сообщение не послано"
],
"Your messages are not encrypted anymore": [
null,
"Ваши сообщения больше не шифруются"
],
"Your messages are now encrypted but your buddy's identity has not been verified.": [
null,
"Ваши сообщения шифруются, но ваша учётная запись не проверена вашим собеседником."
],
"Your buddy's identify has been verified.": [
null,
"Ваша учётная запись проверена вашим собеседником."
],
"Your messages are not encrypted. Click here to enable OTR encryption.": [
null,
"Ваши сообщения не шифруются. Нажмите здесь чтобы настроить шифрование."
],
"Your messages are encrypted, but your buddy has not been verified.": [
null,
"Ваши сообщения шифруются, но ваш контакт не проверен."
],
"Your messages are encrypted and your buddy verified.": [
null,
"Ваши сообщения шифруются и ваш контакт проверен"
],
"Contacts": [
null,
"Контакты"
],
"Online": [
null,
"В сети"
],
"Busy": [
null,
"Занят"
],
"Away": [
null,
"Отошёл"
],
"Offline": [
null,
"Не в сети"
],
"Click to add new chat contacts": [
null,
"Добавить новую конференцию"
],
"Add a contact": [
null,
"Добавть контакт"
],
"Contact username": [
null,
"Имя пользователя"
],
"Add": [
null,
"Добавить"
],
"Contact name": [
null,
"Имя контакта"
],
"Search": [
null,
"Поиск"
],
"No users found": [
null,
"Пользователи не найдены"
],
"Click to add as a chat contact": [
null,
"Добавить контакт"
],
"Click to open this room": [
null,
"Зайти в конференцию"
],
"Show more information on this room": [
null,
"Показать больше информации об этой конференции"
],
"Description:": [
null,
"Описание:"
],
"Occupants:": [
null,
"Участники:"
],
"Features:": [
null,
"Свойства:"
],
"Requires authentication": [
null,
"Требуется авторизация"
],
"Hidden": [
null,
"Скрыто"
],
"Requires an invitation": [
null,
"Требуется приглашение"
],
"Moderated": [
null,
"Модерируемая"
],
"Non-anonymous": [
null,
"Не анонимная"
],
"Open room": [
null,
"Открыть конференцию"
],
"Permanent room": [
null,
"Перманентная конференция"
],
"Public": [
null,
"Публичный"
],
"Semi-anonymous": [
null,
"Частично анонимная"
],
"Temporary room": [
null,
"Временная конференция"
],
"Unmoderated": [
null,
"Немодерируемая"
],
"Rooms": [
null,
"Конфер."
],
"Room name": [
null,
"Имя конференции"
],
"Nickname": [
null,
"Псевдоним"
],
"Server": [
null,
"Сервер"
],
"Join": [
null,
"Подключиться"
],
"Show rooms": [
null,
"Обновить"
],
"No rooms on %1$s": [
null,
"Нет доступных конференций %1$s"
],
"Rooms on %1$s": [
null,
"Конференции %1$s:"
],
"Set chatroom topic": [
null,
"Установить тему"
],
"Kick user from chatroom": [
null,
"Отключить пользователя от кнофер."
],
"Ban user from chatroom": [
null,
"Забанить пользователя в этой конф."
],
"Message": [
null,
"Сообщение"
],
"Save": [
null,
"Сохранить"
],
"Cancel": [
null,
"Отменить"
],
"An error occurred while trying to save the form.": [
null,
"При сохранение формы произошла ошибка."
],
"This chatroom requires a password": [
null,
"Для доступа в конфер. необходим пароль."
],
"Password: ": [
null,
"Пароль: "
],
"Submit": [
null,
"Отправить"
],
"This room is not anonymous": [
null,
"Эта комната не анонимная"
],
"This room now shows unavailable members": [
null,
"Эта комната показывает доступных собеседников"
],
"This room does not show unavailable members": [
null,
"Эта комната не показывает недоступных собеседников"
],
"This room is now non-anonymous": [
null,
"Эта комната не анонимная"
],
"This room is now semi-anonymous": [
null,
"Эта комната частично анонимная"
],
"This room is now fully-anonymous": [
null,
"Эта комната стала полностью анонимной"
],
"A new room has been created": [
null,
"Новая комната была создана"
],
"Your nickname has been changed": [
null,
"Ваш псевдоним уже используется другим пользователем"
],
"%1$s has been banned": [
null,
"%1$s забанен"
],
"%1$s has been kicked out": [
null,
"%1$s выдворен"
],
"%1$s has been removed because of an affiliation change": [
null,
"%1$s has been removed because of an affiliation change"
],
"%1$s has been removed for not being a member": [
null,
"%1$s удалён потому что не участник"
],
"You have been banned from this room": [
null,
"Вам запрещено подключатся к этой конференции"
],
"You have been kicked from this room": [
null,
"Вам запрещено подключатся к этой конференции"
],
"You have been removed from this room because of an affiliation change": [
null,
"%1$s удалён потому что изменились права"
],
"You have been removed from this room because the room has changed to members-only and you're not a member": [
null,
"Вы отключены от этой конференции потому что режим изменился: только-участники"
],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [
null,
"Вы отключены от этой конференции потому что сервись конференций выключен."
],
"You are not on the member list of this room": [
null,
"Вас нет в списке этой конференции"
],
"No nickname was specified": [
null,
"Вы не указали псевдоним"
],
"You are not allowed to create new rooms": [
null,
"Вы не имеете права создавать конфер."
],
"Your nickname doesn't conform to this room's policies": [
null,
"Псевдоним не согласуется с правилами конфер."
],
"Your nickname is already taken": [
null,
"Ваш ник уже используется другим пользователем"
],
"This room does not (yet) exist": [
null,
"Эта комната не существует"
],
"This room has reached it's maximum number of occupants": [
null,
"Конференция достигла максимального количества участников"
],
"Topic set by %1$s to: %2$s": [
null,
"Тема %2$s устатновлена %1$s"
],
"This user is a moderator": [
null,
"Модератор"
],
"This user can send messages in this room": [
null,
"Собеседник"
],
"This user can NOT send messages in this room": [
null,
"Пользователь не может посылать сообщения в эту комнату"
],
"Click to chat with this contact": [
null,
"Начать общение"
],
"Click to remove this contact": [
null,
"Удалить контакт"
],
"This contact is busy": [
null,
"Занят"
],
"This contact is online": [
null,
"В сети"
],
"This contact is offline": [
null,
"Не в сети"
],
"This contact is unavailable": [
null,
"Не доступен"
],
"This contact is away for an extended period": [
null,
"На долго отошёл"
],
"This contact is away": [
null,
"Отошёл"
],
"Contact requests": [
null,
"Запросы на авторизацию"
],
"My contacts": [
null,
"Контакты"
],
"Pending contacts": [
null,
"Собеседники ожидающие авторизации"
],
"Custom status": [
null,
"Произвольный статус"
],
"Click to change your chat status": [
null,
"Изменить ваш статус"
],
"Click here to write a custom status message": [
null,
"Редактировать произвольный статус"
],
"online": [
null,
"на связи"
],
"busy": [
null,
"занят"
],
"away for long": [
null,
"отошёл на долго"
],
"away": [
null,
"отошёл"
],
"I am %1$s": [
null,
"%1$s"
],
"Sign in": [
null,
"Подписать"
],
"XMPP/Jabber Username:": [
null,
"JID:"
],
"Password:": [
null,
"Пароль:"
],
"Log In": [
null,
"Войти"
],
"Online Contacts": [
null,
"Cписок собеседников"
]
}
}
};
if (typeof define === 'function' && define.amd) {
define("ru", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.ru = factory(new Jed(translations));
}
}(this, function (ru) {
return ru;
}));
(function (root, factory) {
var translations = {
"domain": "converse",
"locale_data": {
"converse": {
"": {
"Project-Id-Version": "Converse.js 0.8",
"Report-Msgid-Bugs-To": "",
"POT-Creation-Date": "2014-01-07 11:12+0900",
"PO-Revision-Date": "2014-01-07 11:32+0900",
"Last-Translator": "Huxisuz Hu ",
"Language-Team": "Language zh",
"Language": "zh",
"MIME-Version": "1.0",
"Content-Type": "text/plain; charset=UTF-8",
"Content-Transfer-Encoding": "8bit",
"Plural-Forms": "nplurals=1; plural=0;"
},
"unencrypted": [null,"未加密"],
"unverified": [null,"未验证"],
"verified": [null,"已验证"],
"finished": [null,"结束了"],
"This contact is busy": [null,"对方忙碌中"],
"This contact is online": [null,"对方在线中"],
"This contact is offline": [null,"对方已下线"],
"This contact is unavailable": [null,"对方免打扰"],
"This contact is away for an extended period": [null,"对方暂时离开"],
"This contact is away": [null,"对方离开"],
"Disconnected": [null,"连接已断开"],
"Error": [null,"错误"],
"Connecting": [null,"连接中"],
"Connection Failed": [null,"连接失败"],
"Authenticating": [null,"验证中"],
"Authentication Failed": [null,"验证失败"],
"Disconnecting": [null,"断开链接中"],
"Online Contacts": [null,"在线好友"],
"Re-establishing encrypted session": [null,"重新建立加密会话"],
"Generating private key.": [null,"正在生成私钥"],
"Your browser might become unresponsive.": [null,"您的浏览器可能会暂时无响应"],
"Authentication request from %1$s\n\nYour buddy is attempting to verify your identity, by asking you the question below.\n\n%2$s": [null,"来自%1$s的验证请求 \n\n对方正在试图验证您的信息,请回答如下问题:\n\n%2$s"],
"Could not verify this user's identify.": [null,"无法验证对方信息。"],
"Exchanging private key with buddy.": [null,"正在与对方交换私钥"],
"Personal message": [null,"私信"],
"me": [null,"我"],
"Show this menu": [null,"显示此项菜单"],
"Write in the third person": [null,"以第三者身份写"],
"Remove messages": [null,"移除消息"],
"Are you sure you want to clear the messages from this chat box?": [null,"你确定清除此次的聊天记录吗?"],
"Your message could not be sent": [null,"您的消息无法送出"],
"We received an unencrypted message": [null,"我们收到了一条未加密的信息"],
"We received an unreadable encrypted message": [null,"我们收到一条无法读取的信息"],
"This user has requested an encrypted session.": [null,"此用户请求了一个加密会话。"],
"Here are the fingerprints, please confirm them with %1$s, outside of this chat.\n\nFingerprint for you, %2$s: %3$s\n\nFingerprint for %1$s: %4$s\n\nIf you have confirmed that the fingerprints match, click OK, otherwise click Cancel.": [null,"这里是指纹。请与 %1$s 确认。\n\n您的 %2$s 指纹: %3$s\n\n%1$s 的指纹: %4$s\n\n如果确认符合,请点击OK,否则点击取消"],
"What is your security question?": [null,"您的安全问题是?"],
"What is the answer to the security question?": [null,"此安全问题的答案是?"],
"Invalid authentication scheme provided": [null,"非法的认证方式"],
"Your messages are not encrypted anymore": [null,"您的消息将不再被加密"],
"Your messages are now encrypted but your buddy's identity has not been verified.": [null,"您的消息现已加密,但是对方身份尚未验证"],
"Your buddy's identify has been verified.": [null,"对方的身份已通过验证。"],
"Your buddy has ended encryption on their end, you should do the same.": [null,"对方已结束加密,您也需要做同样的操作。"],
"Your messages are not encrypted. Click here to enable OTR encryption.": [null,"您的消息未加密。点击这里来启用OTR加密"],
"Your messages are encrypted, but your buddy has not been verified.": [null,"您的消息已加密,但对方未通过验证"],
"Your messages are encrypted and your buddy verified.": [null,"您的消息已加密,对方已验证。"],
"Your buddy has closed their end of the private session, you should do the same": [null,"对方已关闭私有会话,您也应该关闭"],
"End encrypted conversation": [null,"结束加密的会话"],
"Refresh encrypted conversation": [null,"刷新加密的会话"],
"Start encrypted conversation": [null,"开始加密的会话"],
"Verify with fingerprints": [null,"验证指纹"],
"Verify with SMP": [null,"验证SMP"],
"What's this?": [null,"这是什么?"],
"Online": [null,"在线"],
"Busy": [null,"忙碌中"],
"Away": [null,"离开"],
"Offline": [null,"离线"],
"Contacts": [null,"联系人"],
"Contact name": [null,"联系人名称"],
"Search": [null,"搜索"],
"Contact username": [null,"联系人姓名"],
"Add": [null,"添加"],
"Click to add new chat contacts": [null,"点击添加新联系人"],
"Add a contact": [null,"添加联系人"],
"No users found": [null,"未找到用户"],
"Click to add as a chat contact": [null,"点击添加为好友"],
"Room name": [null,"聊天室名称"],
"Nickname": [null,"昵称"],
"Server": [null,"服务器"],
"Join": [null,"加入"],
"Show rooms": [null,"显示所有聊天室"],
"Rooms": [null,"聊天室"],
"No rooms on %1$s": [null,"%1$s 上没有聊天室"],
"Rooms on %1$s": [null,"%1$s 上的聊天室"],
"Click to open this room": [null,"打开聊天室"],
"Show more information on this room": [null,"显示次聊天室的更多信息"],
"Description:": [null,"描述: "],
"Occupants:": [null,"成员:"],
"Features:": [null,"特性:"],
"Requires authentication": [null,"需要验证"],
"Hidden": [null,"隐藏的"],
"Requires an invitation": [null,"需要被邀请"],
"Moderated": [null,"发言受限"],
"Non-anonymous": [null,"非匿名"],
"Open room": [null,"打开聊天室"],
"Permanent room": [null,"永久聊天室"],
"Public": [null,"公开的"],
"Semi-anonymous": [null,"半匿名"],
"Temporary room": [null,"临时聊天室"],
"Unmoderated": [null,"无发言限制"],
"Set chatroom topic": [null,"设置房间主题"],
"Kick user from chatroom": [null,"把用户踢出房间"],
"Ban user from chatroom": [null,"阻止此用户进入房间"],
"Message": [null,"信息"],
"Save": [null,"保存"],
"Cancel": [null,"取消"],
"An error occurred while trying to save the form.": [null,"保存表单是出错。"],
"This chatroom requires a password": [null,"此聊天室需要密码"],
"Password: ": [null,"密码:"],
"Submit": [null,"发送"],
"This room is not anonymous": [null,"此为非匿名聊天室"],
"This room now shows unavailable members": [null,"此聊天室显示不可用用户"],
"This room does not show unavailable members": [null,"此聊天室不显示不可用用户"],
"Non-privacy-related room configuration has changed": [null,"此聊天室设置(非私密性)已改变"],
"Room logging is now enabled": [null,"聊天室聊天记录已启用"],
"Room logging is now disabled": [null,"聊天室聊天记录已禁用"],
"This room is now non-anonymous": [null,"此聊天室非匿名"],
"This room is now semi-anonymous": [null,"此聊天室半匿名"],
"This room is now fully-anonymous": [null,"此聊天室完全匿名"],
"A new room has been created": [null,"新聊天室已创建"],
"Your nickname has been changed": [null,"您的昵称被更改了"],
"%1$s has been banned": [null,"%1$s 已被禁止"],
"%1$s has been kicked out": [null,"%1$s 已被踢出"],
"%1$s has been removed because of an affiliation change": [null,"由于关系解除、%1$s 已被移除"],
"%1$s has been removed for not being a member": [null,"由于不是成员、%1$s 已被移除"],
"You have been banned from this room": [null,"您已被此聊天室禁止入内"],
"You have been kicked from this room": [null,"您已被踢出次房间"],
"You have been removed from this room because of an affiliation change": [null,"由于关系变化,您已被移除此房间"],
"You have been removed from this room because the room has changed to members-only and you're not a member": [null,"您已被移除此房间因为此房间更改为只允许成员加入,而您非成员"],
"You have been removed from this room because the MUC (Multi-user chat) service is being shut down.": [null,"由于服务不可用,您已被移除此房间。"],
"You are not on the member list of this room": [null,"您并非此房间成员"],
"No nickname was specified": [null,"未指定昵称"],
"You are not allowed to create new rooms": [null,"您可此创建新房间了"],
"Your nickname doesn't conform to this room's policies": [null,"您的昵称不符合此房间标准"],
"Your nickname is already taken": [null,"您的昵称已被占用"],
"This room does not (yet) exist": [null,"此房间不存在"],
"This room has reached it's maximum number of occupants": [null,"此房间人数已达上线"],
"Topic set by %1$s to: %2$s": [null,"%1$s 设置话题为: %2$s"],
"This user is a moderator": [null,"此用户是主持人"],
"This user can send messages in this room": [null,"此用户在这房间里可发消息"],
"This user can NOT send messages in this room": [null,"此用户不可在此房间发消息"],
"Minimized": [null,"最小化的"],
"Click to remove this contact": [null,"点击移除联系人"],
"Accept": [null,"接受"],
"Click to chat with this contact": [null,"点击与对方交谈"],
"My contacts": [null,"我的好友列表"],
"Contact requests": [null,"来自好友的请求"],
"Pending contacts": [null,"保留中的联系人"],
"Custom status": [null,"DIY状态"],
"online": [null,"在线"],
"busy": [null,"忙碌"],
"away for long": [null,"长时间离开"],
"away": [null,"离开"],
"I am %1$s": [null,"我现在%1$s"],
"Click here to write a custom status message": [null,"点击这里,填写状态信息"],
"Click to change your chat status": [null,"点击这里改变聊天状态"],
"XMPP/Jabber Username:": [null,"XMPP/Jabber用户名:"],
"Password:": [null,"密码:"],
"Log In": [null,"登录"],
"Sign in": [null,"登录"],
"Toggle chat": [null,"折叠聊天窗口"]
}
}
};
if (typeof define === 'function' && define.amd) {
define("zh", ['jed'], function () {
return factory(new Jed(translations));
});
} else {
if (!window.locales) {
window.locales = {};
}
window.locales.zh = factory(new Jed(translations));
}
}(this, function (zh) {
return zh;
}));
/*
* This file specifies the language dependencies.
*
* Translations take up a lot of space and you are therefore advised to remove
* from here any languages that you don't need.
*/
(function (root, factory) {
define("locales", [
'jed',
'af',
'de',
'en',
'es',
'fr',
'he',
'hu',
'id',
'it',
'ja',
'nl',
'pt_BR',
'ru',
'zh'
], function (jed, af, de, en, es, fr, he, hu, id, it, ja, nl, pt_BR, ru, zh) {
root.locales = {
'af': af,
'de': de,
'en': en,
'es': es,
'fr': fr,
'he': he,
'hu': hu,
'id': id,
'it': it,
'ja': ja,
'nl': nl,
'pt-br': pt_BR,
'ru': ru,
'zh':zh
};
});
})(this);
// Backbone.js 1.1.2
// (c) 2010-2014 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
// Backbone may be freely distributed under the MIT license.
// For all details and documentation:
// http://backbonejs.org
(function(root, factory) {
// Set up Backbone appropriately for the environment. Start with AMD.
if (typeof define === 'function' && define.amd) {
define('backbone',['underscore', 'jquery', 'exports'], function(_, $, exports) {
// Export global even in AMD case in case this script is loaded with
// others that may still expect a global Backbone.
root.Backbone = factory(root, exports, _, $);
});
// Next for Node.js or CommonJS. jQuery may not be needed as a module.
} else if (typeof exports !== 'undefined') {
var _ = require('underscore');
factory(root, exports, _);
// Finally, as a browser global.
} else {
root.Backbone = factory(root, {}, root._, (root.jQuery || root.Zepto || root.ender || root.$));
}
}(this, function(root, Backbone, _, $) {
// Initial Setup
// -------------
// Save the previous value of the `Backbone` variable, so that it can be
// restored later on, if `noConflict` is used.
var previousBackbone = root.Backbone;
// Create local references to array methods we'll want to use later.
var array = [];
var push = array.push;
var slice = array.slice;
var splice = array.splice;
// Current version of the library. Keep in sync with `package.json`.
Backbone.VERSION = '1.1.2';
// For Backbone's purposes, jQuery, Zepto, Ender, or My Library (kidding) owns
// the `$` variable.
Backbone.$ = $;
// Runs Backbone.js in *noConflict* mode, returning the `Backbone` variable
// to its previous owner. Returns a reference to this Backbone object.
Backbone.noConflict = function() {
root.Backbone = previousBackbone;
return this;
};
// Turn on `emulateHTTP` to support legacy HTTP servers. Setting this option
// will fake `"PATCH"`, `"PUT"` and `"DELETE"` requests via the `_method` parameter and
// set a `X-Http-Method-Override` header.
Backbone.emulateHTTP = false;
// Turn on `emulateJSON` to support legacy servers that can't deal with direct
// `application/json` requests ... will encode the body as
// `application/x-www-form-urlencoded` instead and will send the model in a
// form param named `model`.
Backbone.emulateJSON = false;
// Backbone.Events
// ---------------
// A module that can be mixed in to *any object* in order to provide it with
// custom events. You may bind with `on` or remove with `off` callback
// functions to an event; `trigger`-ing an event fires all callbacks in
// succession.
//
// var object = {};
// _.extend(object, Backbone.Events);
// object.on('expand', function(){ alert('expanded'); });
// object.trigger('expand');
//
var Events = Backbone.Events = {
// Bind an event to a `callback` function. Passing `"all"` will bind
// the callback to all events fired.
on: function(name, callback, context) {
if (!eventsApi(this, 'on', name, [callback, context]) || !callback) return this;
this._events || (this._events = {});
var events = this._events[name] || (this._events[name] = []);
events.push({callback: callback, context: context, ctx: context || this});
return this;
},
// Bind an event to only be triggered a single time. After the first time
// the callback is invoked, it will be removed.
once: function(name, callback, context) {
if (!eventsApi(this, 'once', name, [callback, context]) || !callback) return this;
var self = this;
var once = _.once(function() {
self.off(name, once);
callback.apply(this, arguments);
});
once._callback = callback;
return this.on(name, once, context);
},
// Remove one or many callbacks. If `context` is null, removes all
// callbacks with that function. If `callback` is null, removes all
// callbacks for the event. If `name` is null, removes all bound
// callbacks for all events.
off: function(name, callback, context) {
var retain, ev, events, names, i, l, j, k;
if (!this._events || !eventsApi(this, 'off', name, [callback, context])) return this;
if (!name && !callback && !context) {
this._events = void 0;
return this;
}
names = name ? [name] : _.keys(this._events);
for (i = 0, l = names.length; i < l; i++) {
name = names[i];
if (events = this._events[name]) {
this._events[name] = retain = [];
if (callback || context) {
for (j = 0, k = events.length; j < k; j++) {
ev = events[j];
if ((callback && callback !== ev.callback && callback !== ev.callback._callback) ||
(context && context !== ev.context)) {
retain.push(ev);
}
}
}
if (!retain.length) delete this._events[name];
}
}
return this;
},
// Trigger one or many events, firing all bound callbacks. Callbacks are
// passed the same arguments as `trigger` is, apart from the event name
// (unless you're listening on `"all"`, which will cause your callback to
// receive the true name of the event as the first argument).
trigger: function(name) {
if (!this._events) return this;
var args = slice.call(arguments, 1);
if (!eventsApi(this, 'trigger', name, args)) return this;
var events = this._events[name];
var allEvents = this._events.all;
if (events) triggerEvents(events, args);
if (allEvents) triggerEvents(allEvents, arguments);
return this;
},
// Tell this object to stop listening to either specific events ... or
// to every object it's currently listening to.
stopListening: function(obj, name, callback) {
var listeningTo = this._listeningTo;
if (!listeningTo) return this;
var remove = !name && !callback;
if (!callback && typeof name === 'object') callback = this;
if (obj) (listeningTo = {})[obj._listenId] = obj;
for (var id in listeningTo) {
obj = listeningTo[id];
obj.off(name, callback, this);
if (remove || _.isEmpty(obj._events)) delete this._listeningTo[id];
}
return this;
}
};
// Regular expression used to split event strings.
var eventSplitter = /\s+/;
// Implement fancy features of the Events API such as multiple event
// names `"change blur"` and jQuery-style event maps `{change: action}`
// in terms of the existing API.
var eventsApi = function(obj, action, name, rest) {
if (!name) return true;
// Handle event maps.
if (typeof name === 'object') {
for (var key in name) {
obj[action].apply(obj, [key, name[key]].concat(rest));
}
return false;
}
// Handle space separated event names.
if (eventSplitter.test(name)) {
var names = name.split(eventSplitter);
for (var i = 0, l = names.length; i < l; i++) {
obj[action].apply(obj, [names[i]].concat(rest));
}
return false;
}
return true;
};
// A difficult-to-believe, but optimized internal dispatch function for
// triggering events. Tries to keep the usual cases speedy (most internal
// Backbone events have 3 arguments).
var triggerEvents = function(events, args) {
var ev, i = -1, l = events.length, a1 = args[0], a2 = args[1], a3 = args[2];
switch (args.length) {
case 0: while (++i < l) (ev = events[i]).callback.call(ev.ctx); return;
case 1: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1); return;
case 2: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2); return;
case 3: while (++i < l) (ev = events[i]).callback.call(ev.ctx, a1, a2, a3); return;
default: while (++i < l) (ev = events[i]).callback.apply(ev.ctx, args); return;
}
};
var listenMethods = {listenTo: 'on', listenToOnce: 'once'};
// Inversion-of-control versions of `on` and `once`. Tell *this* object to
// listen to an event in another object ... keeping track of what it's
// listening to.
_.each(listenMethods, function(implementation, method) {
Events[method] = function(obj, name, callback) {
var listeningTo = this._listeningTo || (this._listeningTo = {});
var id = obj._listenId || (obj._listenId = _.uniqueId('l'));
listeningTo[id] = obj;
if (!callback && typeof name === 'object') callback = this;
obj[implementation](name, callback, this);
return this;
};
});
// Aliases for backwards compatibility.
Events.bind = Events.on;
Events.unbind = Events.off;
// Allow the `Backbone` object to serve as a global event bus, for folks who
// want global "pubsub" in a convenient place.
_.extend(Backbone, Events);
// Backbone.Model
// --------------
// Backbone **Models** are the basic data object in the framework --
// frequently representing a row in a table in a database on your server.
// A discrete chunk of data and a bunch of useful, related methods for
// performing computations and transformations on that data.
// Create a new model with the specified attributes. A client id (`cid`)
// is automatically generated and assigned for you.
var Model = Backbone.Model = function(attributes, options) {
var attrs = attributes || {};
options || (options = {});
this.cid = _.uniqueId('c');
this.attributes = {};
if (options.collection) this.collection = options.collection;
if (options.parse) attrs = this.parse(attrs, options) || {};
attrs = _.defaults({}, attrs, _.result(this, 'defaults'));
this.set(attrs, options);
this.changed = {};
this.initialize.apply(this, arguments);
};
// Attach all inheritable methods to the Model prototype.
_.extend(Model.prototype, Events, {
// A hash of attributes whose current and previous value differ.
changed: null,
// The value returned during the last failed validation.
validationError: null,
// The default name for the JSON `id` attribute is `"id"`. MongoDB and
// CouchDB users may want to set this to `"_id"`.
idAttribute: 'id',
// Initialize is an empty function by default. Override it with your own
// initialization logic.
initialize: function(){},
// Return a copy of the model's `attributes` object.
toJSON: function(options) {
return _.clone(this.attributes);
},
// Proxy `Backbone.sync` by default -- but override this if you need
// custom syncing semantics for *this* particular model.
sync: function() {
return Backbone.sync.apply(this, arguments);
},
// Get the value of an attribute.
get: function(attr) {
return this.attributes[attr];
},
// Get the HTML-escaped value of an attribute.
escape: function(attr) {
return _.escape(this.get(attr));
},
// Returns `true` if the attribute contains a value that is not null
// or undefined.
has: function(attr) {
return this.get(attr) != null;
},
// Set a hash of model attributes on the object, firing `"change"`. This is
// the core primitive operation of a model, updating the data and notifying
// anyone who needs to know about the change in state. The heart of the beast.
set: function(key, val, options) {
var attr, attrs, unset, changes, silent, changing, prev, current;
if (key == null) return this;
// Handle both `"key", value` and `{key: value}` -style arguments.
if (typeof key === 'object') {
attrs = key;
options = val;
} else {
(attrs = {})[key] = val;
}
options || (options = {});
// Run validation.
if (!this._validate(attrs, options)) return false;
// Extract attributes and options.
unset = options.unset;
silent = options.silent;
changes = [];
changing = this._changing;
this._changing = true;
if (!changing) {
this._previousAttributes = _.clone(this.attributes);
this.changed = {};
}
current = this.attributes, prev = this._previousAttributes;
// Check for changes of `id`.
if (this.idAttribute in attrs) this.id = attrs[this.idAttribute];
// For each `set` attribute, update or delete the current value.
for (attr in attrs) {
val = attrs[attr];
if (!_.isEqual(current[attr], val)) changes.push(attr);
if (!_.isEqual(prev[attr], val)) {
this.changed[attr] = val;
} else {
delete this.changed[attr];
}
unset ? delete current[attr] : current[attr] = val;
}
// Trigger all relevant attribute changes.
if (!silent) {
if (changes.length) this._pending = options;
for (var i = 0, l = changes.length; i < l; i++) {
this.trigger('change:' + changes[i], this, current[changes[i]], options);
}
}
// You might be wondering why there's a `while` loop here. Changes can
// be recursively nested within `"change"` events.
if (changing) return this;
if (!silent) {
while (this._pending) {
options = this._pending;
this._pending = false;
this.trigger('change', this, options);
}
}
this._pending = false;
this._changing = false;
return this;
},
// Remove an attribute from the model, firing `"change"`. `unset` is a noop
// if the attribute doesn't exist.
unset: function(attr, options) {
return this.set(attr, void 0, _.extend({}, options, {unset: true}));
},
// Clear all attributes on the model, firing `"change"`.
clear: function(options) {
var attrs = {};
for (var key in this.attributes) attrs[key] = void 0;
return this.set(attrs, _.extend({}, options, {unset: true}));
},
// Determine if the model has changed since the last `"change"` event.
// If you specify an attribute name, determine if that attribute has changed.
hasChanged: function(attr) {
if (attr == null) return !_.isEmpty(this.changed);
return _.has(this.changed, attr);
},
// Return an object containing all the attributes that have changed, or
// false if there are no changed attributes. Useful for determining what
// parts of a view need to be updated and/or what attributes need to be
// persisted to the server. Unset attributes will be set to undefined.
// You can also pass an attributes object to diff against the model,
// determining if there *would be* a change.
changedAttributes: function(diff) {
if (!diff) return this.hasChanged() ? _.clone(this.changed) : false;
var val, changed = false;
var old = this._changing ? this._previousAttributes : this.attributes;
for (var attr in diff) {
if (_.isEqual(old[attr], (val = diff[attr]))) continue;
(changed || (changed = {}))[attr] = val;
}
return changed;
},
// Get the previous value of an attribute, recorded at the time the last
// `"change"` event was fired.
previous: function(attr) {
if (attr == null || !this._previousAttributes) return null;
return this._previousAttributes[attr];
},
// Get all of the attributes of the model at the time of the previous
// `"change"` event.
previousAttributes: function() {
return _.clone(this._previousAttributes);
},
// Fetch the model from the server. If the server's representation of the
// model differs from its current attributes, they will be overridden,
// triggering a `"change"` event.
fetch: function(options) {
options = options ? _.clone(options) : {};
if (options.parse === void 0) options.parse = true;
var model = this;
var success = options.success;
options.success = function(resp) {
if (!model.set(model.parse(resp, options), options)) return false;
if (success) success(model, resp, options);
model.trigger('sync', model, resp, options);
};
wrapError(this, options);
return this.sync('read', this, options);
},
// Set a hash of model attributes, and sync the model to the server.
// If the server returns an attributes hash that differs, the model's
// state will be `set` again.
save: function(key, val, options) {
var attrs, method, xhr, attributes = this.attributes;
// Handle both `"key", value` and `{key: value}` -style arguments.
if (key == null || typeof key === 'object') {
attrs = key;
options = val;
} else {
(attrs = {})[key] = val;
}
options = _.extend({validate: true}, options);
// If we're not waiting and attributes exist, save acts as
// `set(attr).save(null, opts)` with validation. Otherwise, check if
// the model will be valid when the attributes, if any, are set.
if (attrs && !options.wait) {
if (!this.set(attrs, options)) return false;
} else {
if (!this._validate(attrs, options)) return false;
}
// Set temporary attributes if `{wait: true}`.
if (attrs && options.wait) {
this.attributes = _.extend({}, attributes, attrs);
}
// After a successful server-side save, the client is (optionally)
// updated with the server-side state.
if (options.parse === void 0) options.parse = true;
var model = this;
var success = options.success;
options.success = function(resp) {
// Ensure attributes are restored during synchronous saves.
model.attributes = attributes;
var serverAttrs = model.parse(resp, options);
if (options.wait) serverAttrs = _.extend(attrs || {}, serverAttrs);
if (_.isObject(serverAttrs) && !model.set(serverAttrs, options)) {
return false;
}
if (success) success(model, resp, options);
model.trigger('sync', model, resp, options);
};
wrapError(this, options);
method = this.isNew() ? 'create' : (options.patch ? 'patch' : 'update');
if (method === 'patch') options.attrs = attrs;
xhr = this.sync(method, this, options);
// Restore attributes.
if (attrs && options.wait) this.attributes = attributes;
return xhr;
},
// Destroy this model on the server if it was already persisted.
// Optimistically removes the model from its collection, if it has one.
// If `wait: true` is passed, waits for the server to respond before removal.
destroy: function(options) {
options = options ? _.clone(options) : {};
var model = this;
var success = options.success;
var destroy = function() {
model.trigger('destroy', model, model.collection, options);
};
options.success = function(resp) {
if (options.wait || model.isNew()) destroy();
if (success) success(model, resp, options);
if (!model.isNew()) model.trigger('sync', model, resp, options);
};
if (this.isNew()) {
options.success();
return false;
}
wrapError(this, options);
var xhr = this.sync('delete', this, options);
if (!options.wait) destroy();
return xhr;
},
// Default URL for the model's representation on the server -- if you're
// using Backbone's restful methods, override this to change the endpoint
// that will be called.
url: function() {
var base =
_.result(this, 'urlRoot') ||
_.result(this.collection, 'url') ||
urlError();
if (this.isNew()) return base;
return base.replace(/([^\/])$/, '$1/') + encodeURIComponent(this.id);
},
// **parse** converts a response into the hash of attributes to be `set` on
// the model. The default implementation is just to pass the response along.
parse: function(resp, options) {
return resp;
},
// Create a new model with identical attributes to this one.
clone: function() {
return new this.constructor(this.attributes);
},
// A model is new if it has never been saved to the server, and lacks an id.
isNew: function() {
return !this.has(this.idAttribute);
},
// Check if the model is currently in a valid state.
isValid: function(options) {
return this._validate({}, _.extend(options || {}, { validate: true }));
},
// Run validation against the next complete set of model attributes,
// returning `true` if all is well. Otherwise, fire an `"invalid"` event.
_validate: function(attrs, options) {
if (!options.validate || !this.validate) return true;
attrs = _.extend({}, this.attributes, attrs);
var error = this.validationError = this.validate(attrs, options) || null;
if (!error) return true;
this.trigger('invalid', this, error, _.extend(options, {validationError: error}));
return false;
}
});
// Underscore methods that we want to implement on the Model.
var modelMethods = ['keys', 'values', 'pairs', 'invert', 'pick', 'omit'];
// Mix in each Underscore method as a proxy to `Model#attributes`.
_.each(modelMethods, function(method) {
Model.prototype[method] = function() {
var args = slice.call(arguments);
args.unshift(this.attributes);
return _[method].apply(_, args);
};
});
// Backbone.Collection
// -------------------
// If models tend to represent a single row of data, a Backbone Collection is
// more analagous to a table full of data ... or a small slice or page of that
// table, or a collection of rows that belong together for a particular reason
// -- all of the messages in this particular folder, all of the documents
// belonging to this particular author, and so on. Collections maintain
// indexes of their models, both in order, and for lookup by `id`.
// Create a new **Collection**, perhaps to contain a specific type of `model`.
// If a `comparator` is specified, the Collection will maintain
// its models in sort order, as they're added and removed.
var Collection = Backbone.Collection = function(models, options) {
options || (options = {});
if (options.model) this.model = options.model;
if (options.comparator !== void 0) this.comparator = options.comparator;
this._reset();
this.initialize.apply(this, arguments);
if (models) this.reset(models, _.extend({silent: true}, options));
};
// Default options for `Collection#set`.
var setOptions = {add: true, remove: true, merge: true};
var addOptions = {add: true, remove: false};
// Define the Collection's inheritable methods.
_.extend(Collection.prototype, Events, {
// The default model for a collection is just a **Backbone.Model**.
// This should be overridden in most cases.
model: Model,
// Initialize is an empty function by default. Override it with your own
// initialization logic.
initialize: function(){},
// The JSON representation of a Collection is an array of the
// models' attributes.
toJSON: function(options) {
return this.map(function(model){ return model.toJSON(options); });
},
// Proxy `Backbone.sync` by default.
sync: function() {
return Backbone.sync.apply(this, arguments);
},
// Add a model, or list of models to the set.
add: function(models, options) {
return this.set(models, _.extend({merge: false}, options, addOptions));
},
// Remove a model, or a list of models from the set.
remove: function(models, options) {
var singular = !_.isArray(models);
models = singular ? [models] : _.clone(models);
options || (options = {});
var i, l, index, model;
for (i = 0, l = models.length; i < l; i++) {
model = models[i] = this.get(models[i]);
if (!model) continue;
delete this._byId[model.id];
delete this._byId[model.cid];
index = this.indexOf(model);
this.models.splice(index, 1);
this.length--;
if (!options.silent) {
options.index = index;
model.trigger('remove', model, this, options);
}
this._removeReference(model, options);
}
return singular ? models[0] : models;
},
// Update a collection by `set`-ing a new list of models, adding new ones,
// removing models that are no longer present, and merging models that
// already exist in the collection, as necessary. Similar to **Model#set**,
// the core operation for updating the data contained by the collection.
set: function(models, options) {
options = _.defaults({}, options, setOptions);
if (options.parse) models = this.parse(models, options);
var singular = !_.isArray(models);
models = singular ? (models ? [models] : []) : _.clone(models);
var i, l, id, model, attrs, existing, sort;
var at = options.at;
var targetModel = this.model;
var sortable = this.comparator && (at == null) && options.sort !== false;
var sortAttr = _.isString(this.comparator) ? this.comparator : null;
var toAdd = [], toRemove = [], modelMap = {};
var add = options.add, merge = options.merge, remove = options.remove;
var order = !sortable && add && remove ? [] : false;
// Turn bare objects into model references, and prevent invalid models
// from being added.
for (i = 0, l = models.length; i < l; i++) {
attrs = models[i] || {};
if (attrs instanceof Model) {
id = model = attrs;
} else {
id = attrs[targetModel.prototype.idAttribute || 'id'];
}
// If a duplicate is found, prevent it from being added and
// optionally merge it into the existing model.
if (existing = this.get(id)) {
if (remove) modelMap[existing.cid] = true;
if (merge) {
attrs = attrs === model ? model.attributes : attrs;
if (options.parse) attrs = existing.parse(attrs, options);
existing.set(attrs, options);
if (sortable && !sort && existing.hasChanged(sortAttr)) sort = true;
}
models[i] = existing;
// If this is a new, valid model, push it to the `toAdd` list.
} else if (add) {
model = models[i] = this._prepareModel(attrs, options);
if (!model) continue;
toAdd.push(model);
this._addReference(model, options);
}
// Do not add multiple models with the same `id`.
model = existing || model;
if (order && (model.isNew() || !modelMap[model.id])) order.push(model);
modelMap[model.id] = true;
}
// Remove nonexistent models if appropriate.
if (remove) {
for (i = 0, l = this.length; i < l; ++i) {
if (!modelMap[(model = this.models[i]).cid]) toRemove.push(model);
}
if (toRemove.length) this.remove(toRemove, options);
}
// See if sorting is needed, update `length` and splice in new models.
if (toAdd.length || (order && order.length)) {
if (sortable) sort = true;
this.length += toAdd.length;
if (at != null) {
for (i = 0, l = toAdd.length; i < l; i++) {
this.models.splice(at + i, 0, toAdd[i]);
}
} else {
if (order) this.models.length = 0;
var orderedModels = order || toAdd;
for (i = 0, l = orderedModels.length; i < l; i++) {
this.models.push(orderedModels[i]);
}
}
}
// Silently sort the collection if appropriate.
if (sort) this.sort({silent: true});
// Unless silenced, it's time to fire all appropriate add/sort events.
if (!options.silent) {
for (i = 0, l = toAdd.length; i < l; i++) {
(model = toAdd[i]).trigger('add', model, this, options);
}
if (sort || (order && order.length)) this.trigger('sort', this, options);
}
// Return the added (or merged) model (or models).
return singular ? models[0] : models;
},
// When you have more items than you want to add or remove individually,
// you can reset the entire set with a new list of models, without firing
// any granular `add` or `remove` events. Fires `reset` when finished.
// Useful for bulk operations and optimizations.
reset: function(models, options) {
options || (options = {});
for (var i = 0, l = this.models.length; i < l; i++) {
this._removeReference(this.models[i], options);
}
options.previousModels = this.models;
this._reset();
models = this.add(models, _.extend({silent: true}, options));
if (!options.silent) this.trigger('reset', this, options);
return models;
},
// Add a model to the end of the collection.
push: function(model, options) {
return this.add(model, _.extend({at: this.length}, options));
},
// Remove a model from the end of the collection.
pop: function(options) {
var model = this.at(this.length - 1);
this.remove(model, options);
return model;
},
// Add a model to the beginning of the collection.
unshift: function(model, options) {
return this.add(model, _.extend({at: 0}, options));
},
// Remove a model from the beginning of the collection.
shift: function(options) {
var model = this.at(0);
this.remove(model, options);
return model;
},
// Slice out a sub-array of models from the collection.
slice: function() {
return slice.apply(this.models, arguments);
},
// Get a model from the set by id.
get: function(obj) {
if (obj == null) return void 0;
return this._byId[obj] || this._byId[obj.id] || this._byId[obj.cid];
},
// Get the model at the given index.
at: function(index) {
return this.models[index];
},
// Return models with matching attributes. Useful for simple cases of
// `filter`.
where: function(attrs, first) {
if (_.isEmpty(attrs)) return first ? void 0 : [];
return this[first ? 'find' : 'filter'](function(model) {
for (var key in attrs) {
if (attrs[key] !== model.get(key)) return false;
}
return true;
});
},
// Return the first model with matching attributes. Useful for simple cases
// of `find`.
findWhere: function(attrs) {
return this.where(attrs, true);
},
// Force the collection to re-sort itself. You don't need to call this under
// normal circumstances, as the set will maintain sort order as each item
// is added.
sort: function(options) {
if (!this.comparator) throw new Error('Cannot sort a set without a comparator');
options || (options = {});
// Run sort based on type of `comparator`.
if (_.isString(this.comparator) || this.comparator.length === 1) {
this.models = this.sortBy(this.comparator, this);
} else {
this.models.sort(_.bind(this.comparator, this));
}
if (!options.silent) this.trigger('sort', this, options);
return this;
},
// Pluck an attribute from each model in the collection.
pluck: function(attr) {
return _.invoke(this.models, 'get', attr);
},
// Fetch the default set of models for this collection, resetting the
// collection when they arrive. If `reset: true` is passed, the response
// data will be passed through the `reset` method instead of `set`.
fetch: function(options) {
options = options ? _.clone(options) : {};
if (options.parse === void 0) options.parse = true;
var success = options.success;
var collection = this;
options.success = function(resp) {
var method = options.reset ? 'reset' : 'set';
collection[method](resp, options);
if (success) success(collection, resp, options);
collection.trigger('sync', collection, resp, options);
};
wrapError(this, options);
return this.sync('read', this, options);
},
// Create a new instance of a model in this collection. Add the model to the
// collection immediately, unless `wait: true` is passed, in which case we
// wait for the server to agree.
create: function(model, options) {
options = options ? _.clone(options) : {};
if (!(model = this._prepareModel(model, options))) return false;
if (!options.wait) this.add(model, options);
var collection = this;
var success = options.success;
options.success = function(model, resp) {
if (options.wait) collection.add(model, options);
if (success) success(model, resp, options);
};
model.save(null, options);
return model;
},
// **parse** converts a response into a list of models to be added to the
// collection. The default implementation is just to pass it through.
parse: function(resp, options) {
return resp;
},
// Create a new collection with an identical list of models as this one.
clone: function() {
return new this.constructor(this.models);
},
// Private method to reset all internal state. Called when the collection
// is first initialized or reset.
_reset: function() {
this.length = 0;
this.models = [];
this._byId = {};
},
// Prepare a hash of attributes (or other model) to be added to this
// collection.
_prepareModel: function(attrs, options) {
if (attrs instanceof Model) return attrs;
options = options ? _.clone(options) : {};
options.collection = this;
var model = new this.model(attrs, options);
if (!model.validationError) return model;
this.trigger('invalid', this, model.validationError, options);
return false;
},
// Internal method to create a model's ties to a collection.
_addReference: function(model, options) {
this._byId[model.cid] = model;
if (model.id != null) this._byId[model.id] = model;
if (!model.collection) model.collection = this;
model.on('all', this._onModelEvent, this);
},
// Internal method to sever a model's ties to a collection.
_removeReference: function(model, options) {
if (this === model.collection) delete model.collection;
model.off('all', this._onModelEvent, this);
},
// Internal method called every time a model in the set fires an event.
// Sets need to update their indexes when models change ids. All other
// events simply proxy through. "add" and "remove" events that originate
// in other collections are ignored.
_onModelEvent: function(event, model, collection, options) {
if ((event === 'add' || event === 'remove') && collection !== this) return;
if (event === 'destroy') this.remove(model, options);
if (model && event === 'change:' + model.idAttribute) {
delete this._byId[model.previous(model.idAttribute)];
if (model.id != null) this._byId[model.id] = model;
}
this.trigger.apply(this, arguments);
}
});
// Underscore methods that we want to implement on the Collection.
// 90% of the core usefulness of Backbone Collections is actually implemented
// right here:
var methods = ['forEach', 'each', 'map', 'collect', 'reduce', 'foldl',
'inject', 'reduceRight', 'foldr', 'find', 'detect', 'filter', 'select',
'reject', 'every', 'all', 'some', 'any', 'include', 'contains', 'invoke',
'max', 'min', 'toArray', 'size', 'first', 'head', 'take', 'initial', 'rest',
'tail', 'drop', 'last', 'without', 'difference', 'indexOf', 'shuffle',
'lastIndexOf', 'isEmpty', 'chain', 'sample'];
// Mix in each Underscore method as a proxy to `Collection#models`.
_.each(methods, function(method) {
Collection.prototype[method] = function() {
var args = slice.call(arguments);
args.unshift(this.models);
return _[method].apply(_, args);
};
});
// Underscore methods that take a property name as an argument.
var attributeMethods = ['groupBy', 'countBy', 'sortBy', 'indexBy'];
// Use attributes instead of properties.
_.each(attributeMethods, function(method) {
Collection.prototype[method] = function(value, context) {
var iterator = _.isFunction(value) ? value : function(model) {
return model.get(value);
};
return _[method](this.models, iterator, context);
};
});
// Backbone.View
// -------------
// Backbone Views are almost more convention than they are actual code. A View
// is simply a JavaScript object that represents a logical chunk of UI in the
// DOM. This might be a single item, an entire list, a sidebar or panel, or
// even the surrounding frame which wraps your whole app. Defining a chunk of
// UI as a **View** allows you to define your DOM events declaratively, without
// having to worry about render order ... and makes it easy for the view to
// react to specific changes in the state of your models.
// Creating a Backbone.View creates its initial element outside of the DOM,
// if an existing element is not provided...
var View = Backbone.View = function(options) {
this.cid = _.uniqueId('view');
options || (options = {});
_.extend(this, _.pick(options, viewOptions));
this._ensureElement();
this.initialize.apply(this, arguments);
this.delegateEvents();
};
// Cached regex to split keys for `delegate`.
var delegateEventSplitter = /^(\S+)\s*(.*)$/;
// List of view options to be merged as properties.
var viewOptions = ['model', 'collection', 'el', 'id', 'attributes', 'className', 'tagName', 'events'];
// Set up all inheritable **Backbone.View** properties and methods.
_.extend(View.prototype, Events, {
// The default `tagName` of a View's element is `"div"`.
tagName: 'div',
// jQuery delegate for element lookup, scoped to DOM elements within the
// current view. This should be preferred to global lookups where possible.
$: function(selector) {
return this.$el.find(selector);
},
// Initialize is an empty function by default. Override it with your own
// initialization logic.
initialize: function(){},
// **render** is the core function that your view should override, in order
// to populate its element (`this.el`), with the appropriate HTML. The
// convention is for **render** to always return `this`.
render: function() {
return this;
},
// Remove this view by taking the element out of the DOM, and removing any
// applicable Backbone.Events listeners.
remove: function() {
this.$el.remove();
this.stopListening();
return this;
},
// Change the view's element (`this.el` property), including event
// re-delegation.
setElement: function(element, delegate) {
if (this.$el) this.undelegateEvents();
this.$el = element instanceof Backbone.$ ? element : Backbone.$(element);
this.el = this.$el[0];
if (delegate !== false) this.delegateEvents();
return this;
},
// Set callbacks, where `this.events` is a hash of
//
// *{"event selector": "callback"}*
//
// {
// 'mousedown .title': 'edit',
// 'click .button': 'save',
// 'click .open': function(e) { ... }
// }
//
// pairs. Callbacks will be bound to the view, with `this` set properly.
// Uses event delegation for efficiency.
// Omitting the selector binds the event to `this.el`.
// This only works for delegate-able events: not `focus`, `blur`, and
// not `change`, `submit`, and `reset` in Internet Explorer.
delegateEvents: function(events) {
if (!(events || (events = _.result(this, 'events')))) return this;
this.undelegateEvents();
for (var key in events) {
var method = events[key];
if (!_.isFunction(method)) method = this[events[key]];
if (!method) continue;
var match = key.match(delegateEventSplitter);
var eventName = match[1], selector = match[2];
method = _.bind(method, this);
eventName += '.delegateEvents' + this.cid;
if (selector === '') {
this.$el.on(eventName, method);
} else {
this.$el.on(eventName, selector, method);
}
}
return this;
},
// Clears all callbacks previously bound to the view with `delegateEvents`.
// You usually don't need to use this, but may wish to if you have multiple
// Backbone views attached to the same DOM element.
undelegateEvents: function() {
this.$el.off('.delegateEvents' + this.cid);
return this;
},
// Ensure that the View has a DOM element to render into.
// If `this.el` is a string, pass it through `$()`, take the first
// matching element, and re-assign it to `el`. Otherwise, create
// an element from the `id`, `className` and `tagName` properties.
_ensureElement: function() {
if (!this.el) {
var attrs = _.extend({}, _.result(this, 'attributes'));
if (this.id) attrs.id = _.result(this, 'id');
if (this.className) attrs['class'] = _.result(this, 'className');
var $el = Backbone.$('<' + _.result(this, 'tagName') + '>').attr(attrs);
this.setElement($el, false);
} else {
this.setElement(_.result(this, 'el'), false);
}
}
});
// Backbone.sync
// -------------
// Override this function to change the manner in which Backbone persists
// models to the server. You will be passed the type of request, and the
// model in question. By default, makes a RESTful Ajax request
// to the model's `url()`. Some possible customizations could be:
//
// * Use `setTimeout` to batch rapid-fire updates into a single request.
// * Send up the models as XML instead of JSON.
// * Persist models via WebSockets instead of Ajax.
//
// Turn on `Backbone.emulateHTTP` in order to send `PUT` and `DELETE` requests
// as `POST`, with a `_method` parameter containing the true HTTP method,
// as well as all requests with the body as `application/x-www-form-urlencoded`
// instead of `application/json` with the model in a param named `model`.
// Useful when interfacing with server-side languages like **PHP** that make
// it difficult to read the body of `PUT` requests.
Backbone.sync = function(method, model, options) {
var type = methodMap[method];
// Default options, unless specified.
_.defaults(options || (options = {}), {
emulateHTTP: Backbone.emulateHTTP,
emulateJSON: Backbone.emulateJSON
});
// Default JSON-request options.
var params = {type: type, dataType: 'json'};
// Ensure that we have a URL.
if (!options.url) {
params.url = _.result(model, 'url') || urlError();
}
// Ensure that we have the appropriate request data.
if (options.data == null && model && (method === 'create' || method === 'update' || method === 'patch')) {
params.contentType = 'application/json';
params.data = JSON.stringify(options.attrs || model.toJSON(options));
}
// For older servers, emulate JSON by encoding the request into an HTML-form.
if (options.emulateJSON) {
params.contentType = 'application/x-www-form-urlencoded';
params.data = params.data ? {model: params.data} : {};
}
// For older servers, emulate HTTP by mimicking the HTTP method with `_method`
// And an `X-HTTP-Method-Override` header.
if (options.emulateHTTP && (type === 'PUT' || type === 'DELETE' || type === 'PATCH')) {
params.type = 'POST';
if (options.emulateJSON) params.data._method = type;
var beforeSend = options.beforeSend;
options.beforeSend = function(xhr) {
xhr.setRequestHeader('X-HTTP-Method-Override', type);
if (beforeSend) return beforeSend.apply(this, arguments);
};
}
// Don't process data on a non-GET request.
if (params.type !== 'GET' && !options.emulateJSON) {
params.processData = false;
}
// If we're sending a `PATCH` request, and we're in an old Internet Explorer
// that still has ActiveX enabled by default, override jQuery to use that
// for XHR instead. Remove this line when jQuery supports `PATCH` on IE8.
if (params.type === 'PATCH' && noXhrPatch) {
params.xhr = function() {
return new ActiveXObject("Microsoft.XMLHTTP");
};
}
// Make the request, allowing the user to override any Ajax options.
var xhr = options.xhr = Backbone.ajax(_.extend(params, options));
model.trigger('request', model, xhr, options);
return xhr;
};
var noXhrPatch =
typeof window !== 'undefined' && !!window.ActiveXObject &&
!(window.XMLHttpRequest && (new XMLHttpRequest).dispatchEvent);
// Map from CRUD to HTTP for our default `Backbone.sync` implementation.
var methodMap = {
'create': 'POST',
'update': 'PUT',
'patch': 'PATCH',
'delete': 'DELETE',
'read': 'GET'
};
// Set the default implementation of `Backbone.ajax` to proxy through to `$`.
// Override this if you'd like to use a different library.
Backbone.ajax = function() {
return Backbone.$.ajax.apply(Backbone.$, arguments);
};
// Backbone.Router
// ---------------
// Routers map faux-URLs to actions, and fire events when routes are
// matched. Creating a new one sets its `routes` hash, if not set statically.
var Router = Backbone.Router = function(options) {
options || (options = {});
if (options.routes) this.routes = options.routes;
this._bindRoutes();
this.initialize.apply(this, arguments);
};
// Cached regular expressions for matching named param parts and splatted
// parts of route strings.
var optionalParam = /\((.*?)\)/g;
var namedParam = /(\(\?)?:\w+/g;
var splatParam = /\*\w+/g;
var escapeRegExp = /[\-{}\[\]+?.,\\\^$|#\s]/g;
// Set up all inheritable **Backbone.Router** properties and methods.
_.extend(Router.prototype, Events, {
// Initialize is an empty function by default. Override it with your own
// initialization logic.
initialize: function(){},
// Manually bind a single named route to a callback. For example:
//
// this.route('search/:query/p:num', 'search', function(query, num) {
// ...
// });
//
route: function(route, name, callback) {
if (!_.isRegExp(route)) route = this._routeToRegExp(route);
if (_.isFunction(name)) {
callback = name;
name = '';
}
if (!callback) callback = this[name];
var router = this;
Backbone.history.route(route, function(fragment) {
var args = router._extractParameters(route, fragment);
router.execute(callback, args);
router.trigger.apply(router, ['route:' + name].concat(args));
router.trigger('route', name, args);
Backbone.history.trigger('route', router, name, args);
});
return this;
},
// Execute a route handler with the provided parameters. This is an
// excellent place to do pre-route setup or post-route cleanup.
execute: function(callback, args) {
if (callback) callback.apply(this, args);
},
// Simple proxy to `Backbone.history` to save a fragment into the history.
navigate: function(fragment, options) {
Backbone.history.navigate(fragment, options);
return this;
},
// Bind all defined routes to `Backbone.history`. We have to reverse the
// order of the routes here to support behavior where the most general
// routes can be defined at the bottom of the route map.
_bindRoutes: function() {
if (!this.routes) return;
this.routes = _.result(this, 'routes');
var route, routes = _.keys(this.routes);
while ((route = routes.pop()) != null) {
this.route(route, this.routes[route]);
}
},
// Convert a route string into a regular expression, suitable for matching
// against the current location hash.
_routeToRegExp: function(route) {
route = route.replace(escapeRegExp, '\\$&')
.replace(optionalParam, '(?:$1)?')
.replace(namedParam, function(match, optional) {
return optional ? match : '([^/?]+)';
})
.replace(splatParam, '([^?]*?)');
return new RegExp('^' + route + '(?:\\?([\\s\\S]*))?$');
},
// Given a route, and a URL fragment that it matches, return the array of
// extracted decoded parameters. Empty or unmatched parameters will be
// treated as `null` to normalize cross-browser behavior.
_extractParameters: function(route, fragment) {
var params = route.exec(fragment).slice(1);
return _.map(params, function(param, i) {
// Don't decode the search params.
if (i === params.length - 1) return param || null;
return param ? decodeURIComponent(param) : null;
});
}
});
// Backbone.History
// ----------------
// Handles cross-browser history management, based on either
// [pushState](http://diveintohtml5.info/history.html) and real URLs, or
// [onhashchange](https://developer.mozilla.org/en-US/docs/DOM/window.onhashchange)
// and URL fragments. If the browser supports neither (old IE, natch),
// falls back to polling.
var History = Backbone.History = function() {
this.handlers = [];
_.bindAll(this, 'checkUrl');
// Ensure that `History` can be used outside of the browser.
if (typeof window !== 'undefined') {
this.location = window.location;
this.history = window.history;
}
};
// Cached regex for stripping a leading hash/slash and trailing space.
var routeStripper = /^[#\/]|\s+$/g;
// Cached regex for stripping leading and trailing slashes.
var rootStripper = /^\/+|\/+$/g;
// Cached regex for detecting MSIE.
var isExplorer = /msie [\w.]+/;
// Cached regex for removing a trailing slash.
var trailingSlash = /\/$/;
// Cached regex for stripping urls of hash.
var pathStripper = /#.*$/;
// Has the history handling already been started?
History.started = false;
// Set up all inheritable **Backbone.History** properties and methods.
_.extend(History.prototype, Events, {
// The default interval to poll for hash changes, if necessary, is
// twenty times a second.
interval: 50,
// Are we at the app root?
atRoot: function() {
return this.location.pathname.replace(/[^\/]$/, '$&/') === this.root;
},
// Gets the true hash value. Cannot use location.hash directly due to bug
// in Firefox where location.hash will always be decoded.
getHash: function(window) {
var match = (window || this).location.href.match(/#(.*)$/);
return match ? match[1] : '';
},
// Get the cross-browser normalized URL fragment, either from the URL,
// the hash, or the override.
getFragment: function(fragment, forcePushState) {
if (fragment == null) {
if (this._hasPushState || !this._wantsHashChange || forcePushState) {
fragment = decodeURI(this.location.pathname + this.location.search);
var root = this.root.replace(trailingSlash, '');
if (!fragment.indexOf(root)) fragment = fragment.slice(root.length);
} else {
fragment = this.getHash();
}
}
return fragment.replace(routeStripper, '');
},
// Start the hash change handling, returning `true` if the current URL matches
// an existing route, and `false` otherwise.
start: function(options) {
if (History.started) throw new Error("Backbone.history has already been started");
History.started = true;
// Figure out the initial configuration. Do we need an iframe?
// Is pushState desired ... is it available?
this.options = _.extend({root: '/'}, this.options, options);
this.root = this.options.root;
this._wantsHashChange = this.options.hashChange !== false;
this._wantsPushState = !!this.options.pushState;
this._hasPushState = !!(this.options.pushState && this.history && this.history.pushState);
var fragment = this.getFragment();
var docMode = document.documentMode;
var oldIE = (isExplorer.exec(navigator.userAgent.toLowerCase()) && (!docMode || docMode <= 7));
// Normalize root to always include a leading and trailing slash.
this.root = ('/' + this.root + '/').replace(rootStripper, '/');
if (oldIE && this._wantsHashChange) {
var frame = Backbone.$('