diff --git a/builds/compromise.es6.js b/builds/compromise.es6.js index ecc5e74f4..193667a54 100644 --- a/builds/compromise.es6.js +++ b/builds/compromise.es6.js @@ -4897,30 +4897,34 @@ const Ngrams = _dereq_('./index'); const getGrams = _dereq_('./getGrams'); //like an n-gram, but only the endings of matches -class EndGrams extends Ngrams { +const EndGrams = function(arr, lexicon, reference) { + Ngrams.call(this, arr, lexicon, reference); +}; - static find(r, n, size) { - let opts = { - size: [1, 2, 3, 4], - edge: 'end' - }; - //only look for bigrams, for example - if (size) { - opts.size = [size]; - } - //fetch them - let arr = getGrams(r, opts); - r = new EndGrams(arr); - //default sort - r.sort(); - //grab top one, or something - if (typeof n === 'number') { - r = r.get(n); - } - return r; - } -} +//Inherit properties +EndGrams.prototype = Object.create(Ngrams.prototype); +//like an n-gram, but only the startings of matches +EndGrams.find = function(r, n, size) { + let opts = { + size: [1, 2, 3, 4], + edge: 'end' + }; + //only look for bigrams, for example + if (size) { + opts.size = [size]; + } + //fetch them + let arr = getGrams(r, opts); + r = new EndGrams(arr); + //default sort + r.sort(); + //grab top one, or something + if (typeof n === 'number') { + r = r.get(n); + } + return r; +}; module.exports = EndGrams; },{"./getGrams":64,"./index":66}],64:[function(_dereq_,module,exports){ @@ -5100,30 +5104,35 @@ module.exports = Text.makeSubset(methods, find); const Ngrams = _dereq_('./index'); const getGrams = _dereq_('./getGrams'); -//like an n-gram, but only the startings of matches -class StartGrams extends Ngrams { +const StartGrams = function(arr, lexicon, reference) { + Ngrams.call(this, arr, lexicon, reference); +}; - static find(r, n, size) { - let opts = { - size: [1, 2, 3, 4], - edge: 'start' - }; - //only look for bigrams, for example - if (size) { - opts.size = [size]; - } - //fetch them - let arr = getGrams(r, opts); - r = new StartGrams(arr); - //default sort - r.sort(); - //grab top one, or something - if (typeof n === 'number') { - r = r.get(n); - } - return r; +//Inherit properties +StartGrams.prototype = Object.create(Ngrams.prototype); + +//like an n-gram, but only the startings of matches +StartGrams.find = function(r, n, size) { + let opts = { + size: [1, 2, 3, 4], + edge: 'start' + }; + //only look for bigrams, for example + if (size) { + opts.size = [size]; } -} + //fetch them + let arr = getGrams(r, opts); + r = new StartGrams(arr); + //default sort + r.sort(); + //grab top one, or something + if (typeof n === 'number') { + r = r.get(n); + } + return r; +}; + module.exports = StartGrams; @@ -11049,57 +11058,75 @@ module.exports = { const fns = _dereq_('./paths').fns; const build_whitespace = _dereq_('./whitespace'); const makeUID = _dereq_('./makeUID'); - -class Term { - constructor(str) { - this._text = fns.ensureString(str); - this.tags = {}; - //seperate whitespace from the text - let parsed = build_whitespace(this._text); - this.whitespace = parsed.whitespace; - this._text = parsed.text; - // console.log(this.whitespace, this._text); - this.parent = null; - this.silent_term = ''; - //has this term been modified - this.dirty = false; - this.normalize(); - //make a unique id for this term - this.uid = makeUID(this.normal); - } - set text(str) { - str = str || ''; - this._text = str.trim(); - this.dirty = true; - if (this._text !== str) { - this.whitespace = build_whitespace(str); - } - this.normalize(); - } - get text() { - return this._text; - } - get isA() { - return 'Term'; - } - /** where in the sentence is it? zero-based. */ - index() { - let ts = this.parentTerms; - if (!ts) { - return null; +//normalization +const addNormal = _dereq_('./methods/normalize/normalize').addNormal; +const addRoot = _dereq_('./methods/normalize/root'); + +const Term = function(str) { + this._text = fns.ensureString(str); + this.tags = {}; + //seperate whitespace from the text + let parsed = build_whitespace(this._text); + this.whitespace = parsed.whitespace; + this._text = parsed.text; + this.parent = null; + this.silent_term = ''; + //normalize the _text + addNormal(this); + addRoot(this); + //has this term been modified + this.dirty = false; + //make a unique id for this term + this.uid = makeUID(this.normal); + + //getters/setters + Object.defineProperty(this, 'text', { + get: function() { + return this._text; + }, + set: function(txt) { + txt = txt || ''; + this._text = txt.trim(); + this.dirty = true; + if (this._text !== txt) { + this.whitespace = build_whitespace(txt); + } + this.normalize(); } - return ts.terms.indexOf(this); - } - /** make a copy with no references to the original */ - clone() { - let term = new Term(this._text, null); - term.tags = fns.copy(this.tags); - term.whitespace = fns.copy(this.whitespace); - term.silent_term = this.silent_term; - return term; + }); + //bit faster than .constructor.name or w/e + Object.defineProperty(this, 'isA', { + get: function() { + return 'Term'; + } + }); +}; + +//run each time a new text is set +Term.prototype.normalize = function() { + addNormal(this); + addRoot(this); + return this; +}; + +/** where in the sentence is it? zero-based. */ +Term.prototype.index = function() { + let ts = this.parentTerms; + if (!ts) { + return null; } -} -_dereq_('./methods/normalize')(Term); + return ts.terms.indexOf(this); +}; +/** make a copy with no references to the original */ +Term.prototype.clone = function() { + let term = new Term(this._text, null); + term.tags = fns.copy(this.tags); + term.whitespace = fns.copy(this.whitespace); + term.silent_term = this.silent_term; + return term; +}; + +// require('./methods/normalize')(Term); _dereq_('./methods/misc')(Term); _dereq_('./methods/out')(Term); _dereq_('./methods/tag')(Term); @@ -11108,7 +11135,7 @@ _dereq_('./methods/punctuation')(Term); module.exports = Term; -},{"./makeUID":170,"./methods/case":172,"./methods/misc":173,"./methods/normalize":174,"./methods/out":178,"./methods/punctuation":180,"./methods/tag":182,"./paths":185,"./whitespace":186}],170:[function(_dereq_,module,exports){ +},{"./makeUID":170,"./methods/case":172,"./methods/misc":173,"./methods/normalize/normalize":175,"./methods/normalize/root":176,"./methods/out":178,"./methods/punctuation":180,"./methods/tag":182,"./paths":185,"./whitespace":186}],170:[function(_dereq_,module,exports){ 'use strict'; //this is a not-well-thought-out way to reduce our dependence on `object===object` reference stuff //generates a unique id for this term @@ -11225,11 +11252,10 @@ module.exports = addMethods; },{}],173:[function(_dereq_,module,exports){ 'use strict'; const bestTag = _dereq_('./bestTag'); +const isAcronym = _dereq_('./normalize/isAcronym'); + //regs- -const periodAcronym = /([A-Z]\.)+[A-Z]?$/; -const oneLetterAcronym = /^[A-Z]\.$/; -const noPeriodAcronym = /[A-Z]{3}$/; const hasVowel = /[aeiouy]/i; const hasLetter = /[a-z]/; const hasNumber = /[0-9]/; @@ -11242,24 +11268,10 @@ const addMethods = (Term) => { bestTag: function () { return bestTag(this); }, - - /** does it appear to be an acronym, like FBI or M.L.B. */ + /** is this term like F.B.I. or NBA */ isAcronym: function () { - //like N.D.A - if (periodAcronym.test(this.text) === true) { - return true; - } - //like 'F.' - if (oneLetterAcronym.test(this.text) === true) { - return true; - } - //like NDA - if (noPeriodAcronym.test(this.text) === true) { - return true; - } - return false; + return isAcronym(this._text); }, - /** check if it is word-like in english */ isWord: function () { let t = this; @@ -11298,32 +11310,36 @@ const addMethods = (Term) => { module.exports = addMethods; -},{"./bestTag":171}],174:[function(_dereq_,module,exports){ +},{"./bestTag":171,"./normalize/isAcronym":174}],174:[function(_dereq_,module,exports){ 'use strict'; -const addNormal = _dereq_('./normalize').addNormal; -const addRoot = _dereq_('./root'); - -const addMethods = (Term) => { +//regs - +const periodAcronym = /([A-Z]\.)+[A-Z]?$/; +const oneLetterAcronym = /^[A-Z]\.$/; +const noPeriodAcronym = /[A-Z]{3}$/; - const methods = { - normalize: function () { - addNormal(this); - addRoot(this); - return this; - }, - }; - //hook them into result.proto - Object.keys(methods).forEach((k) => { - Term.prototype[k] = methods[k]; - }); - return Term; +/** does it appear to be an acronym, like FBI or M.L.B. */ +const isAcronym = function (str) { + //like N.D.A + if (periodAcronym.test(str) === true) { + return true; + } + //like 'F.' + if (oneLetterAcronym.test(str) === true) { + return true; + } + //like NDA + if (noPeriodAcronym.test(str) === true) { + return true; + } + return false; }; +module.exports = isAcronym; -module.exports = addMethods; - -},{"./normalize":175,"./root":176}],175:[function(_dereq_,module,exports){ +},{}],175:[function(_dereq_,module,exports){ 'use strict'; const killUnicode = _dereq_('./unicode'); +const isAcronym = _dereq_('./isAcronym'); + //some basic operations on a string to reduce noise exports.normalize = function(str) { @@ -11356,7 +11372,7 @@ exports.addNormal = function (term) { let str = term._text || ''; str = exports.normalize(str); //compact acronyms - if (term.isAcronym()) { + if (isAcronym(term._text)) { str = str.replace(/\./g, ''); } //nice-numbers @@ -11367,7 +11383,7 @@ exports.addNormal = function (term) { // console.log(normalize('Dr. V Cooper')); -},{"./unicode":177}],176:[function(_dereq_,module,exports){ +},{"./isAcronym":174,"./unicode":177}],176:[function(_dereq_,module,exports){ 'use strict'; // const rootForm = function(term) { diff --git a/builds/compromise.es6.min.js b/builds/compromise.es6.min.js index 4520064ba..c1c5a9d1e 100644 --- a/builds/compromise.es6.min.js +++ b/builds/compromise.es6.min.js @@ -1,2 +1,2 @@ -(function(y){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=y();else if("function"==typeof define&&define.amd)define([],y);else{var T;T="undefined"==typeof window?"undefined"==typeof global?"undefined"==typeof self?this:self:global:window,T.nlp=y()}})(function(){var y;return function E(C,A,N){function D(j,V){if(!A[j]){if(!C[j]){var z="function"==typeof require&&require;if(!V&&z)return z(j,!0);if(_)return _(j,!0);var F=new Error("Cannot find module '"+j+"'");throw F.code="MODULE_NOT_FOUND",F}var $=A[j]={exports:{}};C[j][0].call($.exports,function(G){var O=C[j][1][G];return D(O?O:G)},$,$.exports,E,C,A,N)}return A[j].exports}for(var _="function"==typeof require&&require,B=0;B (http://spencermounta.in)",name:"compromise",description:"natural language processing in the browser",version:"9.0.0",main:"./builds/compromise.js",repository:{type:"git",url:"git://github.com/nlp-compromise/compromise.git"},scripts:{test:"node ./scripts/test.js",browsertest:"node ./scripts/browserTest.js",build:"node ./scripts/build/index.js",demo:"node ./scripts/demo.js",watch:"node ./scripts/watch.js",filesize:"node ./scripts/filesize.js",coverage:"node ./scripts/coverage.js",lint:"node ./scripts/prepublish/linter.js"},files:["builds/","docs/"],dependencies:{},devDependencies:{"babel-preset-es2015":"^6.24.0",babelify:"7.3.0",babili:"0.0.11",browserify:"13.0.1","browserify-glob":"^0.2.0","bundle-collapser":"^1.2.1",chalk:"^1.1.3","codacy-coverage":"^2.0.0",derequire:"^2.0.3",efrt:"0.0.6",eslint:"^3.1.1",gaze:"^1.1.1","http-server":"0.9.0","nlp-corpus":"latest",nyc:"^8.4.0",shelljs:"^0.7.2","tap-min":"^1.1.0","tap-spec":"4.1.1",tape:"4.6.0","uglify-js":"2.7.0"},license:"MIT"}},{}],2:[function(E,C){"use strict";const N=E("../fns");C.exports=N.uncompress_suffixes(["absurd","aggressive","alert","alive","angry","attractive","awesome","beautiful","big","bitter","black","blue","bored","boring","brash","brave","brief","brown","calm","charming","cheap","check","clean","clear","close","cold","cool","cruel","curly","cute","dangerous","dear","dirty","drunk","dry","dull","eager","early","easy","efficient","empty","even","extreme","faint","fair","fanc","feeble","few","fierce","fine","firm","forgetful","formal","frail","free","full","funny","gentle","glad","glib","glad","grand","green","gruesome","handsome","happy","harsh","heavy","high","hollow","hot","hungry","impolite","important","innocent","intellegent","interesting","keen","kind","lame","large","late","lean","little","long","loud","low","lucky","lush","macho","mature","mean","meek","mellow","mundane","narrow","near","neat","new","nice","noisy","normal","odd","old","orange","pale","pink","plain","poor","proud","pure","purple","rapid","rare","raw","rich","rotten","round","rude","safe","scarce","scared","shallow","shrill","simple","slim","slow","small","smooth","solid","soon","sore","sour","square","stale","steep","strange","strict","strong","swift","tall","tame","tart","tender","tense","thin","thirsty","tired","true","vague","vast","vulgar","warm","weird","wet","wild","windy","wise","yellow","young"],{erate:"degen,delib,desp,lit,mod",icial:"artif,benef,off,superf",ntial:"esse,influe,pote,substa",teful:"gra,ha,tas,was",stant:"con,di,in,resi",hing:"astonis,das,far-reac,refres,scat,screec,self-loat,soot",eful:"car,grac,peac,sham,us,veng",ming:"alar,cal,glea,unassu,unbeco,upco",cial:"commer,cru,finan,ra,so,spe",ure:"insec,miniat,obsc,premat,sec,s",uent:"congr,fl,freq,subseq",rate:"accu,elabo,i,sepa",ific:"horr,scient,spec,terr",rary:"arbit,contempo,cont,tempo",ntic:"authe,fra,giga,roma",nant:"domi,malig,preg,reso",nent:"emi,immi,perma,promi",iant:"brill,def,g,luxur",ging:"dama,encoura,han,lon",iate:"appropr,immed,inappropr,intermed",rect:"cor,e,incor,indi",zing:"agoni,ama,appeti,free",ine:"div,femin,genu,mascul,prist,rout",ute:"absol,ac,c,m,resol",ern:"east,north,south,st,west",tful:"deligh,doub,fre,righ,though,wis",ant:"abund,arrog,eleg,extravag,exult,hesit,irrelev,miscre,nonchal,obeis,observ,pl,pleas,redund,relev,reluct,signific,vac,verd",ing:"absorb,car,coo,liv,lov,ly,menac,perplex,shock,stand,surpris,tell,unappeal,unconvinc,unend,unsuspect,vex,want",ate:"adequ,delic,fortun,inadequ,inn,intim,legitim,priv,sed,ultim"})},{"../fns":5}],3:[function(E,C){C.exports=["bright","broad","coarse","damp","dark","dead","deaf","deep","fast","fat","flat","fresh","great","hard","light","loose","mad","moist","quick","quiet","red","ripe","rough","sad","sharp","short","sick","smart","soft","stiff","straight","sweet","thick","tight","tough","weak","white","wide"]},{}],4:[function(E,C){"use strict";let D=["monday","tuesday","wednesday","thursday","friday","saturday","sunday","mon","tues","wed","thurs","fri","sat","sun"];for(let V=0;6>=V;V++)D.push(D[V]+"s");let _=["millisecond","minute","hour","day","week","month","year","decade"],B=_.length;for(let V=0;V{return Object.keys(D).forEach((_)=>{N[_]=D[_]}),N},A.uncompress_suffixes=function(N,D){const _=Object.keys(D),B=_.length;for(let j=0;j{D.extendObj(V,O)},F=(O,H)=>{const M=O.length;for(let S=0;S1{V[O]="Infinitive";const H=N.irregular_verbs[O];Object.keys(H).forEach((S)=>{H[S]&&(V[H[S]]=S)});const M=j(O);Object.keys(M).forEach((S)=>{M[S]&&!V[M[S]]&&(V[M[S]]=S)})}),N.verbs.forEach((O)=>{const H=j(O);Object.keys(H).forEach((M)=>{H[M]&&!V[H[M]]&&(V[H[M]]=M)}),V[B(O)]="Adjective"}),N.superlatives.forEach((O)=>{V[_.toNoun(O)]="Noun",V[_.toAdverb(O)]="Adverb",V[_.toSuperlative(O)]="Superlative",V[_.toComparative(O)]="Comparative"}),N.verbConverts.forEach((O)=>{V[_.toNoun(O)]="Noun",V[_.toAdverb(O)]="Adverb",V[_.toSuperlative(O)]="Superlative",V[_.toComparative(O)]="Comparative";const H=_.toVerb(O);V[H]="Verb";const M=j(H);Object.keys(M).forEach((S)=>{M[S]&&!V[M[S]]&&(V[M[S]]=S)})}),F(N.notable_people.female,"FemaleName"),F(N.notable_people.male,"MaleName"),F(N.titles,"Singular"),F(N.verbConverts,"Adjective"),F(N.superlatives,"Adjective"),F(N.currencies,"Currency"),z(N.misc),delete V[""],delete V[" "],delete V[null],C.exports=V},{"../result/subset/adjectives/methods":42,"../result/subset/verbs/methods/conjugate/faster":104,"../result/subset/verbs/methods/toAdjective":114,"./fns":5,"./index":6}],8:[function(E,C){C.exports=["this","any","enough","each","whatever","every","these","another","plenty","whichever","neither","an","a","least","own","few","both","those","the","that","various","either","much","some","else","la","le","les","des","de","du","el"]},{}],9:[function(E,C){"use strict";const N={here:"Noun",better:"Comparative",earlier:"Superlative","make sure":"Verb","keep tabs":"Verb",gonna:"Verb",cannot:"Verb",has:"Verb",sounds:"PresentTense",taken:"PastTense",msg:"Verb","a few":"Value","years old":"Unit",not:"Negative",non:"Negative",never:"Negative",no:"Negative","no doubt":"Noun","not only":"Adverb","how's":"QuestionWord"},D={Organization:["20th century fox","3m","7-eleven","g8","motel 6","vh1"],Adjective:["so called","on board","vice versa","en route","upside down","up front","in front","in situ","in vitro","ad hoc","de facto","ad infinitum","for keeps","a priori","off guard","spot on","ipso facto","fed up","brand new","old fashioned","bona fide","well off","far off","straight forward","hard up","sui generis","en suite","avant garde","sans serif","gung ho","super duper","bourgeois"],Verb:["lengthen","heighten","worsen","lessen","awaken","frighten","threaten","hasten","strengthen","given","known","shown","seen","born"],Place:["new england","new hampshire","new jersey","new mexico","united states","united kingdom","great britain","great lakes","pacific ocean","atlantic ocean","indian ocean","arctic ocean","antarctic ocean","everglades"],Conjunction:["yet","therefore","or","while","nor","whether","though","tho","because","cuz","but","for","and","however","before","although","how","plus","versus","otherwise","as far as","as if","in case","provided that","supposing","no matter","yet"],Time:["noon","midnight","now","morning","evening","afternoon","night","breakfast time","lunchtime","dinnertime","ago","sometime","eod","oclock","all day","at night"],Date:["eom","standard time","daylight time"],Condition:["if","unless","notwithstanding"],PastTense:["said","had","been","began","came","did","meant","went"],Gerund:["going","being","according","resulting","developing","staining"],Copula:["is","are","was","were","am"],Determiner:E("./determiners"),Modal:["can","may","could","might","will","ought to","would","must","shall","should","ought","shant","lets"],Possessive:["mine","something","none","anything","anyone","theirs","himself","ours","his","my","their","yours","your","our","its","herself","hers","themselves","myself","her"],Pronoun:["it","they","i","them","you","she","me","he","him","ourselves","us","we","thou","il","elle","yourself","'em","he's","she's"],QuestionWord:["where","why","when","who","whom","whose","what","which"],Person:["father","mother","mom","dad","mommy","daddy","sister","brother","aunt","uncle","grandfather","grandmother","cousin","stepfather","stepmother","boy","girl","man","woman","guy","dude","bro","gentleman","someone"]},_=Object.keys(D);for(let B=0;B<_.length;B++){const j=D[_[B]];for(let V=0;V{return B[j[1]]=j[0],B},{}),_=N.reduce((B,j)=>{return B[j[0]]=j[1],B},{});C.exports={toSingle:D,toPlural:_}},{}],12:[function(E,C,A){A.male=["messiaen","saddam hussain","virgin mary","van gogh","mitt romney","barack obama","kanye west","mubarek","lebron james","emeril lagasse","rush limbaugh","carson palmer","ray romano","ronaldinho","valentino rossi","rod stewart","kiefer sutherland","denzel washington","dick wolf","tiger woods","adolf hitler","hulk hogan","ashton kutcher","kobe bryant","cardinal wolsey","slobodan milosevic"],A.female=["jk rowling","oprah winfrey","reese witherspoon","tyra banks","halle berry","paris hilton","scarlett johansson"]},{}],13:[function(E,C){C.exports=["lord","lady","king","queen","prince","princess","dutchess","president","excellency","professor","chancellor","father","pastor","brother","sister","doctor","captain","commander","general","lieutenant","reverend","rabbi","ayatullah","councillor","secretary","sultan","mayor","congressman","congresswoman"]},{}],14:[function(E,C){"use strict";let D=["denar","dobra","forint","kwanza","kyat","lempira","pound sterling","riel","yen","zloty","dollar","cent","penny","dime","dinar","euro","lira","pound","pence","peso","baht","sterling","rouble","shekel","sheqel","yuan","franc","rupee","shilling","krona","dirham","bitcoin"];const _={yen:"yen",baht:"baht",riel:"riel",penny:"pennies"};let B=D.length;for(let j=0;j{let j=Object.keys(N.ordinal[B]),V=Object.keys(N.cardinal[B]);for(let z=0;z{Object.keys(N[_]).forEach((B)=>{1{D[B[0]]=B[1]}),Object.keys(N).forEach((B)=>{D[B]?D[B].Participle=N[B]:D[B]={Participle:N[B]}}),C.exports=D},{"./participles":19}],19:[function(E,C){C.exports={become:"become",begin:"begun",bend:"bent",bet:"bet",bite:"bitten",bleed:"bled",brake:"broken",bring:"brought",build:"built",burn:"burned",burst:"burst",buy:"bought",choose:"chosen",cling:"clung",come:"come",creep:"crept",cut:"cut",deal:"dealt",dig:"dug",dive:"dived",draw:"drawn",dream:"dreamt",drive:"driven",eat:"eaten",fall:"fallen",feed:"fed",fight:"fought",flee:"fled",fling:"flung",forget:"forgotten",forgive:"forgiven",freeze:"frozen",got:"gotten",give:"given",go:"gone",grow:"grown",hang:"hung",have:"had",hear:"heard",hide:"hidden",hit:"hit",hold:"held",hurt:"hurt",keep:"kept",kneel:"knelt",know:"known",lay:"laid",lead:"led",leap:"leapt",leave:"left",lend:"lent",light:"lit",loose:"lost",make:"made",mean:"meant",meet:"met",pay:"paid",prove:"proven",put:"put",quit:"quit",read:"read",ride:"ridden",ring:"rung",rise:"risen",run:"run",say:"said",see:"seen",seek:"sought",sell:"sold",send:"sent",set:"set",sew:"sewn",shake:"shaken",shave:"shaved",shine:"shone",shoot:"shot",shut:"shut",seat:"sat",slay:"slain",sleep:"slept",slide:"slid",sneak:"snuck",speak:"spoken",speed:"sped",spend:"spent",spill:"spilled",spin:"spun",spit:"spat",split:"split",spring:"sprung",stink:"stunk",strew:"strewn",sware:"sworn",sweep:"swept",thrive:"thrived",undergo:"undergone",upset:"upset",weave:"woven",weep:"wept",wind:"wound",wring:"wrung"}},{}],20:[function(E,C){"use strict";const N=E("../fns");C.exports=N.uncompress_suffixes(["abandon","accept","add","added","adopt","aid","appeal","applaud","archive","ask","assign","associate","assume","attempt","avoid","ban","become","bomb","cancel","claim","claw","come","control","convey","cook","copy","cut","deem","defy","deny","describe","design","destroy","die","divide","do","doubt","drag","drift","drop","echo","embody","enjoy","envy","excel","fall","fail","fix","float","flood","focus","fold","get","goes","grab","grasp","grow","happen","head","help","hold fast","hope","include","instruct","invest","join","keep","know","learn","let","lift","link","load","loan","look","make due","mark","melt","minus","multiply","need","occur","overcome","overlap","overwhelm","owe","pay","plan","plug","plus","pop","pour","proclaim","put","rank","reason","reckon","relax","repair","reply","reveal","revel","risk","rub","ruin","sail","seek","seem","send","set","shout","sleep","sneak","sort","spoil","stem","step","stop","study","take","talk","thank","took","trade","transfer","trap","travel","tune","undergo","undo","uplift","walk","watch","win","wipe","work","yawn","yield"],{prove:",im,ap,disap",serve:",de,ob,re",ress:"exp,p,prog,st,add,d",lect:"ref,se,neg,col,e",sist:"in,con,per,re,as",tain:"ob,con,main,s,re",mble:"rese,gru,asse,stu",ture:"frac,lec,tor,fea",port:"re,sup,ex,im",ate:"rel,oper,indic,cre,h,activ,estim,particip,d,anticip,evalu",use:",ca,over,ref,acc,am,pa",ive:"l,rece,d,arr,str,surv,thr,rel",are:"prep,c,comp,sh,st,decl,d,sc",ine:"exam,imag,determ,comb,l,decl,underm,def",nce:"annou,da,experie,influe,bou,convi,enha",ain:"tr,rem,expl,dr,compl,g,str",ent:"prev,repres,r,res,rel,inv",age:"dam,mess,man,encour,eng,discour",rge:"su,cha,eme,u,me",ise:"ra,exerc,prom,surpr,pra",ect:"susp,dir,exp,def,rej",ter:"en,mat,cen,ca,al",end:",t,dep,ext,att",est:"t,sugg,prot,requ,r",ock:"kn,l,sh,bl,unl",nge:"cha,excha,ra,challe,plu",ase:"incre,decre,purch,b,ce",ish:"establ,publ,w,fin,distingu",mit:"per,ad,sub,li",ure:"fig,ens,end,meas",der:"won,consi,mur,wan",ave:"s,sh,w,cr",ire:"requ,des,h,ret",tch:"scra,swi,ma,stre",ack:"att,l,p,cr",ion:"ment,quest,funct,envis",ump:"j,l,p,d",ide:"dec,prov,gu,s",ush:"br,cr,p,r",eat:"def,h,tr,ch",ash:"sm,spl,w,fl",rry:"ca,ma,hu,wo",ear:"app,f,b,disapp",er:"answ,rememb,off,suff,cov,discov,diff,gath,deliv,both,empow,with",le:"fi,sett,hand,sca,whist,enab,smi,ming,ru,sprink,pi",st:"exi,foreca,ho,po,twi,tru,li,adju,boa,contra,boo",it:"vis,ed,depos,sp,awa,inhib,cred,benef,prohib,inhab",nt:"wa,hu,pri,poi,cou,accou,confro,warra,pai",ch:"laun,rea,approa,sear,tou,ar,enri,atta",ss:"discu,gue,ki,pa,proce,cro,glo,dismi",ll:"fi,pu,ki,ca,ro,sme,reca,insta",rn:"tu,lea,conce,retu,bu,ea,wa,gove",ce:"redu,produ,divor,noti,for,repla",te:"contribu,uni,tas,vo,no,constitu,ci",rt:"sta,comfo,exe,depa,asse,reso,conve",ck:"su,pi,che,ki,tri,wre",ct:"intera,restri,predi,attra,depi,condu",ke:"sta,li,bra,overta,smo,disli",se:"collap,suppo,clo,rever,po,sen",nd:"mi,surrou,dema,remi,expa,comma",ve:"achie,invol,remo,lo,belie,mo",rm:"fo,perfo,confi,confo,ha",or:"lab,mirr,fav,monit,hon",ue:"arg,contin,val,iss,purs",ow:"all,foll,sn,fl,borr",ay:"pl,st,betr,displ,portr",ze:"recogni,reali,snee,ga,emphasi",ip:"cl,d,gr,sl,sk",re:"igno,sto,interfe,sco",ng:"spri,ba,belo,cli",ew:"scr,vi,revi,ch",gh:"cou,lau,outwei,wei",ly:"app,supp,re,multip",ge:"jud,acknowled,dod,alle",en:"list,happ,threat,strength",ee:"fors,agr,disagr,guarant",et:"budg,regr,mark,targ",rd:"rega,gua,rewa,affo",am:"dre,j,sl,ro",ry:"va,t,c,bu"})},{"../fns":5}],21:[function(E,C,A){"use strict";const N=E("./tagset"),D={reset:"\x1B[0m",red:"\x1B[31m",green:"\x1B[32m",yellow:"\x1B[33m",blue:"\x1B[34m",magenta:"\x1B[35m",cyan:"\x1B[36m",black:"\x1B[30m"};"undefined"==typeof C&&Object.keys(D).forEach((_)=>{D[_]=""}),A.ensureString=(_)=>{if("string"==typeof _)return _;return"number"==typeof _?""+_:""},A.ensureObject=(_)=>{return"object"==typeof _?null===_||_ instanceof Array?{}:_:{}},A.titleCase=(_)=>{return _.charAt(0).toUpperCase()+_.substr(1)},A.copy=(_)=>{let B={};return _=A.ensureObject(_),Object.keys(_).forEach((j)=>{B[j]=_[j]}),B},A.extend=(_,B)=>{_=A.copy(_);const j=Object.keys(B);for(let V=0;V{_===void 0&&(_=!0),D=_},here:(_)=>{(!0===D||D===_)&&console.log(" "+_)},tell:(_,B)=>{(!0===D||D===B)&&("object"==typeof _&&(_=JSON.stringify(_)),_=" "+_,console.log(_))},tag:(_,B,j)=>{if(!0===D||"tagger"===D){let V=_.normal||"["+_.silent_term+"]";V=N.yellow(V),V=N.leftPad("'"+V+"'",20),V+=" -> "+N.printTag(B),V=N.leftPad(V,54),console.log(" "+V+"("+N.cyan(j||"")+")")}},unTag:(_,B,j)=>{if(!0===D||"tagger"===D){let V="-"+_.normal+"-";V=N.red(V),V=N.leftPad(V,20),V+=" ~* "+N.red(B),V=N.leftPad(V,54),console.log(" "+V+"("+N.red(j||"")+")")}}}},{"../fns":21}],24:[function(E,C){"use strict";const N=E("./index"),D=E("./tokenize"),_=E("./paths"),B=_.Terms,j=_.fns,V=E("../term/methods/normalize/normalize").normalize,z=function($){return $=$||{},Object.keys($).reduce((G,O)=>{G[O]=$[O];let H=V(O);return H=H.replace(/\s+/," "),H=H.replace(/[.\?\!]/g,""),O!==H&&(G[H]=$[O]),G},{})};C.exports=($,G)=>{let O=[];j.isArray($)?O=$:($=j.ensureString($),O=D($)),G=z(G);let H=O.map((S)=>B.fromString(S,G)),M=new N(H,G);return M.list.forEach((S)=>{S.refText=M}),M}},{"../term/methods/normalize/normalize":175,"./index":26,"./paths":38,"./tokenize":120}],25:[function(E,C){C.exports={found:function(){return 0{return this.list.forEach((D)=>{D.whitespace.before(N)}),this},after:(N)=>{return this.list.forEach((D)=>{D.whitespace.after(N)}),this}}}}},{}],26:[function(E,C){"use strict";function N(B,j,V){this.list=B||[],this.lexicon=j,this.reference=V;let z=Object.keys(D);for(let F=0;F{N.prototype[B]=function(j,V){let z=_[B],F=z.find(this,j,V);return new _[B](F.list,this.lexicon,this.parent)}})},{"./getters":25,"./methods/loops":27,"./methods/match":28,"./methods/misc":29,"./methods/normalize":30,"./methods/out":31,"./methods/sort":35,"./methods/split":37,"./subset/acronyms":39,"./subset/adjectives":40,"./subset/adverbs":48,"./subset/contractions":54,"./subset/dates":56,"./subset/ngrams":66,"./subset/ngrams/endGrams":63,"./subset/ngrams/startGrams":67,"./subset/nouns":69,"./subset/people":79,"./subset/sentences":81,"./subset/terms":86,"./subset/values":87,"./subset/verbs":100,"./subsets":119}],27:[function(E,C){"use strict";const N=["toTitleCase","toUpperCase","toLowerCase","toCamelCase","hyphenate","dehyphenate","insertBefore","insertAfter","insertAt","replace","replaceWith","delete","lump","tagger","unTag"];C.exports=(_)=>{N.forEach((B)=>{_.prototype[B]=function(){for(let j=0;j{const j=function($,G,O){let H=[];G=N(G),$.list.forEach((S)=>{let I=S.match(G,O);I.list.forEach((q)=>{H.push(q)})});let M=$.parent||$;return new B(H,$.lexicon,M)},V=function($,G){let O=[];return $.list.forEach((H)=>{H.terms.forEach((M)=>{G[M.normal]&&O.push(M)})}),O=O.map((H)=>{return new D([H],$.lexicon,$,H.parentTerms)}),new B(O,$.lexicon,$.parent)},z=function($,G){let O=G.reduce((H,M)=>{return H[M]=!0,H},{});return V($,O)},F={match:function($,G){if(0===this.list.length||void 0===$||null===$){let H=this.parent||this;return new B([],this.lexicon,H)}if("string"==typeof $||"number"==typeof $)return j(this,$,G);let O=Object.prototype.toString.call($);return"[object Array]"===O?z(this,$):"[object Object]"===O?V(this,$):this},not:function($,G){let O=[];this.list.forEach((M)=>{let S=M.not($,G);O=O.concat(S.list)});let H=this.parent||this;return new B(O,this.lexicon,H)},if:function($){let G=[];for(let H=0;H{_.addMethods(_,{all:function(){return this.parent},index:function(){return this.list.map((j)=>j.index())},wordCount:function(){return this.terms().length},data:function(){return this.list.map((j)=>j.data())},debug:function(j){return out(this,"debug",j)},clone:function(){let j=this.list.map((V)=>{return V.clone()});return new _(j)},term:function(j){let V=this.list.map((z)=>{let F=[],$=z.terms[j];return $&&(F=[$]),new N(F,this.lexicon,this.refText,this.refTerms)});return new _(V,this.lexicon,this.parent)},firstTerm:function(){return this.match("^.")},lastTerm:function(){return this.match(".$")},slice:function(j,V){return this.list=this.list.slice(j,V),this},get:function(j){if(!j&&0!==j||!this.list[j])return new _([],this.lexicon,this.parent);let V=this.list[j];return new _([V],this.lexicon,this.parent)},first:function(j){return j||0===j?new _(this.list.slice(0,j),this.lexicon,this.parent):this.get(0)},last:function(j){if(!j&&0!==j)return this.get(this.list.length-1);let V=this.list.length;return new _(this.list.slice(V-j,V),this.lexicon,this.parent)},concat:function(){for(let j=0,V;j{j=j.concat(z.terms)}),!j.length)return new _(null,this.lexicon,this.parent);let V=new N(j,this.lexicon,this,null);return new _([V],this.lexicon,this.parent)},canBe:function(j){return this.list.forEach((V)=>{V.terms=V.terms.filter((z)=>{return z.canBe(j)})}),this}})}},{"../../terms":189}],30:[function(E,C){"use strict";const N={whitespace:!0,case:!0,numbers:!0,punctuation:!0,unicode:!0,contractions:!0},D={whitespace:(B)=>{return B.terms().list.forEach((j,V)=>{let z=j.terms[0];0{return B.list.forEach((j)=>{j.terms.forEach((V,z)=>{0===z||V.tags.Person||V.tags.Place||V.tags.Organization?j.toTitleCase():j.toLowerCase()})}),B},numbers:(B)=>{return B.values().toNumber()},punctuation:(B)=>{return B.list.forEach((j)=>{j.terms[0]._text=j.terms[0]._text.replace(/^¿/,"");for(let z=0,F;z{return B.contractions().expand()}};C.exports=(B)=>{B.prototype.normalize=function(j){return j=j||N,Object.keys(j).forEach((V)=>{void 0!==D[V]&&D[V](this)}),this}}},{}],31:[function(E,C){"use strict";const N=E("./topk"),D=E("./offset"),_=E("./indexes"),B={text:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("text"),z},"")},normal:(V)=>{return V.list.map((z)=>{let F=z.out("normal"),$=z.last();if($){let G=$.endPunctuation();("."===G||"!"===G||"?"===G)&&(F+=G)}return F}).join(" ")},root:(V)=>{return V.list.map((z)=>{return z.out("root")}).join(" ")},offsets:(V)=>{return D(V)},index:(V)=>{return _(V)},grid:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("grid"),z},"")},color:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("color"),z},"")},array:(V)=>{return V.list.reduce((z,F)=>{return z.push(F.out("normal")),z},[])},json:(V)=>{return V.list.reduce((z,F)=>{let $=F.terms.map((G)=>{return{text:G.text,normal:G.normal,tags:G.tag}});return z.push($),z},[])},html:(V)=>{let z=V.list.reduce((F,$)=>{let G=$.terms.reduce((O,H)=>{return O+="\n "+H.out("html"),O},"");return F+="\n "+G+"\n "},"");return" "+z+"\n"},terms:(V)=>{let z=[];return V.list.forEach((F)=>{F.terms.forEach(($)=>{z.push({text:$.text,normal:$.normal,tags:Object.keys($.tags)})})}),z},debug:(V)=>{return console.log("===="),V.list.forEach((z)=>{console.log(" --"),z.debug()}),V},topk:(V)=>{return N(V)}};B.plaintext=B.text,B.normalized=B.normal,B.colors=B.color,B.tags=B.terms,B.offset=B.offsets,B.idexes=B.index,B.frequency=B.topk,B.freq=B.topk,B.arr=B.array;C.exports=(V)=>{return V.prototype.out=function(z){return B[z]?B[z](this):B.text(this)},V.prototype.debug=function(){return B.debug(this)},V}},{"./indexes":32,"./offset":33,"./topk":34}],32:[function(E,C){"use strict";C.exports=(D)=>{let _=[],B={};D.terms().list.forEach((z)=>{B[z.terms[0].uid]=!0});let j=0,V=D.all();return V.list.forEach((z,F)=>{z.terms.forEach(($,G)=>{void 0!==B[$.uid]&&_.push({text:$.text,normal:$.normal,term:j,sentence:F,sentenceTerm:G}),j+=1})}),_}},{}],33:[function(E,C){"use strict";const N=(_,B)=>{let j=0;for(let V=0;V<_.list.length;V++)for(let z=0,F;z<_.list[V].terms.length;z++){if(F=_.list[V].terms[z],F.uid===B.uid)return j;j+=F.whitespace.before.length+F._text.length+F.whitespace.after.length}return null};C.exports=(_)=>{let B=_.all();return _.list.map((j)=>{let V=[];for(let H=0;H{let z=V.out("root");B[z]=B[z]||0,B[z]+=1});let j=[];return Object.keys(B).forEach((V)=>{j.push({normal:V,count:B[V]})}),j.forEach((V)=>{V.percent=parseFloat((100*(V.count/D.list.length)).toFixed(2))}),j=j.sort((V,z)=>{return V.count>z.count?-1:1}),_&&(j=j.splice(0,_)),j}},{}],35:[function(E,C){"use strict";const N=E("./methods");C.exports=(_)=>{return _.addMethods(_,{sort:function(j){return j=j||"alphabetical",j=j.toLowerCase(),j&&"alpha"!==j&&"alphabetical"!==j?"chron"===j||"chronological"===j?N.chron(this,_):"length"===j?N.lengthFn(this,_):"freq"===j||"frequency"===j?N.freq(this,_):"wordcount"===j?N.wordCount(this,_):this:N.alpha(this,_)},reverse:function(){return this.list=this.list.reverse(),this},unique:function(){let j={};return this.list=this.list.filter((V)=>{let z=V.out("root");return!j[z]&&(j[z]=!0,!0)}),this}}),_}},{"./methods":36}],36:[function(E,C,A){"use strict";const N=function(D){return D=D.sort((_,B)=>{return _.index>B.index?1:_.index===B.index?0:-1}),D.map((_)=>_.ts)};A.alpha=function(D){return D.list.sort((_,B)=>{if(_===B)return 0;if(_.terms[0]&&B.terms[0]){if(_.terms[0].root>B.terms[0].root)return 1;if(_.terms[0].rootB.out("root")?1:-1}),D},A.chron=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.termIndex()}});return D.list=N(_),D},A.lengthFn=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.chars()}});return D.list=N(_).reverse(),D},A.wordCount=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.length}});return D.list=N(_),D},A.freq=function(D){let _={};D.list.forEach((j)=>{let V=j.out("root");_[V]=_[V]||0,_[V]+=1});let B=D.list.map((j)=>{let V=_[j.out("root")]||0;return{ts:j,index:-1*V}});return D.list=N(B),D}},{}],37:[function(E,C){"use strict";C.exports=(D)=>{return D.addMethods(D,{splitAfter:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitAfter(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this},splitBefore:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitBefore(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this},splitOn:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitOn(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this}}),D}},{}],38:[function(E,C){C.exports={fns:E("../fns"),data:E("../data"),Terms:E("../terms"),tags:E("../tagset")}},{"../data":6,"../fns":21,"../tagset":163,"../terms":189}],39:[function(E,C){"use strict";const N=E("../../index");C.exports=N.makeSubset({data:function(){return this.terms().list.map((B)=>{let j=B.terms[0],V=j.text.toUpperCase().replace(/\./g).split("");return{periods:V.join("."),normal:V.join(""),text:j.text}})}},function(B,j){return B=B.match("#Acronym"),"number"==typeof j&&(B=B.get(j)),B})},{"../../index":26}],40:[function(E,C){"use strict";const N=E("../../index"),D=E("./methods");C.exports=N.makeSubset({data:function(){return this.list.map((j)=>{const V=j.out("normal");return{comparative:D.toComparative(V),superlative:D.toSuperlative(V),adverbForm:D.toAdverb(V),nounForm:D.toNoun(V),verbForm:D.toVerb(V),normal:V,text:this.out("text")}})}},function(j,V){return j=j.match("#Adjective"),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"./methods":42}],41:[function(E,C){"use strict";const N=E("../../../../data"),D={};N.superlatives=N.superlatives||[],N.superlatives.forEach((_)=>{D[_]=!0}),N.verbConverts=N.verbConverts||[],N.verbConverts.forEach((_)=>{D[_]=!0}),C.exports=D},{"../../../../data":6}],42:[function(E,C){"use strict";C.exports={toNoun:E("./toNoun"),toSuperlative:E("./toSuperlative"),toComparative:E("./toComparative"),toAdverb:E("./toAdverb"),toVerb:E("./toVerb")}},{"./toAdverb":43,"./toComparative":44,"./toNoun":45,"./toSuperlative":46,"./toVerb":47}],43:[function(E,C){"use strict";C.exports=function(D){const _={idle:"idly","public":"publicly",vague:"vaguely",day:"daily",icy:"icily",single:"singly",female:"womanly",male:"manly",simple:"simply",whole:"wholly",special:"especially",straight:"straight",wrong:"wrong",fast:"fast",hard:"hard",late:"late",early:"early",well:"well",good:"well",little:"little",long:"long",low:"low",best:"best",latter:"latter",bad:"badly"},j=[{reg:/al$/i,repl:"ally"},{reg:/ly$/i,repl:"ly"},{reg:/(.{3})y$/i,repl:"$1ily"},{reg:/que$/i,repl:"quely"},{reg:/ue$/i,repl:"uly"},{reg:/ic$/i,repl:"ically"},{reg:/ble$/i,repl:"bly"},{reg:/l$/i,repl:"ly"}],V=[/airs$/,/ll$/,/ee.$/,/ile$/];if(1==={foreign:1,black:1,modern:1,next:1,difficult:1,degenerate:1,young:1,awake:1,back:1,blue:1,brown:1,orange:1,complex:1,cool:1,dirty:1,done:1,empty:1,fat:1,fertile:1,frozen:1,gold:1,grey:1,gray:1,green:1,medium:1,parallel:1,outdoor:1,unknown:1,undersized:1,used:1,welcome:1,yellow:1,white:1,fixed:1,mixed:1,"super":1,guilty:1,tiny:1,able:1,unable:1,same:1,adult:1}[D])return null;if(void 0!==_[D])return _[D];if(3>=D.length)return null;for(let z=0;z{return j[V]=!0,j},{});C.exports=(j)=>{return _[j]?D[j]?D[j]:!0===/e$/.test(j)?j+"n":j+"en":j}},{"../../../../data":6}],48:[function(E,C){"use strict";const N=E("../../index"),D=E("./toAdjective");C.exports=N.makeSubset({data:function(){return this.terms().list.map((j)=>{let V=j.terms[0];return{adjectiveForm:D(V.normal),normal:V.normal,text:V.text}})}},function(j,V){return j=j.match("#Adverb+"),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"./toAdjective":49}],49:[function(E,C){"use strict";const N={idly:"idle",sporadically:"sporadic",basically:"basic",grammatically:"grammatical",alphabetically:"alphabetical",economically:"economical",conically:"conical",politically:"political",vertically:"vertical",practically:"practical",theoretically:"theoretical",critically:"critical",fantastically:"fantastic",mystically:"mystical",pornographically:"pornographic",fully:"full",jolly:"jolly",wholly:"whole"},D=[{reg:/bly$/i,repl:"ble"},{reg:/gically$/i,repl:"gical"},{reg:/([rsdh])ically$/i,repl:"$1ical"},{reg:/ically$/i,repl:"ic"},{reg:/uly$/i,repl:"ue"},{reg:/ily$/i,repl:"y"},{reg:/(.{3})ly$/i,repl:"$1"}];C.exports=function(B){if(N.hasOwnProperty(B))return N[B];for(let j=0;j{B.whitespace.after=_.whitespace.after,_.whitespace.after="",B.whitespace.before="",_.silent_term=_.text,B.silent_term=B.text,B.text="",_.tag("Contraction","new-contraction"),B.tag("Contraction","new-contraction")};C.exports=function(_){return!1===_.expanded||_.match("#Contraction").found?_:(_.match("(#Noun|#QuestionWord) is").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'s",B.contracted=!0}),_.match("#PronNoun did").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("#QuestionWord (did|do)").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("#Noun (could|would)").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("(they|we|you) are").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'re",B.contracted=!0}),_.match("i am").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'m",B.contracted=!0}),_.match("(#Noun|#QuestionWord) will").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'ll",B.contracted=!0}),_.match("(they|we|you|i) have").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'ve",B.contracted=!0}),_.match("(#Copula|#Modal|do) not").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="n't",B.contracted=!0}),_)}},{}],51:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./contract"),_=E("./expand"),B=function(j,V,z){N.call(this,j,V,z)};B.prototype=Object.create(N.prototype),B.prototype.data=function(){let j=_(this.clone()),V=D(this.clone());return{text:this.out("text"),normal:this.out("normal"),expanded:{normal:j.out("normal"),text:j.out("text")},contracted:{normal:V.out("normal"),text:V.out("text")},isContracted:!!this.contracted}},B.prototype.expand=function(){return _(this)},B.prototype.contract=function(){return D(this)},C.exports=B},{"../../paths":38,"./contract":50,"./expand":52}],52:[function(E,C){"use strict";C.exports=function(D){return!1===D.contracted?D:(D.terms.forEach((_)=>{_.silent_term&&(!_.text&&(_.whitespace.before=" "),_._text=_.silent_term,_.normalize(),_.silent_term=null,_.unTag("Contraction","expanded"))}),D)}},{}],53:[function(E,C){"use strict";C.exports=(D)=>{let _=D.not("#Contraction"),B=_.match("(#Noun|#QuestionWord) (#Copula|did|do|have|had|could|would|will)");return B.concat(_.match("(they|we|you|i) have")),B.concat(_.match("i am")),B.concat(_.match("(#Copula|#Modal|do) not")),B.list.forEach((j)=>{j.expanded=!0}),B}},{}],54:[function(E,C){"use strict";const N=E("../../index"),D=E("./contraction"),_=E("./findPossible");C.exports=N.makeSubset({contract:function(){return this.list.forEach((V)=>V.contract()),this},expand:function(){return this.list.forEach((V)=>V.expand()),this},contracted:function(){return this.list=this.list.filter((V)=>{return V.contracted}),this},expanded:function(){return this.list=this.list.filter((V)=>{return!V.contracted}),this}},function(V,z){let F=V.match("#Contraction #Contraction #Contraction?");F.list=F.list.map((G)=>{let O=new D(G.terms,G.lexicon,G.refText,G.refTerms);return O.contracted=!0,O});let $=_(V);return $.list.forEach((G)=>{let O=new D(G.terms,G.lexicon,G.refText,G.refTerms);O.contracted=!1,F.list.push(O)}),F.sort("chronological"),"number"==typeof z&&(F=F.get(z)),F})},{"../../index":26,"./contraction":51,"./findPossible":53}],55:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./parseDate"),_=function(B,j,V){N.call(this,B,j,V),this.month=this.match("#Month")};_.prototype=Object.create(N.prototype),_.prototype.data=function(){return{text:this.out("text"),normal:this.out("normal"),date:D(this)}},C.exports=_},{"../../paths":38,"./parseDate":59}],56:[function(E,C){"use strict";const N=E("../../index"),D=E("./date"),_=E("./weekday"),B=E("./month");C.exports=N.makeSubset({toShortForm:function(){return this.match("#Month").terms().list.forEach((z)=>{let F=z.terms[0];B.toShortForm(F)}),this.match("#WeekDay").terms().list.forEach((z)=>{let F=z.terms[0];_.toShortForm(F)}),this},toLongForm:function(){return this.match("#Month").terms().list.forEach((z)=>{let F=z.terms[0];B.toLongForm(F)}),this.match("#WeekDay").terms().list.forEach((z)=>{let F=z.terms[0];_.toLongForm(F)}),this}},function(z,F){let $=z.match("#Date+");return"number"==typeof F&&($=$.get(F)),$.list=$.list.map((G)=>{return new D(G.terms,G.lexicon,G.refText,G.refTerms)}),$})},{"../../index":26,"./date":55,"./month":58,"./weekday":62}],57:[function(E,C,A){A.longMonths={january:0,february:1,march:2,april:3,may:4,june:5,july:6,august:7,september:8,october:9,november:10,december:11},A.shortMonths={jan:0,feb:1,febr:1,mar:2,apr:3,may:4,jun:5,jul:6,aug:7,sep:8,sept:8,oct:9,nov:10,dec:11}},{}],58:[function(E,C){"use strict";const N=E("./data"),D=N.shortMonths,_=N.longMonths;C.exports={index:function(B){if(B.tags.Month){if(_[B.normal]!==void 0)return _[B.normal];if(void 0!==D[B.normal])return D[B.normal]}return null},toShortForm:function(B){if(void 0!==B.tags.Month&&void 0!==_[B.normal]){let j=Object.keys(D);B.text=j[_[B.normal]]}return B.dirty=!0,B},toLongForm:function(B){if(void 0!==B.tags.Month&&void 0!==D[B.normal]){let j=Object.keys(_);B.text=j[D[B.normal]]}return B.dirty=!0,B}}},{"./data":57}],59:[function(E,C){"use strict";const N=E("./parseTime"),D=E("./weekday"),_=E("./month"),B=(z)=>{return z&&31>z&&0{return z&&1e3z};C.exports=(z)=>{let F={month:null,date:null,weekday:null,year:null,named:null,time:null},$=z.match("(#Holiday|today|tomorrow|yesterday)");if($.found&&(F.named=$.out("normal")),$=z.match("#Month"),$.found&&(F.month=_.index($.list[0].terms[0])),$=z.match("#WeekDay"),$.found&&(F.weekday=D.index($.list[0].terms[0])),$=z.match("#Time"),$.found&&(F.time=N(z),z.not("#Time")),$=z.match("#Month #Value #Year"),$.found){let G=$.values().numbers();B(G[0])&&(F.date=G[0]);let O=parseInt(z.match("#Year").out("normal"),10);j(O)&&(F.year=O)}if(!$.found){if($=z.match("#Month #Value"),$.found){let G=$.values().numbers(),O=G[0];B(O)&&(F.date=O)}if($=z.match("#Month #Year"),$.found){let G=parseInt(z.match("#Year").out("normal"),10);j(G)&&(F.year=G)}}if($=z.match("#Value of #Month"),$.found){let G=$.values().numbers()[0];B(G)&&(F.date=G)}return F}},{"./month":58,"./parseTime":60,"./weekday":62}],60:[function(E,C){"use strict";const N=/([12]?[0-9]) ?(am|pm)/i,D=/([12]?[0-9]):([0-9][0-9]) ?(am|pm)?/i,_=(V)=>{return V&&0V},B=(V)=>{return V&&0V};C.exports=(V)=>{let z={logic:null,hour:null,minute:null,second:null,timezone:null},F=V.match("(by|before|for|during|at|until|after) #Time").firstTerm();F.found&&(z.logic=F.out("normal"));let $=V.match("#Time");return $.terms().list.forEach((G)=>{let O=G.terms[0],H=O.text.match(N);null!==H&&(z.hour=parseInt(H[1],10),"pm"===H[2]&&(z.hour+=12),!1===_(z.hour)&&(z.hour=null)),H=O.text.match(D),null!==H&&(z.hour=parseInt(H[1],10),z.minute=parseInt(H[2],10),!B(z.minute)&&(z.minute=null),"pm"===H[3]&&(z.hour+=12),!1===_(z.hour)&&(z.hour=null))}),z}},{}],61:[function(E,C,A){A.longDays={sunday:0,monday:1,tuesday:2,wednesday:3,thursday:4,friday:5,saturday:6},A.shortDays={sun:0,mon:1,tues:2,wed:3,thurs:4,fri:5,sat:6}},{}],62:[function(E,C){"use strict";const N=E("./data"),D=N.shortDays,_=N.longDays;C.exports={index:function(B){if(B.tags.WeekDay){if(_[B.normal]!==void 0)return _[B.normal];if(void 0!==D[B.normal])return D[B.normal]}return null},toShortForm:function(B){if(B.tags.WeekDay&&void 0!==_[B.normal]){let j=Object.keys(D);B.text=j[_[B.normal]]}return B},toLongForm:function(B){if(B.tags.WeekDay&&void 0!==D[B.normal]){let j=Object.keys(_);B.text=j[D[B.normal]]}return B}}},{"./data":61}],63:[function(E,C){"use strict";const N=E("./index"),D=E("./getGrams");class _ extends N{static find(B,j,V){let z={size:[1,2,3,4],edge:"end"};V&&(z.size=[V]);let F=D(B,z);return B=new _(F),B.sort(),"number"==typeof j&&(B=B.get(j)),B}}C.exports=_},{"./getGrams":64,"./index":66}],64:[function(E,C){"use strict";const N=E("./gram"),D=function(V,z){let F=V.terms;if(F.length{V.list.forEach((O)=>{let H=[];H="start"===z.edge?_(O,G):"end"===z.edge?B(O,G):D(O,G),H.forEach((M)=>{F[M.key]?F[M.key].inc():F[M.key]=M})})});let $=Object.keys(F).map((G)=>F[G]);return $}},{"./gram":65}],65:[function(E,C){"use strict";const N=E("../../paths").Terms,D=function(_,B,j){N.call(this,_,B,j),this.key=this.out("normal"),this.size=_.length,this.count=1};D.prototype=Object.create(N.prototype),D.prototype.inc=function(){this.count+=1},C.exports=D},{"../../paths":38}],66:[function(E,C){"use strict";const N=E("../../index"),D=E("./getGrams"),_=function(V){return V.list=V.list.sort((z,F)=>{return z.count>F.count?-1:z.count===F.count&&(z.size>F.size||z.key.length>F.key.length)?-1:1}),V};C.exports=N.makeSubset({data:function(){return this.list.map((V)=>{return{normal:V.out("normal"),count:V.count,size:V.size}})},unigrams:function(){return this.list=this.list.filter((V)=>1===V.size),this},bigrams:function(){return this.list=this.list.filter((V)=>2===V.size),this},trigrams:function(){return this.list=this.list.filter((V)=>3===V.size),this},sort:function(){return _(this)}},function(V,z,F){let $={size:[1,2,3,4]};F&&($.size=[F]);let G=D(V,$);return V=new N(G),V=_(V),"number"==typeof z&&(V=V.get(z)),V})},{"../../index":26,"./getGrams":64}],67:[function(E,C){"use strict";const N=E("./index"),D=E("./getGrams");class _ extends N{static find(B,j,V){let z={size:[1,2,3,4],edge:"start"};V&&(z.size=[V]);let F=D(B,z);return B=new _(F),B.sort(),"number"==typeof j&&(B=B.get(j)),B}}C.exports=_},{"./getGrams":64,"./index":66}],68:[function(E,C){"use strict";const N=E("../../../tries").utils.uncountable;C.exports=function(_){if(!_.tags.Noun)return!1;if(_.tags.Plural)return!0;const B=["Pronoun","Place","Value","Person","Month","WeekDay","RelativeDay","Holiday"];for(let j=0;jj.isPlural())},hasPlural:function(){return this.list.map((j)=>j.hasPlural())},toPlural:function(){return this.list.forEach((j)=>j.toPlural()),this},toSingular:function(){return this.list.forEach((j)=>j.toSingular()),this}},function(j,V){return j=j.clauses(),j=j.match("#Noun+"),j=j.not("#Pronoun"),j=j.not("(#Month|#WeekDay)"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./noun":77}],70:[function(E,C){"use strict";const N=E("../../../data").irregular_plurals,D=E("./methods/data/indicators"),_=/([a-z]*) (of|in|by|for) [a-z]/,B={i:!1,he:!1,she:!1,we:!0,they:!0},j=["Place","Value","Person","Month","WeekDay","RelativeDay","Holiday"],V=function(F){for(let $=0;${F.prototype[$]=z[$]}),C.exports=F},{"../../paths":38,"./hasPlural":68,"./isPlural":70,"./makeArticle":71,"./methods/pluralize":75,"./methods/singularize":76}],78:[function(E,C){"use strict";C.exports=function(D){return D?!0===/.(i|ee|[a|e]y|a)$/.test(D)?"Female":!0===/[ou]$/.test(D)?"Male":!0===/(nn|ll|tt)/.test(D)?"Female":null:null}},{}],79:[function(E,C){"use strict";const N=E("../../index"),D=E("./person");C.exports=N.makeSubset({pronoun:function(){return this.list.map((j)=>j.pronoun())}},function(j,V){let z=j.clauses();return z=z.match("#Person+"),"number"==typeof V&&(z=z.get(V)),z.list=z.list.map((F)=>{return new D(F.terms,F.lexicon,F.refText,F.refTerms)}),z})},{"../../index":26,"./person":80}],80:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./guessGender"),_=function(j,V,z,F){if(N.call(this,j,V,z,F),this.firstName=this.match("#FirstName+"),this.middleName=this.match("#Acronym+"),this.honorifics=this.match("#Honorific"),this.lastName=this.match("#LastName+"),!this.firstName.found&&1{_.prototype[j]=B[j]}),C.exports=_},{"../../paths":38,"./guessGender":78}],81:[function(E,C){"use strict";const N=E("../../index"),D=E("./sentence");C.exports=N.makeSubset({toPastTense:function(){return this.list=this.list.map((j)=>{return j=j.toPastTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toPresentTense:function(){return this.list=this.list.map((j)=>{return j=j.toPresentTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toFutureTense:function(){return this.list=this.list.map((j)=>{return j=j.toFutureTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toNegative:function(){return this.list=this.list.map((j)=>{return j=j.toNegative(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toPositive:function(){return this.list=this.list.map((j)=>{return j=j.toPositive(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},isPassive:function(){return this.list=this.list.filter((j)=>{return j.isPassive()}),this},prepend:function(j){return this.list=this.list.map((V)=>{return V.prepend(j)}),this},append:function(j){return this.list=this.list.map((V)=>{return V.append(j)}),this},toExclamation:function(){return this.list.forEach((j)=>{j.setPunctuation("!")}),this},toQuestion:function(){return this.list.forEach((j)=>{j.setPunctuation("?")}),this},toStatement:function(){return this.list.forEach((j)=>{j.setPunctuation(".")}),this}},function(j,V){return j=j.all(),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./sentence":82}],82:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./toNegative"),_=E("./toPositive"),B=E("../verbs/verb"),j=E("./smartInsert"),V={toSingular:function(){let F=this.match("#Noun").match("!#Pronoun").firstTerm();return F.things().toSingular(),this},toPlural:function(){let F=this.match("#Noun").match("!#Pronoun").firstTerm();return F.things().toPlural(),this},mainVerb:function(){let F=this.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb");return F.found?(F=F.list[0].terms,new B(F,this.lexicon,this.refText,this.refTerms)):null},toPastTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toPastTense();let G=F.out("normal"),O=this.parentTerms.replace($,G);return O}return this},toPresentTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toPresentTense();let G=F.out("normal");return this.parentTerms.replace($,G)}return this},toFutureTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toFutureTense();let G=F.out("normal");return this.parentTerms.replace($,G)}return this},isNegative:function(){return 1===this.match("#Negative").list.length},toNegative:function(){return this.isNegative()?this:D(this)},toPositive:function(){return this.isNegative()?_(this):this},append:function(F){return j.append(this,F)},prepend:function(F){return j.prepend(this,F)},setPunctuation:function(F){let $=this.terms[this.terms.length-1];$.setPunctuation(F)},getPunctuation:function(){let F=this.terms[this.terms.length-1];return F.getPunctuation()},isPassive:function(){return this.match("was #Adverb? #PastTense #Adverb? by").found}},z=function(F,$,G,O){N.call(this,F,$,G,O),this.t=this.terms[0]};z.prototype=Object.create(N.prototype),Object.keys(V).forEach((F)=>{z.prototype[F]=V[F]}),C.exports=z},{"../../paths":38,"../verbs/verb":118,"./smartInsert":83,"./toNegative":84,"./toPositive":85}],83:[function(E,C){"use strict";const N=/^[A-Z]/;C.exports={append:(B,j)=>{let V=B.terms[B.terms.length-1],z=V.endPunctuation();z&&V.killPunctuation(),B.insertAt(B.terms.length,j);let F=B.terms[B.terms.length-1];return z&&(F.text+=z),V.whitespace.after&&(F.whitespace.after=V.whitespace.after,V.whitespace.after=""),B},prepend:(B,j)=>{let V=B.terms[0];if(B.insertAt(0,j),N.test(V.text)){!1===V.needsTitleCase()&&V.toLowerCase();let z=B.terms[0];z.toTitleCase()}return B}}},{}],84:[function(E,C){"use strict";const N={everyone:"no one",everybody:"nobody",someone:"no one",somebody:"nobody",always:"never"};C.exports=(_)=>{let B=_.match("(everyone|everybody|someone|somebody|always)").first();if(B.found&&N[B.out("normal")]){let V=B.out("normal");return _=_.match(V).replaceWith(N[V]).list[0],_.parentTerms}let j=_.mainVerb();return j&&j.toNegative(),_}},{}],85:[function(E,C){"use strict";const N={never:"always",nothing:"everything"};C.exports=(_)=>{let B=_.match("(never|nothing)").first();if(B.found){let j=B.out("normal");if(N[j])return _=_.match(j).replaceWith(N[j]).list[0],_.parentTerms}return _.delete("#Negative"),_}},{}],86:[function(E,C){"use strict";const N=E("../../index"),D=E("../../paths").Terms;C.exports=N.makeSubset({data:function(){return this.list.map((j)=>{let V=j.terms[0];return{spaceBefore:V.whitespace.before,text:V.text,spaceAfter:V.whitespace.after,normal:V.normal,implicit:V.silent_term,bestTag:V.bestTag(),tags:Object.keys(V.tags)}})}},function(j,V){let z=[];return j.list.forEach((F)=>{F.terms.forEach(($)=>{z.push(new D([$],F.lexicon,j))})}),j=new N(z,j.lexicon,j.parent),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"../../paths":38}],87:[function(E,C){"use strict";const N=E("../../index"),D=E("./value");C.exports=N.makeSubset({noDates:function(){return this.not("#Date")},numbers:function(){return this.list.map((j)=>{return j.number()})},toNumber:function(){return this.list=this.list.map((j)=>{return j.toNumber()}),this},toTextValue:function(){return this.list=this.list.map((j)=>{return j.toTextValue()}),this},toCardinal:function(){return this.list=this.list.map((j)=>{return j.toCardinal()}),this},toOrdinal:function(){return this.list=this.list.map((j)=>{return j.toOrdinal()}),this},toNiceNumber:function(){return this.list=this.list.map((j)=>{return j.toNiceNumber()}),this}},function(j,V){return j=j.match("#Value+"),j.splitOn("#Year"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./value":99}],88:[function(E,C){"use strict";const N=E("../toNumber");C.exports=function(_){let B=N(_);if(!B&&0!==B)return null;let j=B%100;if(10j)return""+B+"th";const V={0:"th",1:"st",2:"nd",3:"rd"};let z=""+B,F=z.slice(z.length-1,z.length);return z+=V[F]?V[F]:"th",z}},{"../toNumber":94}],89:[function(E,C){C.exports=E("../../paths")},{"../../paths":38}],90:[function(E,C){"use strict";const N=E("../toNumber"),D=E("../toText"),_=E("../../../paths").data.ordinalMap.toOrdinal;C.exports=(j)=>{let V=N(j),z=D(V),F=z[z.length-1];return z[z.length-1]=_[F]||F,z.join(" ")}},{"../../../paths":38,"../toNumber":94,"../toText":98}],91:[function(E,C){"use strict";C.exports=function(D){if(!D&&0!==D)return null;D=""+D;let _=D.split("."),B=_[0],j=1<_.length?"."+_[1]:"",V=/(\d+)(\d{3})/;for(;V.test(B);)B=B.replace(V,"$1,$2");return B+j}},{}],92:[function(E,C){const N=E("../paths"),D=N.data.numbers,_=N.fns,B=_.extend(D.ordinal.ones,D.cardinal.ones),j=_.extend(D.ordinal.teens,D.cardinal.teens),V=_.extend(D.ordinal.tens,D.cardinal.tens),z=_.extend(D.ordinal.multiples,D.cardinal.multiples);C.exports={ones:B,teens:j,tens:V,multiples:z}},{"../paths":89}],93:[function(E,C){"use strict";C.exports=(D)=>{const _=[{reg:/^(minus|negative)[\s\-]/i,mult:-1},{reg:/^(a\s)?half[\s\-](of\s)?/i,mult:0.5}];for(let B=0;B<_.length;B++)if(!0===_[B].reg.test(D))return{amount:_[B].mult,str:D.replace(_[B].reg,"")};return{amount:1,str:D}}},{}],94:[function(E,C){"use strict";const N=E("./parseNumeric"),D=E("./findModifiers"),_=E("./data"),B=E("./validate"),j=E("./parseDecimals"),V=/^([0-9,\. ]+)\/([0-9,\. ]+)$/,z={"a couple":2,"a dozen":12,"two dozen":24,zero:0},F=(O)=>{return Object.keys(O).reduce((H,M)=>{return H+=O[M],H},0)},$=(O)=>{for(let H=0;H{return D=D.replace(/1st$/,"1"),D=D.replace(/2nd$/,"2"),D=D.replace(/3rd$/,"3"),D=D.replace(/([4567890])r?th$/,"$1"),D=D.replace(/^[$€¥£¢]/,""),D=D.replace(/[%$€¥£¢]$/,""),D=D.replace(/,/g,""),D=D.replace(/([0-9])([a-z]{1,2})$/,"$1"),parseFloat(D)}},{}],97:[function(E,C){"use strict";const N=E("./data");C.exports=(_,B)=>{if(N.ones[_]){if(B.ones||B.teens)return!1;}else if(N.teens[_]){if(B.ones||B.teens||B.tens)return!1;}else if(N.tens[_]&&(B.ones||B.teens||B.tens))return!1;return!0}},{"./data":92}],98:[function(E,C){"use strict";const N=function(j){let V=j,z=[];return[[1000000000,"million"],[100000000,"hundred million"],[1000000,"million"],[100000,"hundred thousand"],[1000,"thousand"],[100,"hundred"],[1,"one"]].forEach(($)=>{if(j>$[0]){let G=Math.floor(V/$[0]);V-=G*$[0],G&&z.push({unit:$[1],count:G})}}),z},D=function(j){const V=[["ninety",90],["eighty",80],["seventy",70],["sixty",60],["fifty",50],["forty",40],["thirty",30],["twenty",20]],z=["","one","two","three","four","five","six","seven","eight","nine","ten","eleven","twelve","thirteen","fourteen","fifteen","sixteen","seventeen","eighteen","nineteen"];let F=[];for(let $=0;$=V[$][1]&&(j-=V[$][1],F.push(V[$][0]));return z[j]&&F.push(z[j]),F},_=(j)=>{const V=["zero","one","two","three","four","five","six","seven","eight","nine"];let z=[],F=(""+j).match(/\.([0-9]+)/);if(!F||!F[0])return z;z.push("point");let $=F[0].split("");for(let G=0;G<$.length;G++)z.push(V[$[G]]);return z};C.exports=function(j){let V=[];0>j&&(V.push("negative"),j=Math.abs(j));let z=N(j);for(let F=0,$;FF),0===V.length&&(V[0]="zero"),V}},{}],99:[function(E,C){"use strict";const N=E("../../paths"),D=N.Terms,_=E("./toNumber"),B=E("./toText"),j=E("./toNiceNumber"),V=E("./numOrdinal"),z=E("./textOrdinal"),F=function(M,S,I,q){D.call(this,M,S,I,q),this.val=this.match("#Value+").list[0],this.unit=this.match("#Unit$").list[0]};F.prototype=Object.create(D.prototype);const $=(M)=>{let S=M.terms[M.terms.length-1];return!!S&&!0===S.tags.Ordinal},G=(M)=>{for(let S=0;S{for(let S=0,I;S{return S.clone()});return new F(M,this.lexicon,this.refText,this.refTerms)}};Object.keys(H).forEach((M)=>{F.prototype[M]=H[M]}),C.exports=F},{"../../paths":38,"./numOrdinal":88,"./textOrdinal":90,"./toNiceNumber":91,"./toNumber":94,"./toText":98}],100:[function(E,C){"use strict";const N=E("../../index"),D=E("./verb");C.exports=N.makeSubset({conjugation:function(j){return this.list.map((V)=>{return V.conjugation(j)})},conjugate:function(j){return this.list.map((V)=>{return V.conjugate(j)})},isPlural:function(){return this.list=this.list.filter((j)=>{return j.isPlural()}),this},isSingular:function(){return this.list=this.list.filter((j)=>{return!j.isPlural()}),this},isNegative:function(){return this.list=this.list.filter((j)=>{return j.isNegative()}),this},isPositive:function(){return this.list=this.list.filter((j)=>{return!j.isNegative()}),this},toNegative:function(){return this.list=this.list.map((j)=>{return j.toNegative()}),this},toPositive:function(){return this.list.forEach((j)=>{j.toPositive()}),this},toPastTense:function(){return this.list.forEach((j)=>{j.toPastTense()}),this},toPresentTense:function(){return this.list.forEach((j)=>{j.toPresentTense()}),this},toFutureTense:function(){return this.list.forEach((j)=>{j.toFutureTense()}),this},toInfinitive:function(){return this.list.forEach((j)=>{j.toInfinitive()}),this},asAdjective:function(){return this.list.map((j)=>j.asAdjective())}},function(j,V){return j=j.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb"),j=j.splitAfter("#Comma"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),new N(j.list,this.lexicon,this.parent)})},{"../../index":26,"./verb":118}],101:[function(E,C){"use strict";const N=E("./methods/predict"),D=function($){return $.match("#Gerund").found},_=function($){let G=$.match("#Negative").list;return 2!==G.length&&!(1!==G.length)},B=function($){return!!$.match("is being #PastTense").found||!!$.match("(had|has) been #PastTense").found||!!$.match("will have been #PastTense").found},j=function($){return!!$.match("^(had|have) #PastTense")},V=function($){let G=$.match("#Modal");return G.found?G.out("normal"):null},z=function($){if($.auxiliary.found){if($.match("will have #PastTense").found)return"Past";if($.auxiliary.match("will").found)return"Future";if($.auxiliary.match("was").found)return"Past"}if($.verb){let O=N($.verb);return{PastTense:"Past",FutureTense:"Future",FuturePerfect:"Future"}[O]||"Present"}return"Present"};C.exports=($)=>{let G=_($),O={negative:G,continuous:D($),passive:B($),perfect:j($),modal:V($),tense:z($)};return O}},{"./methods/predict":112}],102:[function(E,C){"use strict";const N=E("./irregulars"),D=E("./suffixes"),_=E("./toActor"),B=E("./generic"),j=E("../predict"),V=E("../toInfinitive"),z=E("./toBe");C.exports=function($,G){if("is"===$.normal||"was"===$.normal||"will"===$.normal)return z();$.tags.Contraction&&($.text=$.silent_term);let O={PastTense:null,PresentTense:null,Infinitive:null,Gerund:null,Actor:null},H=j($);H&&(O[H]=$.normal),"Infinitive"!==H&&(O.Infinitive=V($,G)||"");const M=N(O.Infinitive)||{};Object.keys(M).forEach((q)=>{M[q]&&!O[q]&&(O[q]=M[q])});let S=O.Infinitive||$.normal;const I=D(S);return Object.keys(I).forEach((q)=>{I[q]&&!O[q]&&(O[q]=I[q])}),O.Actor||(O.Actor=_(S)),Object.keys(O).forEach((q)=>{!O[q]&&B[q]&&(O[q]=B[q](O))}),O}},{"../predict":112,"../toInfinitive":115,"./generic":105,"./irregulars":107,"./suffixes":108,"./toActor":109,"./toBe":110}],103:[function(E,C){C.exports=[{reg:/(eave)$/i,repl:{pr:"$1s",pa:"$1d",gr:"eaving",ar:"$1r"}},{reg:/(ink)$/i,repl:{pr:"$1s",pa:"unk",gr:"$1ing",ar:"$1er"}},{reg:/(end)$/i,repl:{pr:"$1s",pa:"ent",gr:"$1ing",ar:"$1er"}},{reg:/(ide)$/i,repl:{pr:"$1s",pa:"ode",gr:"iding",ar:"ider"}},{reg:/(ake)$/i,repl:{pr:"$1s",pa:"ook",gr:"aking",ar:"$1r"}},{reg:/(eed)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing",ar:"$1er"}},{reg:/(e)(ep)$/i,repl:{pr:"$1$2s",pa:"$1pt",gr:"$1$2ing",ar:"$1$2er"}},{reg:/(a[tg]|i[zn]|ur|nc|gl|is)e$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing",prt:"$1en"}},{reg:/([i|f|rr])y$/i,repl:{pr:"$1ies",pa:"$1ied",gr:"$1ying"}},{reg:/([td]er)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/([bd]l)e$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}},{reg:/(ish|tch|ess)$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}},{reg:/(ion|end|e[nc]t)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(om)e$/i,repl:{pr:"$1es",pa:"ame",gr:"$1ing"}},{reg:/([aeiu])([pt])$/i,repl:{pr:"$1$2s",pa:"$1$2",gr:"$1$2$2ing"}},{reg:/(er)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(en)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(..)(ow)$/i,repl:{pr:"$1$2s",pa:"$1ew",gr:"$1$2ing",prt:"$1$2n"}},{reg:/(..)([cs]h)$/i,repl:{pr:"$1$2es",pa:"$1$2ed",gr:"$1$2ing"}},{reg:/([^aeiou][ou])(g|d)$/i,repl:{pr:"$1$2s",pa:"$1$2$2ed",gr:"$1$2$2ing"}},{reg:/([^aeiou][aeiou])(b|t|p|m)$/i,repl:{pr:"$1$2s",pa:"$1$2$2ed",gr:"$1$2$2ing"}},{reg:/([aeiou]zz)$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}}]},{}],104:[function(E,C){"use strict";const N=E("./irregulars"),D=E("./suffixes"),_=E("./generic"),B=["Gerund","PastTense","PresentTense"];C.exports=(V)=>{let z={Infinitive:V};const F=N(z.Infinitive);null!==F&&Object.keys(F).forEach((G)=>{F[G]&&!z[G]&&(z[G]=F[G])});const $=D(V);Object.keys($).forEach((G)=>{$[G]&&!z[G]&&(z[G]=$[G])});for(let G=0;G{const B=_.Infinitive;return"e"===B.charAt(B.length-1)?B.replace(/e$/,"ing"):B+"ing"},PresentTense:(_)=>{const B=_.Infinitive;return"s"===B.charAt(B.length-1)?B+"es":!0===N.test(B)?B.slice(0,-1)+"ies":B+"s"},PastTense:(_)=>{const B=_.Infinitive;return"e"===B.charAt(B.length-1)?B+"d":"ed"===B.substr(-2)?B:!0===N.test(B)?B.slice(0,-1)+"ied":B+"ed"}}},{}],106:[function(E,C){"use strict";const N=E("./conjugate"),D=E("./toBe");C.exports=(B,j)=>{let V=B.negative.found;if(B.verb.tags.Copula||"be"===B.verb.normal&&B.auxiliary.match("will").found)return D(!1,V);let F=N(B.verb,j);return B.particle.found&&Object.keys(F).forEach(($)=>{F[$]+=B.particle.out()}),B.adverbs.found&&Object.keys(F).forEach(($)=>{F[$]+=B.adverbs.out()}),V&&(F.PastTense="did not "+F.Infinitive,F.PresentTense="does not "+F.Infinitive),F.FutureTense||(V?F.FutureTense="will not "+F.Infinitive:F.FutureTense="will "+F.Infinitive),F}},{"./conjugate":102,"./toBe":110}],107:[function(E,C){"use strict";let N=E("../../../../../data").irregular_verbs;const D=E("../../../../../fns"),_=Object.keys(N),B=["Participle","Gerund","PastTense","PresentTense","FuturePerfect","PerfectTense","Actor"];C.exports=function(V){if(void 0!==N[V]){let z=D.copy(N[V]);return z.Infinitive=V,z}for(let z=0;z<_.length;z++)for(let F=0,$;F{let B={PastTense:"was",PresentTense:"is",FutureTense:"will be",Infinitive:"is",Gerund:"being",Actor:"",PerfectTense:"been",Pluperfect:"been"};return D&&(B.PastTense="were",B.PresentTense="are",B.Infinitive="are"),_&&(B.PastTense+=" not",B.PresentTense+=" not",B.FutureTense="will not be",B.Infinitive+=" not",B.PerfectTense="not "+B.PerfectTense,B.Pluperfect="not "+B.Pluperfect),B}},{}],111:[function(E,C){"use strict";C.exports=(D)=>{if(D.match("(are|were|does)").found)return!0;if(D.match("(is|am|do|was)").found)return!1;let _=D.getNoun();if(_&&_.found){if(_.match("#Plural").found)return!0;if(_.match("#Singular").found)return!1}return null}},{}],112:[function(E,C){"use strict";const N=E("./suffix_rules"),D={Infinitive:!0,Gerund:!0,PastTense:!0,PresentTense:!0,FutureTense:!0,PerfectTense:!0,Pluperfect:!0,FuturePerfect:!0,Participle:!0};C.exports=function(B,j){const V=Object.keys(D);for(let F=0;Fz[F].length)return N[z[F]]}return null}},{"./suffix_rules":113}],113:[function(E,C){"use strict";const N={Gerund:["ing"],Actor:["erer"],Infinitive:["ate","ize","tion","rify","then","ress","ify","age","nce","ect","ise","ine","ish","ace","ash","ure","tch","end","ack","and","ute","ade","ock","ite","ase","ose","use","ive","int","nge","lay","est","ain","ant","ent","eed","er","le","own","unk","ung","en"],PastTense:["ed","lt","nt","pt","ew","ld"],PresentTense:["rks","cks","nks","ngs","mps","tes","zes","ers","les","acks","ends","ands","ocks","lays","eads","lls","els","ils","ows","nds","ays","ams","ars","ops","ffs","als","urs","lds","ews","ips","es","ts","ns","s"]},D={},_=Object.keys(N),B=_.length;for(let j=0,V;j{return Object.keys(D).reduce((V,z)=>{return Object.keys(D[z]).forEach((F)=>{V[D[z][F]]=z}),V},{})})();C.exports=function(V){if(V.tags.Infinitive)return V.normal;if(D[V.normal])return D[V.normal];let z=_(V);if(N[z])for(let F=0,$;F{let B=_.match("#Auxiliary").first();if(B.found){let O=B.list[0].index();return _.parentTerms.insertAt(O+1,"not","Verb")}let j=_.match("(#Copula|will|has|had|do)").first();if(j.found){let O=j.list[0].index();return _.parentTerms.insertAt(O+1,"not","Verb")}let V=_.isPlural(),z=_.match("#PastTense").last();if(z.found){let O=z.list[0],H=O.index();return O.terms[0].text=N(O.terms[0]),V?_.parentTerms.insertAt(H,"do not","Verb"):_.parentTerms.insertAt(H,"did not","Verb")}let F=_.match("#PresentTense").first();if(F.found){let O=F.list[0],H=O.index();O.terms[0].text=N(O.terms[0]);let M=_.getNoun();return M.match("(i|we|they|you)").found?_.parentTerms.insertAt(H,"do not","Verb"):_.parentTerms.insertAt(H,"does not","Verb")}let $=_.match("#Gerund").last();if($.found){let O=$.list[0].index();return _.parentTerms.insertAt(O,"not","Verb")}let G=_.match("#Verb").last();if(G.found){G=G.list[0];let O=G.index();return G.terms[0].text=N(G.terms[0]),V?_.parentTerms.insertAt(O,"does not","Verb"):_.parentTerms.insertAt(O,"did not","Verb")}return _}},{"./methods/toInfinitive":115}],118:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./methods/conjugate"),_=E("./methods/toAdjective"),B=E("./interpret"),j=E("./toNegative"),V=E("./methods/isPlural"),z=function(G){G.negative=G.match("#Negative"),G.adverbs=G.match("#Adverb");let O=G.clone().not("(#Adverb|#Negative)");return G.verb=O.match("#Verb").not("#Particle").last(),G.particle=O.match("#Particle").last(),G.verb.found&&(G.verb=G.verb.list[0].terms[0]),G.auxiliary=O.match("#Auxiliary+"),G},F={parse:function(){return z(this)},data:function(G){return{text:this.out("text"),normal:this.out("normal"),parts:{negative:this.negative.out("normal"),auxiliary:this.auxiliary.out("normal"),verb:this.verb.out("normal"),adverbs:this.adverbs.out("normal")},interpret:B(this,G),conjugations:this.conjugate()}},getNoun:function(){if(!this.refTerms)return null;let G="#Adjective? #Noun+ "+this.out("normal");return this.refTerms.match(G).match("#Noun+")},conjugation:function(){return B(this,!1).tense},conjugate:function(G){return D(this,G)},isPlural:function(){return V(this)},isNegative:function(){return 1===this.match("#Negative").list.length},isPerfect:function(){return this.auxiliary.match("(have|had)").found},toNegative:function(){return this.isNegative()?this:j(this)},toPositive:function(){return this.match("#Negative").delete()},toPastTense:function(){let G=this.conjugate();return this.replaceWith(G.PastTense)},toPresentTense:function(){let G=this.conjugate();return this.replaceWith(G.PresentTense)},toFutureTense:function(){let G=this.conjugate();return this.replaceWith(G.FutureTense)},toInfinitive:function(){let G=this.conjugate();return this.terms[this.terms.length-1].text=G.Infinitive,this},asAdjective:function(){return _(this.verb.out("normal"))}},$=function(G,O,H,M){return N.call(this,G,O,H,M),z(this)};$.prototype=Object.create(N.prototype),Object.keys(F).forEach((G)=>{$.prototype[G]=F[G]}),C.exports=$},{"../../paths":38,"./interpret":101,"./methods/conjugate":106,"./methods/isPlural":111,"./methods/toAdjective":114,"./toNegative":117}],119:[function(E,C){"use strict";C.exports=(D)=>{const _={clauses:function(B){let j=this.splitAfter("#ClauseEnd");return"number"==typeof B&&(j=j.get(B)),j},hashTags:function(B){let j=this.match("#HashTag").terms();return"number"==typeof B&&(j=j.get(B)),j},organizations:function(B){let j=this.splitAfter("#Comma");return j=j.match("#Organization+"),"number"==typeof B&&(j=j.get(B)),j},phoneNumbers:function(B){let j=this.splitAfter("#Comma");return j=j.match("#PhoneNumber+"),"number"==typeof B&&(j=j.get(B)),j},places:function(B){let j=this.splitAfter("#Comma");return j=j.match("#Place+"),"number"==typeof B&&(j=j.get(B)),j},quotations:function(B){let j=this.match("#Quotation+");return"number"==typeof B&&(j=j.get(B)),j},topics:function(B){let j=this.clauses(),V=j.people();return V.concat(j.places()),V.concat(j.organizations()),V.sort("chronological"),"number"==typeof B&&(V=V.get(B)),V},urls:function(B){let j=this.match("#Url");return"number"==typeof B&&(j=j.get(B)),j},questions:function(B){let j=this.all();"number"==typeof B&&(j=j.get(B));let V=j.list.filter((z)=>{return"?"===z.last().endPunctuation()});return new D(V,this.lexicon,this.parent)},statements:function(B){let j=this.all();"number"==typeof B&&(j=j.get(B));let V=j.list.filter((z)=>{return"?"!==z.last().endPunctuation()});return new D(V,this.lexicon,this.parent)}};return Object.keys(_).forEach((B)=>{D.prototype[B]=_[B]}),D}},{}],120:[function(E,C){"use strict";const N=E("../data"),D=Object.keys(N.abbreviations),_=new RegExp("\\b("+D.join("|")+")[.!?] ?$","i"),B=/[ |.][A-Z].?( *)?$/i,j=/\.\.+( +)?$/,V=function(F){let $=[],G=F.split(/(\n+)/);for(let O=0,H;O{let j=Object.keys(D);for(let V=0;V{let F=V.terms[z],$=V.terms[z+1];return F.tags.Pronoun||F.tags.QuestionWord?!1:!_[F.normal]&&(!$||!$.tags.VerbPhrase&&(!!$.tags.Noun||$.tags.Adjective&&V.terms[z+2]&&V.terms[z+2].tags.Noun||($.tags.Adjective||$.tags.Adverb||$.tags.Verb)&&!1))};C.exports=(V)=>{for(let z=0;z{for(let V=0;V{for(let j=0,V;j{D[j.silent_term]&&j.tag(D[j.silent_term])};C.exports=(j,V,z)=>{let F=j.terms[z];F.silent_term=V[0],F.tag("Contraction","tagger-contraction");let $=new N("");if($.silent_term=V[1],$.tag("Contraction","tagger-contraction"),j.insertAt(z+1,$),$.whitespace.before="",$.whitespace.after="",_($),V[2]){let G=new N("");G.silent_term=V[2],j.insertAt(z+2,G),G.tag("Contraction","tagger-contraction"),_(G)}return j}},{"../../term":169}],126:[function(E,C){"use strict";const N=E("./01-irregulars"),D=E("./02-hardOne"),_=E("./03-easyOnes"),B=E("./04-numberRange");C.exports=function(V){return V=N(V),V=D(V),V=_(V),V=B(V),V}},{"./01-irregulars":121,"./02-hardOne":122,"./03-easyOnes":123,"./04-numberRange":124}],127:[function(E,C){"use strict";const N=/^([a-z]+)'([a-z][a-z]?)$/i,D=/[a-z]s'$/i,_={re:1,ve:1,ll:1,t:1,s:1,d:1,m:1};C.exports=(j)=>{let V=j.text.match(N);return V&&V[1]&&1===_[V[2]]?("t"===V[2]&&V[1].match(/[a-z]n$/)&&(V[1]=V[1].replace(/n$/,""),V[2]="n't"),!0===j.tags.TitleCase&&(V[1]=V[1].replace(/^[a-z]/,(z)=>z.toUpperCase())),{start:V[1],end:V[2]}):!0===D.test(j.text)?{start:j.normal.replace(/s'?$/,""),end:""}:null}},{}],128:[function(E,C){"use strict";C.exports=function(D){if(D.has("so")&&(D.match("so #Adjective").match("so").tag("Adverb","so-adv"),D.match("so #Noun").match("so").tag("Conjunction","so-conj"),D.match("do so").match("so").tag("Noun","so-noun")),D.has("#Determiner")&&(D.match("the #Verb #Preposition .").match("#Verb").tag("Noun","correction-determiner1"),D.match("the #Verb").match("#Verb").tag("Noun","correction-determiner2"),D.match("the #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner3"),D.match("the #Adverb #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner4"),D.match("#Determiner #Infinitive #Adverb? #Verb").term(1).tag("Noun","correction-determiner5"),D.match("#Determiner #Verb of").term(1).tag("Noun","the-verb-of"),D.match("#Determiner #Noun of #Verb").match("#Verb").tag("Noun","noun-of-noun")),D.has("like")&&(D.match("just like").term(1).tag("Preposition","like-preposition"),D.match("#Noun like #Noun").term(1).tag("Preposition","noun-like"),D.match("#Verb like").term(1).tag("Adverb","verb-like"),D.match("#Adverb like").term(1).tag("Adverb","adverb-like")),D.has("#Value")&&(D.match("half a? #Value").tag("Value","half-a-value"),D.match("#Value and a (half|quarter)").tag("Value","value-and-a-half"),D.match("#Value").match("!#Ordinal").tag("#Cardinal","not-ordinal"),D.match("#Value+ #Currency").tag("Money","value-currency"),D.match("#Money and #Money #Currency?").tag("Money","money-and-money")),D.has("#Noun")&&(D.match("more #Noun").tag("Noun","more-noun"),D.match("second #Noun").term(0).unTag("Unit").tag("Ordinal","second-noun"),D.match("#Noun #Adverb #Noun").term(2).tag("Verb","correction"),D.match("#Possessive #FirstName").term(1).unTag("Person","possessive-name"),D.has("#Organization")&&(D.match("#Organization of the? #TitleCase").tag("Organization","org-of-place"),D.match("#Organization #Country").tag("Organization","org-country"),D.match("(world|global|international|national|#Demonym) #Organization").tag("Organization","global-org"))),D.has("#Verb")){D.match("still #Verb").term(0).tag("Adverb","still-verb"),D.match("u #Verb").term(0).tag("Pronoun","u-pronoun-1"),D.match("is no #Verb").term(2).tag("Noun","is-no-verb"),D.match("#Verb than").term(0).tag("Noun","correction"),D.match("#Possessive #Verb").term(1).tag("Noun","correction-possessive"),D.match("#Copula #Adjective to #Verb").match("#Adjective to").tag("Verb","correction"),D.match("how (#Copula|#Modal|#PastTense)").term(0).tag("QuestionWord","how-question");let _="(#Adverb|not)+?";D.has(_)&&(D.match(`(has|had) ${_} #PastTense`).not("#Verb$").tag("Auxiliary","had-walked"),D.match(`#Copula ${_} #Gerund`).not("#Verb$").tag("Auxiliary","copula-walking"),D.match(`(be|been) ${_} #Gerund`).not("#Verb$").tag("Auxiliary","be-walking"),D.match(`(#Modal|did) ${_} #Verb`).not("#Verb$").tag("Auxiliary","modal-verb"),D.match(`#Modal ${_} have ${_} had ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-have"),D.match(`(#Modal) ${_} be ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-be"),D.match(`(#Modal|had|has) ${_} been ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-be"))}return D.has("#Adjective")&&(D.match("still #Adjective").match("still").tag("Adverb","still-advb"),D.match("#Adjective #PresentTense").term(1).tag("Noun","adj-presentTense"),D.match("will #Adjective").term(1).tag("Verb","will-adj")),D.match("(foot|feet)").tag("Noun","foot-noun"),D.match("#Value (foot|feet)").term(1).tag("Unit","foot-unit"),D.match("#Conjunction u").term(1).tag("Pronoun","u-pronoun-2"),D.match("#TitleCase (ltd|co|inc|dept|assn|bros)").tag("Organization","org-abbrv"),D.match("(a|an) (#Duration|#Value)").ifNo("#Plural").term(0).tag("Value","a-is-one"),D.match("holy (shit|fuck|hell)").tag("Expression","swears-expression"),D.match("#Determiner (shit|damn|hell)").term(1).tag("Noun","swears-noun"),D.match("(shit|damn|fuck) (#Determiner|#Possessive|them)").term(0).tag("Verb","swears-verb"),D.match("#Copula fucked up?").not("#Copula").tag("Adjective","swears-adjective"),D}},{}],129:[function(E,C){"use strict";const N={punctuation_step:E("./steps/01-punctuation_step"),lexicon_step:E("./steps/02-lexicon_step"),capital_step:E("./steps/03-capital_step"),web_step:E("./steps/04-web_step"),suffix_step:E("./steps/05-suffix_step"),neighbour_step:E("./steps/06-neighbour_step"),noun_fallback:E("./steps/07-noun_fallback"),date_step:E("./steps/08-date_step"),auxiliary_step:E("./steps/09-auxiliary_step"),negation_step:E("./steps/10-negation_step"),phrasal_step:E("./steps/12-phrasal_step"),comma_step:E("./steps/13-comma_step"),possessive_step:E("./steps/14-possessive_step"),value_step:E("./steps/15-value_step"),acronym_step:E("./steps/16-acronym_step"),emoji_step:E("./steps/17-emoji_step"),person_step:E("./steps/18-person_step"),quotation_step:E("./steps/19-quotation_step"),organization_step:E("./steps/20-organization_step"),plural_step:E("./steps/21-plural_step"),lumper:E("./lumper"),lexicon_lump:E("./lumper/lexicon_lump"),contraction:E("./contraction")},D=E("./corrections"),_=E("./phrase");C.exports=function(j){return j=N.punctuation_step(j),j=N.emoji_step(j),j=N.lexicon_step(j),j=N.lexicon_lump(j),j=N.web_step(j),j=N.suffix_step(j),j=N.neighbour_step(j),j=N.capital_step(j),j=N.noun_fallback(j),j=N.contraction(j),j=N.date_step(j),j=N.auxiliary_step(j),j=N.negation_step(j),j=N.phrasal_step(j),j=N.comma_step(j),j=N.possessive_step(j),j=N.value_step(j),j=N.acronym_step(j),j=N.person_step(j),j=N.quotation_step(j),j=N.organization_step(j),j=N.plural_step(j),j=N.lumper(j),j=D(j),j=_(j),j}},{"./contraction":126,"./corrections":128,"./lumper":131,"./lumper/lexicon_lump":132,"./phrase":135,"./steps/01-punctuation_step":136,"./steps/02-lexicon_step":137,"./steps/03-capital_step":138,"./steps/04-web_step":139,"./steps/05-suffix_step":140,"./steps/06-neighbour_step":141,"./steps/07-noun_fallback":142,"./steps/08-date_step":143,"./steps/09-auxiliary_step":144,"./steps/10-negation_step":145,"./steps/12-phrasal_step":146,"./steps/13-comma_step":147,"./steps/14-possessive_step":148,"./steps/15-value_step":149,"./steps/16-acronym_step":150,"./steps/17-emoji_step":151,"./steps/18-person_step":152,"./steps/19-quotation_step":153,"./steps/20-organization_step":154,"./steps/21-plural_step":155}],130:[function(E,C){"use strict";C.exports=(D)=>{let _={};return D.forEach((B)=>{Object.keys(B).forEach((j)=>{let V=j.split(" ");if(1{return D.match("#Noun (&|n) #Noun").lump().tag("Organization","Noun-&-Noun"),D.match("1 #Value #PhoneNumber").lump().tag("Organization","Noun-&-Noun"),D.match("#Holiday (day|eve)").lump().tag("Holiday","holiday-day"),D.match("#Noun #Actor").lump().tag("Actor","thing-doer"),D.match("(standard|daylight|summer|eastern|pacific|central|mountain) standard? time").lump().tag("Time","timezone"),D.match("#Demonym #Currency").lump().tag("Currency","demonym-currency"),D.match("#NumericValue #PhoneNumber").lump().tag("PhoneNumber","(800) PhoneNumber"),D}},{}],132:[function(E,C){"use strict";const N=E("../paths"),D=N.lexicon,_=N.tries,B=E("./firstWord"),j=B([D,_.multiples()]),V=function($,G,O){let H=G+1;return O[$.slice(H,H+1).out("root")]?H+1:O[$.slice(H,H+2).out("root")]?H+2:O[$.slice(H,H+3).out("root")]?H+3:null},z=function($,G){for(let O=0,H;O{let $=F.text;!0===D.test($)&&F.tag("TitleCase","punct-rule"),$=$.replace(/[,\.\?]$/,"");for(let G=0,O;G{let $=F.lexicon||{};if($[z])return $[z];if(B[z])return B[z];let G=_.lookup(z);return G?G:null};C.exports=function(z){let F;for(let $=0,G;${let G=Object.keys(F.tags);if(0===G.length){let O=z.terms[$-1],H=z.terms[$+1];if(O&&D[O.normal])return void F.tag(D[O.normal],"neighbour-after-\""+O.normal+"\"");if(H&&_[H.normal])return void F.tag(_[H.normal],"neighbour-before-\""+H.normal+"\"");let M=[];if(O){M=Object.keys(O.tags);for(let S=0;S!N[V]).length)};C.exports=function(B){for(let j=0,V;j{$.list.forEach((O)=>{let H=parseInt(O.terms[0].normal,10);H&&1e3H&&O.terms[0].tag("Year",G)})},z=($,G)=>{$.list.forEach((O)=>{let H=parseInt(O.terms[0].normal,10);H&&1990H&&O.terms[0].tag("Year",G)})};C.exports=function($){if($.has(N)&&($.match(`${N} (#Determiner|#Value|#Date)`).term(0).tag("Month","correction-may"),$.match(`#Date ${N}`).term(1).tag("Month","correction-may"),$.match(`${D} ${N}`).term(1).tag("Month","correction-may"),$.match(`(next|this|last) ${N}`).term(1).tag("Month","correction-may")),$.has("#Month")&&($.match(`#Month #DateRange+`).tag("Date","correction-numberRange"),$.match("#Value of? #Month").tag("Date","value-of-month"),$.match("#Cardinal #Month").tag("Date","cardinal-month"),$.match("#Month #Value to #Value").tag("Date","value-to-value"),$.match("#Month #Value #Cardinal").tag("Date","month-value-cardinal")),$.match("in the (night|evening|morning|afternoon|day|daytime)").tag("Time","in-the-night"),$.match("(#Value|#Time) (am|pm)").tag("Time","value-ampm"),$.has("#Value")&&($.match("#Value #Abbreviation").tag("Value","value-abbr"),$.match("a #Value").tag("Value","a-value"),$.match("(minus|negative) #Value").tag("Value","minus-value"),$.match("#Value grand").tag("Value","value-grand"),$.match("(half|quarter) #Ordinal").tag("Value","half-ordinal"),$.match("(hundred|thousand|million|billion|trillion) and #Value").tag("Value","magnitude-and-value"),$.match("#Value point #Value").tag("Value","value-point-value"),$.match(`${D}? #Value #Duration`).tag("Date","value-duration"),$.match("#Date #Value").tag("Date","date-value"),$.match("#Value #Date").tag("Date","value-date"),$.match("#Value #Duration #Conjunction").tag("Date","val-duration-conjunction")),$.has("#Time")&&($.match("#Cardinal #Time").tag("Time","value-time"),$.match("(by|before|after|at|@|about) #Time").tag("Time","preposition-time"),$.match("#Time (eastern|pacific|central|mountain)").term(1).tag("Time","timezone"),$.match("#Time (est|pst|gmt)").term(1).tag("Time","timezone abbr")),$.has(j)&&($.match(`${D}? ${_} ${j}`).tag("Date","thisNext-season"),$.match(`the? ${B} of ${j}`).tag("Date","section-season")),$.has("#Date")&&($.match("#Date the? #Ordinal").tag("Date","correction-date"),$.match(`${_} #Date`).tag("Date","thisNext-date"),$.match("due? (by|before|after|until) #Date").tag("Date","by-date"),$.match("#Date (by|before|after|at|@|about) #Cardinal").not("^#Date").tag("Time","date-before-Cardinal"),$.match("#Date (am|pm)").term(1).unTag("Verb").unTag("Copula").tag("Time","date-am"),$.match("(last|next|this|previous|current|upcoming|coming|the) #Date").tag("Date","next-feb"),$.match("#Date #Preposition #Date").tag("Date","date-prep-date"),$.match(`the? ${B} of #Date`).tag("Date","section-of-date"),$.match("#Ordinal #Duration in #Date").tag("Date","duration-in-date"),$.match("(early|late) (at|in)? the? #Date").tag("Time","early-evening")),$.has("#Cardinal")){let G=$.match(`#Date #Value #Cardinal`).lastTerm();G.found&&V(G,"date-value-year"),G=$.match(`#Date+ #Cardinal`).lastTerm(),G.found&&V(G,"date-year"),G=$.match(`#Month #Value #Cardinal`).lastTerm(),G.found&&V(G,"month-value-year"),G=$.match(`#Month #Value to #Value #Cardinal`).lastTerm(),G.found&&V(G,"month-range-year"),G=$.match(`(in|of|by|during|before|starting|ending|for|year) #Cardinal`).lastTerm(),G.found&&V(G,"in-year"),G=$.match(`#Cardinal !#Plural`).firstTerm(),G.found&&z(G,"year-unsafe")}return $}},{}],144:[function(E,C){"use strict";const N={"do":!0,"don't":!0,does:!0,"doesn't":!0,will:!0,wont:!0,"won't":!0,have:!0,"haven't":!0,had:!0,"hadn't":!0,not:!0};C.exports=function(_){for(let B=0,j;B<_.terms.length;B++)if(j=_.terms[B],N[j.normal]||N[j.silent_term]){let V=_.terms[B+1];if(V&&(V.tags.Verb||V.tags.Adverb||V.tags.Negative)){j.tag("Auxiliary","corrections-Auxiliary");continue}}return _}},{}],145:[function(E,C){"use strict";C.exports=function(D){for(let _=0,B;_{let F=V.terms[z],$=V.terms[z+1];return $&&F.tags.Place&&!F.tags.Country&&$.tags.Country},D=(V)=>{return V.tags.Adjective?"Adjective":V.tags.Noun?"Noun":V.tags.Verb?"Verb":null},_=(V,z,F)=>{for(let $=z;$<=F;$++)V.terms[$].tags.List=!0},B=(V,z)=>{let F=z,$=D(V.terms[z]),G=0,O=0,H=!1;for(++z;z{_.isAcronym()&&_.tag("Acronym","acronym-step")}),D}},{}],151:[function(E,C){"use strict";const N=E("./rules/emoji_regex"),D=E("./rules/emoticon_list"),_=(V)=>{return!(":"!==V.text.charAt(0))&&null!==V.text.match(/:.?$/)&&!V.text.match(" ")&&!(35{let z=V.text.replace(/^[:;]/,":");return D[z]!==void 0};C.exports=(V)=>{for(let z=0,F;z{return _[B]=!0,_},{});C.exports=function(_){if(_.has("#FirstName")){let B=_.match("#FirstName #Noun").ifNo("^#Possessive").ifNo("#ClauseEnd .");B.lastTerm().canBe("#LastName").tag("#LastName","firstname-noun"),_.match("#FirstName de #Noun").canBe("#Person").tag("#Person","firstname-de-noun"),_.match("#FirstName (bin|al) #Noun").canBe("#Person").tag("#Person","firstname-al-noun"),_.match("#FirstName #Acronym #TitleCase").tag("Person","firstname-acronym-titlecase"),_.match("#FirstName #FirstName #TitleCase").tag("Person","firstname-firstname-titlecase"),_.match("#Honorific #FirstName? #TitleCase").tag("Person","Honorific-TitleCase"),_.match("#FirstName #TitleCase #TitleCase?").match("#Noun+").tag("Person","firstname-titlecase"),_.match("#FirstName the #Adjective").tag("Person","correction-determiner5"),_.match("#FirstName (green|white|brown|hall|young|king|hill|cook|gray|price)").tag("#Person","firstname-maybe"),_.match("#FirstName #Acronym #Noun").ifNo("#Date").tag("#Person","n-acro-noun").lastTerm().tag("#LastName","n-acro-noun"),_.match("#FirstName (#Singular|#Possessive)").ifNo("#Date").tag("#Person","first-possessive").lastTerm().tag("#LastName","first-possessive")}_.has("#LastName")&&(_.match("#Noun #LastName").firstTerm().canBe("#FirstName").tag("#FirstName","noun-lastname"),_.match("(will|may|april|june|said|rob|wade|ray|rusty|drew|miles|jack|chuck|randy|jan|pat|cliff|bill) #LastName").firstTerm().tag("#FirstName","maybe-lastname"),_.match("#TitleCase #Acronym? #LastName").ifNo("#Date").tag("#Person","title-acro-noun").lastTerm().tag("#LastName","title-acro-noun")),_.has("#TitleCase")&&(_.match("#Acronym #TitleCase").canBe("#Person").tag("#Person","acronym-titlecase"),_.match("#TitleCase (van|al|bin) #TitleCase").tag("Person","correction-titlecase-van-titlecase"),_.match("#TitleCase (de|du) la? #TitleCase").tag("Person","correction-titlecase-van-titlecase"),_.match("#Person #TitleCase").match("#TitleCase #Noun").tag("Person","correction-person-titlecase"),_.match("(lady|queen|sister) #TitleCase").ifNo("#Date").tag("#FemaleName","lady-titlecase"),_.match("(king|pope|father) #TitleCase").ifNo("#Date").tag("#MaleName","correction-poe")),_.match("#Noun van der? #Noun").canBe("#Person").tag("#Person","von der noun"),_.match("(king|queen|prince|saint|lady) of? #Noun").canBe("#Person").tag("#Person","king-of-noun"),_.match("#Honorific #Acronym").tag("Person","Honorific-TitleCase"),_.match("#Person #Person the? #RomanNumeral").tag("Person","correction-roman-numeral");for(let B=0,j;B<_.terms.length-1;B++)j=_.terms[B],N[j.normal]&&_.terms[B+1]&&_.terms[B+1].tags.Person&&j.tag("Person","title-person");return _.match("^#Honorific$").unTag("Person","single-honorific"),_}},{"../paths":133}],153:[function(E,C){"use strict";const N=/^["'\u201B\u201C\u2033\u201F\u2018]/,D=/.["'\u201D\u2036\u2019]([;:,.])?$/,_=function(j,V,z){j.terms.slice(V,z+1).forEach((F)=>{F.tag("Quotation","quotation_step")})};C.exports=(j)=>{for(let V=0,z;V{for(let j=0,V;j{S[I]=M[I]})},$=function(M){const S=Object.keys(M);S.forEach((I)=>{M[I].downward=[];for(let q=0;q{M[S].enemy={};for(let I=0,q;IL!==S),q.forEach((L)=>{M[S].enemy[L]=!0}));M[S].enemy=Object.keys(M[S].enemy)})},O=function(M){Object.keys(M).forEach((S)=>{return z[S]?void(M[S].color=z[S]):M[S].is&&z[M[S].is]?void(M[S].color=z[M[S].is]):void(M[S].is&&M[M[S].is].color&&(M[S].color=M[M[S].is].color))})};C.exports=(()=>{let M={};return F(D,M),F(_,M),F(B,M),F(j,M),F(V,M),$(M),G(M),O(M),M})()},{"./conflicts":162,"./tags/dates":164,"./tags/misc":165,"./tags/nouns":166,"./tags/values":167,"./tags/verbs":168}],164:[function(E,C){C.exports={Date:{},Month:{is:"Date",also:"Singular"},WeekDay:{is:"Date",also:"Noun"},RelativeDay:{is:"Date"},Year:{is:"Date"},Duration:{is:"Date",also:"Noun"},Time:{is:"Date",also:"Noun"},Holiday:{is:"Date",also:"Noun"}}},{}],165:[function(E,C){C.exports={Adjective:{},Comparative:{is:"Adjective"},Superlative:{is:"Adjective"},Adverb:{},Currency:{},Determiner:{},Conjunction:{},Preposition:{},QuestionWord:{},Expression:{},Url:{},PhoneNumber:{},HashTag:{},Emoji:{},Email:{},Condition:{},Auxiliary:{},Negative:{},Contraction:{},TitleCase:{},CamelCase:{},UpperCase:{},Hyphenated:{},Acronym:{},ClauseEnd:{},Quotation:{}}},{}],166:[function(E,C){C.exports={Noun:{},Singular:{is:"Noun"},Person:{is:"Singular"},FirstName:{is:"Person"},MaleName:{is:"FirstName"},FemaleName:{is:"FirstName"},LastName:{is:"Person"},Honorific:{is:"Person"},Place:{is:"Singular"},Country:{is:"Place"},City:{is:"Place"},Address:{is:"Place"},Organization:{is:"Singular"},SportsTeam:{is:"Organization"},Company:{is:"Organization"},School:{is:"Organization"},Plural:{is:"Noun"},Pronoun:{is:"Noun"},Actor:{is:"Noun"},Unit:{is:"Noun"},Demonym:{is:"Noun"},Possessive:{is:"Noun"}}},{}],167:[function(E,C){C.exports={Value:{},Ordinal:{is:"Value"},Cardinal:{is:"Value"},RomanNumeral:{is:"Cardinal"},Fraction:{is:"Value"},TextValue:{is:"Value"},NumericValue:{is:"Value"},NiceNumber:{is:"Value"},Money:{is:"Value"},NumberRange:{is:"Value",also:"Contraction"}}},{}],168:[function(E,C){C.exports={Verb:{},PresentTense:{is:"Verb"},Infinitive:{is:"PresentTense"},Gerund:{is:"PresentTense"},PastTense:{is:"Verb"},PerfectTense:{is:"Verb"},FuturePerfect:{is:"Verb"},Pluperfect:{is:"Verb"},Copula:{is:"Verb"},Modal:{is:"Verb"},Participle:{is:"Verb"},Particle:{is:"Verb"},PhrasalVerb:{is:"Verb"}}},{}],169:[function(E,C){"use strict";const N=E("./paths").fns,D=E("./whitespace"),_=E("./makeUID");class B{constructor(j){this._text=N.ensureString(j),this.tags={};let V=D(this._text);this.whitespace=V.whitespace,this._text=V.text,this.parent=null,this.silent_term="",this.dirty=!1,this.normalize(),this.uid=_(this.normal)}set text(j){j=j||"",this._text=j.trim(),this.dirty=!0,this._text!==j&&(this.whitespace=D(j)),this.normalize()}get text(){return this._text}get isA(){return"Term"}index(){let j=this.parentTerms;return j?j.terms.indexOf(this):null}clone(){let j=new B(this._text,null);return j.tags=N.copy(this.tags),j.whitespace=N.copy(this.whitespace),j.silent_term=this.silent_term,j}}E("./methods/normalize")(B),E("./methods/misc")(B),E("./methods/out")(B),E("./methods/tag")(B),E("./methods/case")(B),E("./methods/punctuation")(B),C.exports=B},{"./makeUID":170,"./methods/case":172,"./methods/misc":173,"./methods/normalize":174,"./methods/out":178,"./methods/punctuation":180,"./methods/tag":182,"./paths":185,"./whitespace":186}],170:[function(E,C){"use strict";C.exports=(D)=>{let _="";for(let B=0;5>B;B++)_+=parseInt(9*Math.random(),10);return D+"-"+_}},{}],171:[function(E,C){"use strict";const N=E("../paths").tags,D={Auxiliary:1,Possessive:1,TitleCase:1,ClauseEnd:1,Comma:1,CamelCase:1,UpperCase:1,Hyphenated:1};C.exports=function(B){let j=Object.keys(B.tags);return j=j.sort(),j=j.sort((V,z)=>{return!D[z]&&N[V]&&N[z]?N[V].downward.length>N[z].downward.length?-1:1:-1}),j[0]}},{"../paths":185}],172:[function(E,C){"use strict";C.exports=(D)=>{const _={toUpperCase:function(){return this.text=this.text.toUpperCase(),this.tag("#UpperCase","toUpperCase"),this},toLowerCase:function(){return this.text=this.text.toLowerCase(),this.unTag("#TitleCase"),this.unTag("#UpperCase"),this},toTitleCase:function(){return this.text=this.text.replace(/^[a-z]/,(B)=>B.toUpperCase()),this.tag("#TitleCase","toTitleCase"),this},needsTitleCase:function(){const B=["Person","Place","Organization","Acronym","UpperCase","Currency","RomanNumeral","Month","WeekDay","Holiday","Demonym"];for(let V=0;V{D.prototype[B]=_[B]}),D}},{}],173:[function(E,C){"use strict";const N=E("./bestTag"),D=/([A-Z]\.)+[A-Z]?$/,_=/^[A-Z]\.$/,B=/[A-Z]{3}$/,j=/[aeiouy]/i,V=/[a-z]/,z=/[0-9]/;C.exports=($)=>{const G={bestTag:function(){return N(this)},isAcronym:function(){return!0===D.test(this.text)||!0===_.test(this.text)||!0===B.test(this.text)},isWord:function(){let O=this;if(O.silent_term)return!0;if(!1===/[a-z|A-Z|0-9]/.test(O.text))return!1;if(1{$.prototype[O]=G[O]}),$}},{"./bestTag":171}],174:[function(E,C){"use strict";const N=E("./normalize").addNormal,D=E("./root");C.exports=(B)=>{const j={normalize:function(){return N(this),D(this),this}};return Object.keys(j).forEach((V)=>{B.prototype[V]=j[V]}),B}},{"./normalize":175,"./root":176}],175:[function(E,C,A){"use strict";const N=E("./unicode");A.normalize=function(D){return D=D||"",D=D.toLowerCase(),D=D.trim(),D=N(D),D=D.replace(/^[#@]/,""),D=D.replace(/[\u2018\u2019\u201A\u201B\u2032\u2035]+/g,"'"),D=D.replace(/[\u201C\u201D\u201E\u201F\u2033\u2036"]+/g,""),D=D.replace(/\u2026/g,"..."),D=D.replace(/\u2013/g,"-"),!1===/^[:;]/.test(D)&&(D=D.replace(/\.{3,}$/g,""),D=D.replace(/['",\.!:;\?\)]$/g,""),D=D.replace(/^['"\(]/g,"")),D},A.addNormal=function(D){let _=D._text||"";_=A.normalize(_),D.isAcronym()&&(_=_.replace(/\./g,"")),_=_.replace(/([0-9]),([0-9])/g,"$1$2"),D.normal=_}},{"./unicode":177}],176:[function(E,C){"use strict";C.exports=function(D){let _=D.normal||D.silent_term||"";_=_.replace(/'s\b/,""),_=_.replace(/'\b/,""),D.root=_}},{}],177:[function(E,C){"use strict";let N={"!":"\xA1","?":"\xBF\u0241",a:"\xAA\xC0\xC1\xC2\xC3\xC4\xC5\xE0\xE1\xE2\xE3\xE4\xE5\u0100\u0101\u0102\u0103\u0104\u0105\u01CD\u01CE\u01DE\u01DF\u01E0\u01E1\u01FA\u01FB\u0200\u0201\u0202\u0203\u0226\u0227\u023A\u0386\u0391\u0394\u039B\u03AC\u03B1\u03BB\u0410\u0414\u0430\u0434\u0466\u0467\u04D0\u04D1\u04D2\u04D3\u019B\u0245\xE6",b:"\xDF\xFE\u0180\u0181\u0182\u0183\u0184\u0185\u0243\u0392\u03B2\u03D0\u03E6\u0411\u0412\u042A\u042C\u0431\u0432\u044A\u044C\u0462\u0463\u048C\u048D\u0494\u0495\u01A5\u01BE",c:"\xA2\xA9\xC7\xE7\u0106\u0107\u0108\u0109\u010A\u010B\u010C\u010D\u0186\u0187\u0188\u023B\u023C\u037B\u037C\u037D\u03F2\u03F9\u03FD\u03FE\u03FF\u0404\u0421\u0441\u0454\u0480\u0481\u04AA\u04AB",d:"\xD0\u010E\u010F\u0110\u0111\u0189\u018A\u0221\u018B\u018C\u01F7",e:"\xC8\xC9\xCA\xCB\xE8\xE9\xEA\xEB\u0112\u0113\u0114\u0115\u0116\u0117\u0118\u0119\u011A\u011B\u018E\u018F\u0190\u01DD\u0204\u0205\u0206\u0207\u0228\u0229\u0246\u0247\u0388\u0395\u039E\u03A3\u03AD\u03B5\u03BE\u03F1\u03F5\u03F6\u0400\u0401\u0415\u042D\u0435\u0450\u0451\u04BC\u04BD\u04BE\u04BF\u04D6\u04D7\u04D8\u04D9\u04DA\u04DB\u04EC\u04ED",f:"\u0191\u0192\u03DC\u03DD\u04FA\u04FB\u0492\u0493\u04F6\u04F7\u017F",g:"\u011C\u011D\u011E\u011F\u0120\u0121\u0122\u0123\u0193\u01E4\u01E5\u01E6\u01E7\u01F4\u01F5",h:"\u0124\u0125\u0126\u0127\u0195\u01F6\u021E\u021F\u0389\u0397\u0402\u040A\u040B\u041D\u043D\u0452\u045B\u04A2\u04A3\u04A4\u04A5\u04BA\u04BB\u04C9\u04CA",I:"\xCC\xCD\xCE\xCF",i:"\xEC\xED\xEE\xEF\u0128\u0129\u012A\u012B\u012C\u012D\u012E\u012F\u0130\u0131\u0196\u0197\u0208\u0209\u020A\u020B\u038A\u0390\u03AA\u03AF\u03B9\u03CA\u0406\u0407\u0456\u0457",j:"\u0134\u0135\u01F0\u0237\u0248\u0249\u03F3\u0408\u0458",k:"\u0136\u0137\u0138\u0198\u0199\u01E8\u01E9\u039A\u03BA\u040C\u0416\u041A\u0436\u043A\u045C\u049A\u049B\u049C\u049D\u049E\u049F\u04A0\u04A1",l:"\u0139\u013A\u013B\u013C\u013D\u013E\u013F\u0140\u0141\u0142\u019A\u01AA\u01C0\u01CF\u01D0\u0234\u023D\u0399\u04C0\u04CF",m:"\u039C\u03FA\u03FB\u041C\u043C\u04CD\u04CE",n:"\xD1\xF1\u0143\u0144\u0145\u0146\u0147\u0148\u0149\u014A\u014B\u019D\u019E\u01F8\u01F9\u0220\u0235\u039D\u03A0\u03AE\u03B7\u03DE\u040D\u0418\u0419\u041B\u041F\u0438\u0439\u043B\u043F\u045D\u048A\u048B\u04C5\u04C6\u04E2\u04E3\u04E4\u04E5\u03C0",o:"\xD2\xD3\xD4\xD5\xD6\xD8\xF0\xF2\xF3\xF4\xF5\xF6\xF8\u014C\u014D\u014E\u014F\u0150\u0151\u019F\u01A0\u01A1\u01D1\u01D2\u01EA\u01EB\u01EC\u01ED\u01FE\u01FF\u020C\u020D\u020E\u020F\u022A\u022B\u022C\u022D\u022E\u022F\u0230\u0231\u038C\u0398\u039F\u03B8\u03BF\u03C3\u03CC\u03D5\u03D8\u03D9\u03EC\u03ED\u03F4\u041E\u0424\u043E\u0472\u0473\u04E6\u04E7\u04E8\u04E9\u04EA\u04EB\xA4\u018D\u038F",p:"\u01A4\u01BF\u03A1\u03C1\u03F7\u03F8\u03FC\u0420\u0440\u048E\u048F\xDE",q:"\u024A\u024B",r:"\u0154\u0155\u0156\u0157\u0158\u0159\u01A6\u0210\u0211\u0212\u0213\u024C\u024D\u0403\u0413\u042F\u0433\u044F\u0453\u0490\u0491",s:"\u015A\u015B\u015C\u015D\u015E\u015F\u0160\u0161\u01A7\u01A8\u0218\u0219\u023F\u03C2\u03DA\u03DB\u03DF\u03E8\u03E9\u0405\u0455",t:"\u0162\u0163\u0164\u0165\u0166\u0167\u01AB\u01AC\u01AD\u01AE\u021A\u021B\u0236\u023E\u0393\u03A4\u03C4\u03EE\u03EF\u0422\u0442\u0482\u04AC\u04AD",u:"\xB5\xD9\xDA\xDB\xDC\xF9\xFA\xFB\xFC\u0168\u0169\u016A\u016B\u016C\u016D\u016E\u016F\u0170\u0171\u0172\u0173\u01AF\u01B0\u01B1\u01B2\u01D3\u01D4\u01D5\u01D6\u01D7\u01D8\u01D9\u01DA\u01DB\u01DC\u0214\u0215\u0216\u0217\u0244\u03B0\u03BC\u03C5\u03CB\u03CD\u03D1\u040F\u0426\u0427\u0446\u045F\u04B4\u04B5\u04B6\u04B7\u04CB\u04CC\u04C7\u04C8",v:"\u03BD\u0474\u0475\u0476\u0477",w:"\u0174\u0175\u019C\u03C9\u03CE\u03D6\u03E2\u03E3\u0428\u0429\u0448\u0449\u0461\u047F",x:"\xD7\u03A7\u03C7\u03D7\u03F0\u0425\u0445\u04B2\u04B3\u04FC\u04FD\u04FE\u04FF",y:"\xDD\xFD\xFF\u0176\u0177\u0178\u01B3\u01B4\u0232\u0233\u024E\u024F\u038E\u03A5\u03AB\u03B3\u03C8\u03D2\u03D3\u03D4\u040E\u0423\u0443\u0447\u045E\u0470\u0471\u04AE\u04AF\u04B0\u04B1\u04EE\u04EF\u04F0\u04F1\u04F2\u04F3",z:"\u0179\u017A\u017B\u017C\u017D\u017E\u01A9\u01B5\u01B6\u0224\u0225\u0240\u0396\u03B6"},D={};Object.keys(N).forEach(function(B){N[B].split("").forEach(function(j){D[j]=B})});C.exports=(B)=>{let j=B.split("");return j.forEach((V,z)=>{D[V]&&(j[z]=D[V])}),j.join("")}},{}],178:[function(E,C){"use strict";const N=E("./renderHtml"),D=E("../../paths").fns,_={text:function(j){return j.whitespace.before+j._text+j.whitespace.after},normal:function(j){return j.normal},root:function(j){return j.root||j.normal},html:function(j){return N(j)},tags:function(j){return{text:j.text,normal:j.normal,tags:Object.keys(j.tags)}},debug:function(j){let V=Object.keys(j.tags).map(($)=>{return D.printTag($)}).join(", "),z=j.text;z="'"+D.yellow(z||"-")+"'";let F="";j.silent_term&&(F="["+j.silent_term+"]"),z=D.leftPad(z,25),z+=D.leftPad(F,5),console.log(" "+z+" - "+V)}};C.exports=(j)=>{return j.prototype.out=function(V){return _[V]||(V="text"),_[V](this)},j}},{"../../paths":185,"./renderHtml":179}],179:[function(E,C){"use strict";const N=(B)=>{const j={"<":"<",">":">","&":"&","\"":""","'":"'"," ":" "};return B.replace(/[<>&"' ]/g,function(V){return j[V]})},D=(B)=>{const V=/<(?:!--(?:(?:-*[^->])*--+|-?)|script\b(?:[^"'>]|"[^"]*"|'[^']*')*>[\s\S]*?<\/script\s*|style\b(?:[^"'>]|"[^"]*"|'[^']*')*>[\s\S]*?<\/style\s*|\/?[a-z](?:[^"'>]|"[^"]*"|'[^']*')*)>/gi;let z;do z=B,B=B.replace(V,"");while(B!==z);return B.replace(/"Term"!==F);j=j.map((F)=>"nl-"+F),j=j.join(" ");let V=D(B.text);V=N(V);let z=""+V+"";return N(B.whitespace.before)+z+N(B.whitespace.after)}},{}],180:[function(E,C){"use strict";const N=/([a-z])([,:;\/.(\.\.\.)\!\?]+)$/i;C.exports=(_)=>{const B={endPunctuation:function(){let j=this.text.match(N);if(j){if(void 0!=={",":"comma",":":"colon",";":"semicolon",".":"period","...":"elipses","!":"exclamation","?":"question"}[j[2]])return j[2]}return null},setPunctuation:function(j){return this.killPunctuation(),this.text+=j,this},hasComma:function(){return"comma"===this.endPunctuation()},killPunctuation:function(){return this.text=this._text.replace(N,"$1"),this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{}],181:[function(E,C){"use strict";const N=E("../../paths"),D=N.tags,_=function(B,j){if(D[j]===void 0)return!0;let V=D[j].enemy||[];for(let z=0;z{const V={tag:function(z,F){N(this,z,F)},unTag:function(z,F){D(this,z,F)},canBe:function(z){return z=z||"",z=z.replace(/^#/,""),_(this,z)}};return Object.keys(V).forEach((z)=>{j.prototype[z]=V[z]}),j}},{"./canBe":181,"./setTag":183,"./unTag":184}],183:[function(E,C){"use strict";const N=E("../../paths"),D=N.log,_=N.tags,B=N.fns,j=E("./unTag"),V=(F,$,G)=>{if(($=$.replace(/^#/,""),!0!==F.tags[$])&&(F.tags[$]=!0,D.tag(F,$,G),_[$])){let O=_[$].enemy;for(let H=0;H "+$)}}};C.exports=function(F,$,G){return F&&$?B.isArray($)?void $.forEach((O)=>V(F,O,G)):void(V(F,$,G),_[$]&&_[$].also!==void 0&&V(F,_[$].also,G)):void 0}},{"../../paths":185,"./unTag":184}],184:[function(E,C){"use strict";const N=E("../../paths"),D=N.log,_=N.tags,B=(V,z,F)=>{if(V.tags[z]&&(D.unTag(V,z,F),delete V.tags[z],_[z])){let $=_[z].downward;for(let G=0;G<$.length;G++)B(V,$[G]," - - - ")}};C.exports=(V,z,F)=>{if(V&&z){if("*"===z)return void(V.tags={});B(V,z,F)}}},{"../../paths":185}],185:[function(E,C){C.exports={fns:E("../fns"),log:E("../log"),tags:E("../tagset")}},{"../fns":21,"../log":23,"../tagset":163}],186:[function(E,C){"use strict";const N=/^(\s|-+|\.\.+)+/,D=/(\s+|-+|\.\.+)$/;C.exports=(B)=>{let j={before:"",after:""},V=B.match(N);return null!==V&&(j.before=V[0],B=B.replace(N,"")),V=B.match(D),null!==V&&(B=B.replace(D,""),j.after=V[0]),{whitespace:j,text:B}}},{}],187:[function(E,C){"use strict";const N=E("../term"),D=/^([a-z]+)(-)([a-z0-9].*)/i,_=/\S/,B={"-":!0,"\u2013":!0,"--":!0,"...":!0};C.exports=function(V){let z=[],F=[];V=V||"","number"==typeof V&&(V=""+V);const $=V.split(/(\S+)/);for(let O=0;O<$.length;O++){const H=$[O];if(!0===D.test(H)){const M=H.split("-");for(let S=0;Snew N(O))}},{"../term":169}],188:[function(E,C){C.exports={parent:{get:function(){return this.refText||this},set:function(N){return this.refText=N,this}},parentTerms:{get:function(){return this.refTerms||this},set:function(N){return this.refTerms=N,this}},dirty:{get:function(){for(let N=0;N{D.dirty=N})}},refTerms:{get:function(){return this._refTerms||this},set:function(N){return this._refTerms=N,this}},found:{get:function(){return 0{return this.firstTerm().whitespace.before=N,this},after:(N)=>{return this.lastTerm().whitespace.after=N,this}}}}}},{}],189:[function(E,C){"use strict";const N=E("./build"),D=E("./getters"),_=function(B,j,V,z){this.terms=B,this.lexicon=j,this.refText=V,this._refTerms=z,this._cacheWords={},this.count=void 0,this.get=($)=>{return this.terms[$]};let F=Object.keys(D);for(let $=0;${F.parentTerms=z}),z},E("./match")(_),E("./methods/loops")(_),E("./match/not")(_),E("./methods/delete")(_),E("./methods/insert")(_),E("./methods/misc")(_),E("./methods/out")(_),E("./methods/replace")(_),E("./methods/split")(_),E("./methods/transform")(_),E("./methods/lump")(_),C.exports=_},{"./build":187,"./getters":188,"./match":190,"./match/not":197,"./methods/delete":198,"./methods/insert":199,"./methods/loops":200,"./methods/lump":202,"./methods/misc":203,"./methods/out":204,"./methods/replace":205,"./methods/split":206,"./methods/transform":207}],190:[function(E,C){"use strict";const N=E("./lib/syntax"),D=E("./lib/startHere"),_=E("../../result"),B=E("./lib");C.exports=(V)=>{const z={match:function(F,$){if(0===this.terms.length)return new _([],this.lexicon,this.parent);if(!F)return new _([],this.lexicon,this.parent);let G=B(this,F,$);return G=G.map((O)=>{return new V(O,this.lexicon,this.refText,this.refTerms)}),new _(G,this.lexicon,this.parent)},matchOne:function(F){if(0===this.terms.length)return null;let $=N(F);for(let G=0,O;G{V.prototype[F]=z[F]}),V}},{"../../result":26,"./lib":192,"./lib/startHere":195,"./lib/syntax":196}],191:[function(E,C){"use strict";C.exports=(D,_)=>{for(let B=0;B<_.length;B++){let j=_[B],V=!1;if(!0!==j.optional&&!0!==j.negative){if(void 0!==j.normal){for(let z=0;z{if("string"==typeof V&&(V=N(V)),!V||0===V.length)return[];if(!0===_(j,V,z))return[];let F=[];for(let $=0,G;${if(!_||!B)return!1;if(!0===B.anyOne)return!0;if(void 0!==B.tag)return _.tags[B.tag];if(void 0!==B.normal)return B.normal===_.normal||B.normal===_.silent_term;if(void 0!==B.oneOf){for(let j=0;j{let V=N(_,B,j);return B.negative&&(V=!!!V),V}},{}],194:[function(E,C,A){arguments[4][89][0].apply(A,arguments)},{"../../paths":209,dup:89}],195:[function(E,C){"use strict";const N=E("./isMatch"),D=(j,V,z)=>{for(V=V;V{for(V=V;V{let $=V;for(let G=0;GI.max)return null;$=S+1,G+=1;continue}if(!0===H.optional){let S=z[G+1];$=_(j,$,H,S);continue}if(N(O,H,F)){if($+=1,!0===H.consecutive){let S=z[G+1];$=_(j,$,H,S)}continue}if(O.silent_term&&!O.normal){if(0===G)return null;$+=1,G-=1;continue}if(!0!==H.optional)return null}return j.terms.slice(V,$)}},{"./isMatch":193}],196:[function(E,C){"use strict";const N=E("./paths").fns,D=function(V){return V.substr(1,V.length)},_=function(V){return V.substring(0,V.length-1)},B=function(V){V=V||"",V=V.trim();let z={};if("!"===V.charAt(0)&&(V=D(V),z.negative=!0),"^"===V.charAt(0)&&(V=D(V),z.starting=!0),"$"===V.charAt(V.length-1)&&(V=_(V),z.ending=!0),"?"===V.charAt(V.length-1)&&(V=_(V),z.optional=!0),"+"===V.charAt(V.length-1)&&(V=_(V),z.consecutive=!0),"#"===V.charAt(0)&&(V=D(V),z.tag=N.titleCase(V),V=""),"("===V.charAt(0)&&")"===V.charAt(V.length-1)){V=_(V),V=D(V);let F=V.split(/\|/g);z.oneOf={terms:{},tagArr:[]},F.forEach(($)=>{if("#"===$.charAt(0)){let G=$.substr(1,$.length);G=N.titleCase(G),z.oneOf.tagArr.push(G)}else z.oneOf.terms[$]=!0}),V=""}if("{"===V.charAt(0)&&"}"===V.charAt(V.length-1)){let F=V.match(/\{([0-9]+), ?([0-9]+)\}/);z.minMax={min:parseInt(F[1],10),max:parseInt(F[2],10)},V=""}return"."===V&&(z.anyOne=!0,V=""),"*"===V&&(z.astrix=!0,V=""),""!==V&&(z.normal=V.toLowerCase()),z};C.exports=function(V){return V=V||"",V=V.split(/ +/),V.map(B)}},{"./paths":194}],197:[function(E,C){"use strict";const N=E("./lib/syntax"),D=E("./lib/startHere"),_=E("../../result");C.exports=(j)=>{const V={notObj:function(z,F){let $=[],G=[];return z.terms.forEach((O)=>{F.hasOwnProperty(O.normal)?(G.length&&$.push(G),G=[]):G.push(O)}),G.length&&$.push(G),$=$.map((O)=>{return new j(O,z.lexicon,z.refText,z.refTerms)}),new _($,z.lexicon,z.parent)},notString:function(z,F,$){let G=[],O=N(F),H=[];for(let M=0,S;M{return new j(M,z.lexicon,z.refText,z.refTerms)}),new _(G,z.lexicon,z.parent)}};return V.notArray=function(z,F){let $=F.reduce((G,O)=>{return G[O]=!0,G},{});return V.notObj(z,$)},j.prototype.not=function(z,F){if("object"==typeof z){let $=Object.prototype.toString.call(z);if("[object Array]"===$)return V.notArray(this,z,F);if("[object Object]"===$)return V.notObj(this,z,F)}return"string"==typeof z?V.notString(this,z,F):this},j}},{"../../result":26,"./lib/startHere":195,"./lib/syntax":196}],198:[function(E,C){"use strict";const N=E("../mutate");C.exports=(_)=>{return _.prototype.delete=function(B){if(!this.found)return this;if(!B)return this.parentTerms=N.deleteThese(this.parentTerms,this),this;let j=this.match(B);if(j.found){let V=N.deleteThese(this,j);return V}return this.parentTerms},_}},{"../mutate":208}],199:[function(E,C){"use strict";const N=E("../mutate"),D=(B,j)=>{return B.terms.length&&B.terms[j]?(B.terms[j].whitespace.before=" ",B):B};C.exports=(B)=>{const j=function(z){if("Terms"===z.isA)return z;if("Term"===z.isA)return new B([z]);let F=B.fromString(z);return F.tagger(),F},V={insertBefore:function(z,F){let $=this.terms.length,G=j(z);F&&G.tag(F);let O=this.index();return D(this.parentTerms,O),0z&&(z=0);let G=this.terms.length,O=j(F);return $&&O.tag($),0{B.prototype[z]=V[z]}),B}},{"../mutate":208}],200:[function(E,C){"use strict";C.exports=(D)=>{return[["tag"],["unTag"],["toUpperCase","UpperCase"],["toLowerCase"],["toTitleCase","TitleCase"]].forEach((B)=>{let j=B[0],V=B[1];D.prototype[j]=function(){let F=arguments;return this.terms.forEach(($)=>{$[j].apply($,F)}),V&&this.tag(V,j),this}}),D}},{}],201:[function(E,C){"use strict";const N=E("../../../term"),D=(B,j)=>{let V=B.whitespace.before+B.text+B.whitespace.after;return V+=j.whitespace.before+j.text+j.whitespace.after,V};C.exports=function(B,j){let V=B.terms[j],z=B.terms[j+1];if(z){let F=D(V,z);return B.terms[j]=new N(F,V.context),B.terms[j].normal=V.normal+" "+z.normal,B.terms[j].parentTerms=B.terms[j+1].parentTerms,B.terms[j+1]=null,void(B.terms=B.terms.filter(($)=>null!==$))}}},{"../../../term":169}],202:[function(E,C){"use strict";const N=E("./combine"),D=E("../../mutate"),_=function(j,V){let z=j.terms.length;for(let $=0;${return j.prototype.lump=function(){let V=this.index(),z={};if(this.terms.forEach(($)=>{Object.keys($.tags).forEach((G)=>z[G]=!0)}),this.parentTerms===this){let $=_(this,z);return this.terms=[$],this}this.parentTerms=D.deleteThese(this.parentTerms,this);let F=_(this,z);return this.parentTerms.terms=D.insertAt(this.parentTerms.terms,V,F),this},j}},{"../../mutate":208,"./combine":201}],203:[function(E,C){"use strict";const N=E("../../tagger");C.exports=(_)=>{const B={tagger:function(){return N(this),this},firstTerm:function(){return this.terms[0]},lastTerm:function(){return this.terms[this.terms.length-1]},all:function(){return this.parent},data:function(){return{text:this.out("text"),normal:this.out("normal")}},term:function(j){return this.terms[j]},first:function(){let j=this.terms[0];return new _([j],this.lexicon,this.refText,this.refTerms)},last:function(){let j=this.terms[this.terms.length-1];return new _([j],this.lexicon,this.refText,this.refTerms)},slice:function(j,V){let z=this.terms.slice(j,V);return new _(z,this.lexicon,this.refText,this.refTerms)},endPunctuation:function(){return this.last().terms[0].endPunctuation()},index:function(){let j=this.parentTerms,V=this.terms[0];if(!j||!V)return null;for(let z=0;z{return j+=V.whitespace.before.length,j+=V.text.length,j+=V.whitespace.after.length,j},0)},wordCount:function(){return this.terms.length},canBe:function(j){let V=this.terms.filter((z)=>z.canBe(j));return new _(V,this.lexicon,this.refText,this.refTerms)},toCamelCase:function(){return this.toTitleCase(),this.terms.forEach((j,V)=>{0!==V&&(j.whitespace.before=""),j.whitespace.after=""}),this.tag("#CamelCase","toCamelCase"),this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{"../../tagger":129}],204:[function(E,C){"use strict";const N=E("../paths").fns,D={text:function(B){return B.terms.reduce((j,V)=>{return j+=V.out("text"),j},"")},normal:function(B){let j=B.terms.filter((V)=>{return V.text});return j=j.map((V)=>{return V.normal}),j.join(" ")},grid:function(B){var j=" ";return j+=B.terms.reduce((V,z)=>{return V+=N.leftPad(z.text,11),V},""),j+"\n\n"},color:function(B){return B.terms.reduce((j,V)=>{return j+=N.printTerm(V),j},"")},root:function(B){return B.terms.filter((j)=>j.text).map((j)=>j.root).join(" ").toLowerCase()},html:function(B){return B.terms.map((j)=>j.render.html()).join(" ")},debug:function(B){B.terms.forEach((j)=>{j.out("debug")})}};D.plaintext=D.text,D.normalize=D.normal,D.normalized=D.normal,D.colors=D.color,D.tags=D.terms;C.exports=(B)=>{return B.prototype.out=function(j){return D[j]?D[j](this):D.text(this)},B.prototype.debug=function(){return D.debug(this)},B}},{"../paths":209}],205:[function(E,C){"use strict";const N=E("../mutate");C.exports=(_)=>{const B={replace:function(j,V){return void 0===V?this.replaceWith(j):(this.match(j).replaceWith(V),this)},replaceWith:function(j,V){let z=_.fromString(j);z.tagger(),V&&z.tag(V,"user-given");let F=this.index();return this.parentTerms=N.deleteThese(this.parentTerms,this),this.parentTerms.terms=N.insertAt(this.parentTerms.terms,F,z),this.terms=z.terms,this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{"../mutate":208}],206:[function(E,C,A){"use strict";const N=(_,B)=>{let j=B.terms[0],V=B.terms.length;for(let z=0;z<_.length;z++)if(_[z]===j)return{before:_.slice(0,z),match:_.slice(z,z+V),after:_.slice(z+V,_.length)};return{after:_}},D=(_)=>{const B={splitAfter:function(j,V){let z=this.match(j,V),F=this.terms,$=[];return z.list.forEach((G)=>{let O=N(F,G);O.before&&O.match&&$.push(O.before.concat(O.match)),F=O.after}),F.length&&$.push(F),$=$.map((G)=>{let O=this.refText;return new _(G,this.lexicon,O,this.refTerms)}),$},splitOn:function(j,V){let z=this.match(j,V),F=this.terms,$=[];return z.list.forEach((G)=>{let O=N(F,G);O.before&&$.push(O.before),O.match&&$.push(O.match),F=O.after}),F.length&&$.push(F),$=$.filter((G)=>G&&G.length),$=$.map((G)=>new _(G,G.lexicon,G.refText,this.refTerms)),$},splitBefore:function(j,V){let z=this.match(j,V),F=this.terms,$=[];z.list.forEach((G)=>{let O=N(F,G);O.before&&$.push(O.before),O.match&&$.push(O.match),F=O.after}),F.length&&$.push(F);for(let G=0;G<$.length;G++)for(let O=0;OG&&G.length),$=$.map((G)=>new _(G,G.lexicon,G.refText,this.refTerms)),$}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_};C.exports=D,A=D},{}],207:[function(E,C){"use strict";C.exports=(D)=>{const _={clone:function(){let B=this.terms.map((j)=>{return j.clone()});return new D(B,this.lexicon,this.refText,null)},hyphenate:function(){return this.terms.forEach((B,j)=>{j!==this.terms.length-1&&(B.whitespace.after="-"),0!==j&&(B.whitespace.before="")}),this},dehyphenate:function(){return this.terms.forEach((B)=>{"-"===B.whitespace.after&&(B.whitespace.after=" ")}),this}};return Object.keys(_).forEach((B)=>{D.prototype[B]=_[B]}),D}},{}],208:[function(E,C,A){"use strict";const N=(D)=>{let _=[];return"Terms"===D.isA?_=D.terms:"Text"===D.isA?_=D.flatten().list[0].terms:"Term"===D.isA&&(_=[D]),_};A.deleteThese=(D,_)=>{let B=N(_);return D.terms=D.terms.filter((j)=>{for(let V=0;V{B.dirty=!0;let j=N(B);return 0<_&&j[0]&&!j[0].whitespace.before&&(j[0].whitespace.before=" "),Array.prototype.splice.apply(D,[_,0].concat(j)),D}},{}],209:[function(E,C){C.exports={data:E("../data"),lexicon:E("../data"),fns:E("../fns"),Term:E("../term")}},{"../data":6,"../fns":21,"../term":169}],210:[function(E,C){C.exports="0:68;1:5A;2:6A;3:4I;4:5K;5:5N;6:62;7:66;a5Yb5Fc51d4Le49f3Vg3Ih35i2Tj2Rk2Ql2Fm27n1Zo1Kp13qu11r0Vs05tYuJvGw8year1za1D;arEeDholeCiBo9r8;o4Hy;man1o8u5P;d5Rzy;ck0despr63ly,ry;!sa3;a4Gek1lco1C;p0y;a9i8ola3W;b6Fol4K;gabo5Hin,nilla,rio5B;g1lt3ZnDpArb4Ms9tter8;!mo6;ed,u2;b1Hp9s8t19;ca3et,tairs;er,i3R;authorFdeDeCfair,ivers2known,like1precedMrAs9ti5w8;iel5ritt5C;ig1Kupervis0;e8u1;cognBgul5Il5I;v58xpect0;cid0r8;!grou53stood;iz0;aCeBiAo9r8;anqu4Jen5i4Doubl0ue;geth4p,rp5H;dy,me1ny;en57st0;boo,l8n,wd3R;ent0;aWca3PeUhTiRkin0FlOmNnobb42oKpIqueam42tCu8ymb58;bAdd4Wp8r3F;er8re0J;!b,i1Z;du0t3;aCeAi0Nr9u8yl3X;p56r5;aightfor4Vip0;ad8reotyp0;fa6y;nda5Frk;a4Si8lend51rig0V;cy,r19;le9mb4phist1Lr8u13vi3J;d4Yry;!mn;el1ug;e9i8y;ck,g09my;ek,nd4;ck,l1n8;ce4Ig3;a5e4iTut,y;c8em1lf3Fni1Fre1Eve4Gxy;o11r38;cr0int1l2Lme,v1Z;aCeAi9o8;bu6o2Csy,y2;ght0Ytzy,v2;a8b0Ucondi3Emo3Epublic37t1S;dy,l,r;b4Hci6gg0nd3S;a8icke6;ck,i4V;aKeIhoHicayu13lac4EoGr9u8;bl4Amp0ny;eDiAo8;!b02f8p4;ou3Su7;c9m8or;a2Le;ey,k1;ci7mi14se4M;li30puli6;ny;r8ti2Y;fe4Cv2J;in1Lr8st;allel0t8;-ti8i2;me;bKffIi1kHnGpFrg0Yth4utEv8;al,er8;!aBn9t,w8;e8roug9;ig8;ht;ll;do0Ger,g1Ysi0E;en,posi2K;g1Wli0D;!ay;b8li0B;eat;e7s8;ce08ole2E;aEeDiBo8ua3M;b3n9rLsy,t8;ab3;descri3Qstop;g8mb3;ht1;arby,cessa1Pighbor1xt;ive,k0;aDeBiAo8ultip3;bi3dern,l5n1Jo8st;dy,t;ld,nX;a8di04re;s1ty;cab2Vd1genta,in,jUkeshift,le,mmo8ny;th;aHeCiAo8;f0Zne1u8ve1w1y2;sy,t1Q;ke1m8ter2ve1;it0;ftBg9th2v8wd;el;al,e8;nda17;!-Z;ngu2Sst,tt4;ap1Di0EnoX;agg0ol1u8;i1ZniFstifi0veni3;cy,de2gno33llImFn8;br0doDiGn4sAt8;a2Wen7ox8;ic2F;a9i8;de;ne;or;men7p8;ar8erfe2Port0rop4;ti2;!eg2;aHeEiCoBu8;ge,m8rt;b3dr8id;um;me1ne6ok0s03ur1;ghfalut1Bl1sp8;an23;a9f03l8;l0UpO;dy,ven1;l9n5rro8;wi0A;f,low0;aIener1WhGid5loFoDr9u8;ard0;aAey,is1o8;o8ss;vy;tis,y;ld,ne,o8;d,fy;b2oI;a8o8;st1;in8u5y;ful;aIeGiElag21oArie9u8;n,rY;nd1;aAol09r8ul;e8m4;gPign;my;erce ,n8t;al,i09;ma3r8;ti3;bl0ke,l7n0Lr,u8vori06;l8x;ty;aEerie,lDnti0ZtheCvBx8;a1Hcess,pe9t8ube1M;ra;ct0rt;eryday,il;re2;dLiX;rBs8;t,yg8;oi8;ng;th1;aLeHiCoArea9u8;e,mb;ry;ne,ub3;le;dact0Officu0Xre,s9v8;er7;cre9eas0gruntl0hone6ord8tress0;er1;et;adpAn7rang0t9vo8;ut;ail0ermin0;an;i1mag0n8pp4;ish;agey,ertaKhIivHlFoAr8udd1;a8isp,owd0;mp0vZz0;loBm9ncre8rZst1vert,ward1zy;te;mon,ple8;te,x;ni2ss2;ev4o8;s0u5;il;eesy,i8;ef,l1;in;aLeIizarTlFoBrAu8;r1sy;ly;isk,okK;gAld,tt9un8;cy;om;us;an9iCo8;nd,o5;d,k;hi9lov0nt,st,tt4yo9;er;nd;ckBd,ld,nkArr9w5;dy;en;ruW;!wards;bRctu2dKfraJgain6hHlEntiquDpCrab,sleep,verBw8;a9k8;waU;re;age;pareUt;at0;coh8l,oof;ol8;ic;ead;st;id;eHuCv8;a9er7;se;nc0;ed;lt;al;erElDoBruAs8;eEtra8;ct;pt;a8ve;rd;aze,e;ra8;nt"},{}],211:[function(E,C){C.exports="a06by 04d00eXfShQinPjustOkinda,mMnKoFpDquite,rAs6t3up2very,w1ye0;p,s;ay,ell; to,wards5;h1o0wiN;o,t6ward;en,us;everal,o0uch;!me1on,rt0; of;hVtimes,w05;a1e0;alQ;ndomPthL;ar excellCer0oint blank; Khaps;f3n0;ce0ly;! 0;agYmoS; courFten;ewHo0; longCt withstanding;aybe,eanwhi9ore0;!ovA;! aboR;deed,steS;en0;ce;or1urther0;!moH; 0ev3;examp0good,suF;le;n mas1v0;er;se;amn,e0irect1; 1finite0;ly;ju7trop;far,n0;ow; CbroBd nauseam,gAl5ny2part,side,t 0w3;be5l0mo5wor5;arge,ea4;mo1w0;ay;re;l 1mo0one,ready,so,ways;st;b1t0;hat;ut;ain;ad;lot,posteriori"},{}],212:[function(E,C){C.exports="aCbBcAd9f8h7i6jfk,kul,l4m3ord,p1s0yyz;fo,yd;ek,h0;l,x;co,ia,uc;a0gw,hr;s,x;ax,cn,st;kg,nd;co,ra;en,fw,xb;dg,gk,lt;cn,kk;ms,tl"},{}],213:[function(E,C){C.exports="a2Tb23c1Td1Oe1Nf1Lg1Gh18i16jakar2Ek0Xl0Rm0En0Ao08pXquiWrTsJtAu9v6w3y1z0;agreb,uri1W;ang1Qe0okohama;katerin1Frev31;ars1ellingt1Oin0rocl1;nipeg,terth0V;aw;a1i0;en2Glni2Y;lenc2Tncouv0Gr2F;lan bat0Dtrecht;a6bilisi,e5he4i3o2rondheim,u0;nVr0;in,ku;kyo,ronIulouC;anj22l13miso2Ira29; haJssaloni0X;gucigalpa,hr2Nl av0L;i0llinn,mpe2Angi07rtu;chu21n2LpT;a3e2h1kopje,t0ydney;ockholm,uttga11;angh1Eenzh1W;o0KvZ;int peters0Ul3n0ppo1E; 0ti1A;jo0salv2;se;v0z0Q;adU;eykjavik,i1o0;me,sario,t24;ga,o de janei16;to;a8e6h5i4o2r0ueb1Pyongya1M;a0etor23;gue;rt0zn23; elizabe3o;ls1Frae23;iladelph1Ynom pe07oenix;r0tah tik18;th;lerJr0tr0Z;is;dessa,s0ttawa;a1Glo;a2ew 0is;delTtaip0york;ei;goya,nt0Tpl0T;a5e4i3o1u0;mb0Kni0H;nt0scH;evideo,real;l1Ln01skolc;dell\xEDn,lbour0R;drid,l5n3r0;ib1se0;ille;or;chest0dalay,i0Y;er;mo;a4i1o0uxembou1FvAy00;ndZs angel0E;ege,ma0nz,sbYverpo1;!ss0;ol; pla0Husan0E;a5hark4i3laipeda,o1rak0uala lump2;ow;be,pavog0sice;ur;ev,ng8;iv;b3mpa0Jndy,ohsiu0Gra0un02;c0j;hi;ncheLstanb0\u0307zmir;ul;a5e3o0; chi mi1ms,u0;stH;nh;lsin0rakliF;ki;ifa,m0noi,va09;bu0RiltC;dan3en2hent,iza,othen1raz,ua0;dalaj0Fngzhou,tema05;bu0O;eToa;sk;es,rankfu0;rt;dmont4indhovU;a1ha01oha,u0;blRrb0Eshanbe;e0kar,masc0FugavpiJ;gu,je0;on;a7ebu,h2o0raioJuriti01;lo0nstanJpenhagNrk;gFmbo;enn3i1ristchur0;ch;ang m1c0ttagoL;ago;ai;i0lgary,pe town,rac4;ro;aHeBirminghWogoAr5u0;char3dap3enos air2r0sZ;g0sa;as;es;est;a2isba1usse0;ls;ne;silPtisla0;va;ta;i3lgrade,r0;g1l0n;in;en;ji0rut;ng;ku,n3r0sel;celo1ranquil0;la;na;g1ja lu0;ka;alo0kok;re;aBb9hmedabad,l7m4n2qa1sh0thens,uckland;dod,gabat;ba;k0twerp;ara;m5s0;terd0;am;exandr0maty;ia;idj0u dhabi;an;lbo1rh0;us;rg"},{}],214:[function(E,C){C.exports="0:39;1:2M;a2Xb2Ec22d1Ye1Sf1Mg1Bh19i13j11k0Zl0Um0Gn05om3DpZqat1JrXsKtCu6v4wal3yemTz2;a25imbabwe;es,lis and futu2Y;a2enezue32ietnam;nuatu,tican city;.5gTkraiZnited 3ruXs2zbeE;a,sr;arab emirat0Kkingdom,states2;! of am2Y;k.,s.2; 28a.;a7haBimor-les0Bo6rinidad4u2;nis0rk2valu;ey,me2Ys and caic1U; and 2-2;toba1K;go,kel0Ynga;iw2Wji2nz2S;ki2U;aCcotl1eBi8lov7o5pa2Cri lanka,u4w2yr0;az2ed9itzerl1;il1;d2Rriname;lomon1Wmal0uth 2;afr2JkLsud2P;ak0en0;erra leoEn2;gapo1Xt maart2;en;negKrb0ychellY;int 2moa,n marino,udi arab0;hele25luc0mart20;epublic of ir0Com2Duss0w2;an26;a3eHhilippinTitcairn1Lo2uerto riM;l1rtugE;ki2Cl3nama,pua new0Ura2;gu6;au,esti2;ne;aAe8i6or2;folk1Hth3w2;ay; k2ern mariana1C;or0N;caragua,ger2ue;!ia;p2ther19w zeal1;al;mib0u2;ru;a6exi5icro0Ao2yanm04;ldova,n2roc4zamb9;a3gol0t2;enegro,serrat;co;c9dagascZl6r4urit3yot2;te;an0i15;shall0Wtin2;ique;a3div2i,ta;es;wi,ys0;ao,ed01;a5e4i2uxembourg;b2echtenste11thu1F;er0ya;ban0Hsotho;os,tv0;azakh1Ee2iriba03osovo,uwait,yrgyz1E;eling0Knya;a2erFord1D;ma16p1C;c6nd5r3s2taly,vory coast;le of m1Arael;a2el1;n,q;ia,oJ;el1;aiTon2ungary;dur0Ng kong;aBeAha0Qibralt9re7u2;a5ern4inea2ya0P;!-biss2;au;sey;deloupe,m,tema0Q;e2na0N;ce,nl1;ar;org0rmany;bTmb0;a6i5r2;ance,ench 2;guia0Dpoly2;nes0;ji,nl1;lklandTroeT;ast tim6cu5gypt,l salv5ngl1quatorial3ritr4st2thiop0;on0; guin2;ea;ad2;or;enmark,jibou4ominica3r con2;go;!n B;ti;aAentral african 9h7o4roat0u3yprQzech2; 8ia;ba,racao;c3lo2morPngo-brazzaville,okFsta r03te d'ivoiK;mb0;osD;i2ristmasF;le,na;republic;m2naTpe verde,yman9;bod0ero2;on;aFeChut00o8r4u2;lgar0r2;kina faso,ma,undi;azil,itish 2unei;virgin2; is2;lands;liv0nai4snia and herzegoviGtswaGuvet2; isl1;and;re;l2n7rmuF;ar2gium,ize;us;h3ngladesh,rbad2;os;am3ra2;in;as;fghaFlCmAn5r3ustr2zerbaijH;al0ia;genti2men0uba;na;dorra,g4t2;arct6igua and barbu2;da;o2uil2;la;er2;ica;b2ger0;an0;ia;ni2;st2;an"},{}],215:[function(E,C){C.exports="0:17;a0Wb0Mc0Bd09e08f06g03h01iXjUkSlOmKnHomGpCqatari,rAs6t4u3v2wel0Qz1;am0Eimbabwe0;enezuel0ietnam0G;g8krai11;aiwShai,rinida0Hu1;ni0Prkmen;a3cot0Je2ingapoNlovak,oma0Tpa04udQw1y0X;edi0Jiss;negal0Ar07;mo0uT;o5us0Kw1;and0;a2eru0Ghilipp0Po1;li0Drtugu05;kist2lesti0Qna1raguay0;ma0P;ani;amiYi1orweO;caragu0geri1;an,en;a2ex0Mo1;ngo0Erocc0;cedo0Ila1;gasy,y07;a3eb8i1;b1thua0F;e0Dy0;o,t01;azakh,eny0o1uwaiti;re0;a1orda0A;ma0Bp1;anM;celandic,nd3r1sraeli,ta02vo06;a1iS;ni0qi;i0oneU;aiCin1ondur0unM;di;amCe1hanai0reek,uatemal0;or1rm0;gi0;i1ren6;lipino,n3;cuadoVgyp5ngliIstoWthiopi0urope0;a1ominXut3;niG;a8h5o3roa2ub0ze1;ch;ti0;lom1ngol4;bi0;a5i1;le0n1;ese;liforLm1na2;bo1erooK;di0;a9el7o5r2ul1;gaG;aziBi1;ti1;sh;li1sD;vi0;aru1gi0;si0;ngladeshi,sque;f9l6merAngol0r4si0us1;sie,tr1;a1i0;li0;gent1me4;ine;ba2ge1;ri0;ni0;gh0r1;ic0;an"},{}],216:[function(E,C){C.exports="aZbYdTeRfuck,gQhKlHmGnFoCpAsh9u7voi01w3y0;a1eKu0;ck,p;!a,hoo,y;h1ow,t0;af,f;e0oa;e,w;gh,h0;! huh,-Oh,m;eesh,hh,it;ff,hew,l0sst;ease,z;h1o0w,y;h,o,ps;!h;ah,ope;eh,mm;m1ol0;!s;ao,fao;a3e1i,mm,urr0;ah;e,ll0y;!o;ha0i;!ha;ah,ee,oodbye,rr;e0h,t cetera,ww;k,p;'3a0uh;m0ng;mit,n0;!it;oh;ah,oo,ye; 1h0rgh;!em;la"},{}],217:[function(E,C){C.exports="0:81;1:7E;2:7G;3:7Y;4:65;5:7P;6:7T;7:7O;8:7U;9:7C;A:6K;B:7R;C:6X;D:79;a78b6Pc5Ud5Ce4Rf4Jg47h3Zi3Uj38k2Sl21m1An14o12p0Ur0FsYtNursu9vIwGyEza7;olan2vE;etDon5Z;an2enMhi6PilE;a,la,ma;aHeFiE;ctor1o9rgin1vi3B;l4VrE;a,na,oniA;len5Ones7N;aLeJheIi3onHrE;acCiFuE;dy;c1na,s8;i4Vya;l4Nres0;o3GrE;e1Oi,ri;bit8mEn29ra,s8;a7iEmy;!ka;aTel4HhLiKoItHuFyE;b7Tlv1;e,sEzV;an17i;acCel1H;f1nEph1;d7ia,ja,ya;lv1mon0;aHeEi24;e3i9lFrE;i,yl;ia,ly;nFrEu3w3;i,on;a,ia,nEon;a,on;b24i2l5Ymant8nd7raB;aPeLhon2i5oFuE;by,th;bIch4Pn2sFxE;an4W;aFeE;ma2Ut5;!lind;er5yn;bFnE;a,ee;a,eE;cAkaB;chEmo3qu3I;a3HelEi2;!e,le;aHeGhylFriE;scil0Oyamva2;is,lis;arl,t7;ige,mGrvati,tricFulE;a,etDin0;a,e,ia;!e9;f4BlE;ga,iv1;aIelHiForE;a,ma;cEkki,na;ho2No2N;!l;di6Hi36o0Qtas8;aOeKiHonFrignayani,uri2ZyrE;a,na,t2J;a,iE;ca,q3G;ch3SlFrE;an2iam;dred,iA;ag1DgGliFrE;ced63edi36;n2s5Q;an,han;bSdel4e,gdale3li59nRrHtil2uGvFx4yE;a,ra;is;de,re6;cMgKiGl3Fs8tFyanE;!n;a,ha,i3;aFb2Hja,l2Ena,sEtza;a,ol,sa;!nE;!a,e,n0;arEo,r4AueriD;et4Ai5;elLia;dakran5on,ue9;el,le;aXeSiOoKuGyE;d1nE;!a,da,e4Vn1D;ciGelFiEpe;sa;a,la;a,l3Un2;is,la,rEui2Q;aFeEna,ra4;n0t5;!in0;lGndEsa;a,sE;ay,ey,i,y;a,i0Fli0F;aHiGla,nFoEslCt1M;la,na;a,o7;gh,la;!h,n07;don2Hna,ra,tHurFvern0xE;mi;a,eE;l,n;as8is8oE;nEya;ya;aMeJhadija,iGrE;istEy2G;a,en,in0M;mErst6;!beE;rlC;is8lFnd7rE;i,ri;ey,i,lCy;nyakumari,rItFvi5yE;!la;aFe,hEi3Cri3y;ar4er4le6r12;ri3;a,en,iEla;!ma,n;aTeNilKoGuE;anEdi1Fl1st4;a,i5;!anGcel0VdFhan1Rl3Eni,seEva3y37;fi3ph4;i32y;!a,e,n02;!iFlE;!iE;an;anHle3nFri,sE;iAsiA;a,if3LnE;a,if3K;a,e3Cin0nE;a,e3Bin0;cHde,nEsm4vie7;a,eFiE;ce,n0s;!l2At2G;l0EquelE;in0yn;da,mog2Vngrid,rHsEva;abelFiE;do7;!a,e,l0;en0ma;aIeGilE;aEda,laE;ry;ath33i26lenEnriet5;!a,e;nFrE;i21ri21;aBnaB;aMeKiJlHrFwenE;!dolY;acEetch6;e,ie9;adys,enEor1;a,da,na;na,seH;nevieve,orgi0OrE;ald4trude;brielFil,le,yE;le;a,e,le;aKeIlorHrE;ancEe2ie2;es,iE;n0sA;a,en1V;lErn;ic1;tiPy1P;dWile6k5lPmOrMstJtHuGvE;a,elE;yn;gen1la,ni1O;hEta;el;eEh28;lEr;a,e,l0;iEma,nest4;ca,ka,n;ma;a4eIiFl6ma,oiVsa,vE;a,i7;sEzaF;aEe;!beH;anor,nE;!a;iEna;th;aReKiJoE;lHminiqGnPrE;a,e6is,othE;ea,y;ue;ly,or24;anWna;anJbIe,lGnEsir1Z;a,iE;se;a,ia,la,orE;es,is;oraBra;a,na;m1nFphn0rlE;a,en0;a,iE;el08;aYeVhSlOoHrEynth1;isFyE;stal;ti3;lJnsHrEur07;a,inFnE;el1;a,e,n0;tanEuelo;ce,za;e6le6;aEeo;ire,rFudE;etDia;a,i0A;arl0GeFloe,ristE;a,in0;ls0Qryl;cFlE;esDi1D;el1il0Y;itlin,milMndLrIsHtE;ali3hE;er4le6y;in0;a0Usa0U;a,la,meFolE;!e,in0yn;la,n;aViV;e,le;arbVeMiKlKoni5rE;anIen2iEooke;dgFtE;tnC;etE;!te;di;anA;ca;atriLcky,lin2rItFulaBverE;ly;h,tE;e,yE;!e;nEt8;adOiE;ce;ce,z;a7ra;biga0Kd0Egn0Di08lZmVnIrGshlCudrEva;a,ey,i,y;ey,i,y;lEpi5;en0;!a,dNeLgelJiIja,nGtoE;inEn1;etD;!a,eIiE;ka;ka,ta;a,iE;a,ca,n0;!tD;te;je9rE;ea;la;an2bFel1i3y;ia;er;da;ber5exaJiGma,ta,yE;a,sE;a,sa;cFsE;a,ha,on;e,ia;nd7;ra;ta;c8da,le6mFshaB;!h;ee;en;ha;es;a,elGriE;a3en0;na;e,iE;a,n0;a,e;il"},{}],218:[function(E,C){C.exports="aJblair,cHdevGguadalupe,jBk9l8m5r2sh0trinity;ay,e0iloh;a,lby;e1o0;bin,sario;ag1g1ne;ar1el,org0;an;ion,lo;ashawn,ee;asAe0;ls9nyatta,rry;a1e0;an,ss2;de,ime,m0n;ie,m0;ie;an,on;as0heyenne;ey,sidy;lexis,ndra,ubr0;ey"},{}],219:[function(E,C){C.exports="0:1P;1:1Q;a1Fb1Bc12d0Ye0Of0Kg0Hh0Di09june07kwanzaa,l04m00nYoVpRrPsEt8v6w4xm03y2;om 2ule;hasho16kippur;hit2int0Xomens equalit7; 0Ss0T;aGe2ictor1E;r1Bteran0;-1ax 1h6isha bav,rinityNu2; b3rke2;y 1;ish2she2;vat;a0Ye prophets birth1;a6eptember15h4imchat tor0Vt 3u2;kk4mmer U;a9p8s7valentines day ;avu2mini atzeret;ot;int 2mhain;a5p4s3va2;lentine0;tephen0;atrick0;ndrew0;amadan,ememberanc0Yos2;a park0h hashana;a3entecost,reside0Zur2;im,ple heart 1;lm2ssovE; s04;rthodox 2stara;christma0easter2goOhoJn0C;! m07;ational 2ew years09;freedom 1nurse0;a2emorial 1lHoOuharram;bMr2undy thurs1;ch0Hdi gr2tin luther k0B;as;a2itRughnassadh;bour 1g baom2ilat al-qadr;er; 2teenth;soliU;d aJmbolc,n2sra and miraj;augurGd2;ependen2igenous people0;c0Bt0;a3o2;ly satur1;lloween,nukkUrvey mil2;k 1;o3r2;ito de dolores,oundhoW;odW;a4east of 2;our lady of guadalupe,the immaculate concepti2;on;ther0;aster8id 3lectYmancip2piphany;atX;al-3u2;l-f3;ad3f2;itr;ha;! 2;m8s2;un1;ay of the dead,ecemb3i2;a de muertos,eciseis de septiembre,wali;er sol2;stice;anad8h4inco de mayo,o3yber m2;on1;lumbu0mmonwealth 1rpus christi;anuk4inese n3ristmas2;! N;ew year;ah;a 1ian tha2;nksgiving;astillCeltaine,lack4ox2;in2;g 1; fri1;dvent,ll 9pril fools,rmistic8s6u2;stral4tum2;nal2; equinox;ia 1;cens2h wednes1sumption of mary;ion 1;e 1;hallows 6s2;ai2oul0t0;nt0;s 1;day;eve"},{}],220:[function(E,C){C.exports="0:2S;1:38;2:36;3:2B;4:2W;5:2Y;a38b2Zc2Ld2Be28f23g1Yh1Ni1Ij1Ck15l0Xm0Ln0Ho0Ep04rXsMtHvFwCxBy8zh6;a6ou,u;ng,o;a6eun2Roshi1Iun;ma6ng;da,guc1Xmo24sh1ZzaQ;iao,u;a7eb0il6o4right,u;li39s2;gn0lk0ng,tanabe;a6ivaldi;ssilj35zqu1;a9h8i2Do7r6sui,urn0;an,ynisI;lst0Nrr2Sth;at1Romps2;kah0Tnaka,ylor;aDchCeBhimizu,iAmi9o8t7u6zabo;ar1lliv27zuD;al21ein0;sa,u4;rn3th;lva,mmo22ngh;mjon3rrano;midt,neid0ulz;ito,n7sa6to;ki;ch1dKtos,z;amBeag1Xi9o7u6;bio,iz,s2L;b6dri1KgHj0Sme22osevelt,sZux;erts,ins2;c6ve0E;ci,hards2;ir1os;aDe9h7ic6ow1Z;as2Ehl0;a6illips;m,n1S;ders5et8r7t6;e0Or3;ez,ry;ers;h20rk0t6vl3;el,te0K;baBg0Blivei01r6;t6w1O;ega,iz;a6eils2guy5ix2owak,ym1D;gy,ka6var1J;ji6muW;ma;aEeCiBo8u6;ll0n6rr0Cssolini,\xF16;oz;lina,oKr6zart;al1Me6r0T;au,no;hhail3ll0;rci0s6y0;si;eWmmad3r6tsu08;in6tin1;!o;aCe8i6op1uo;!n6u;coln,dholm;e,fe7n0Pr6w0I;oy;bv6v6;re;rs5u;aBennedy,imuAle0Ko8u7wo6;k,n;mar,znets3;bay6vacs;asY;ra;hn,rl9to,ur,zl3;aAen9ha4imen1o6u4;h6n0Yu4;an6ns2;ss2;ki0Ds5;cks2nsse0C;glesi9ke8noue,shik7to,vano6;u,v;awa;da;as;aCe9it8o7u6;!a4b0gh0Nynh;a4ffmann,rvat;chcock,l0;mingw7nde6rL;rs2;ay;ns5rrOs7y6;asCes;an3hi6;moH;a8il,o7rub0u6;o,tierr1;m1nzal1;nd6o,rcia;hi;er9is8lor08o7uj6;ita;st0urni0;ch0;nand1;d7insteHsposi6vaL;to;is2wards;aCeBi9omin8u6;bo6rand;is;gu1;az,mitr3;ov;lgado,vi;rw7vi6;es,s;in;aFhBlarkAo6;h5l6op0x;em7li6;ns;an;!e;an8e7iu,o6ristens5u4we;i,ng,u4w,y;!n,on6u4;!g;mpb8rt0st6;ro;er;ell;aBe8ha4lanco,oyko,r6yrne;ooks,yant;ng;ck7ethov5nnett;en;er,ham;ch,h7iley,rn6;es;k,ng;dEl9nd6;ers6rB;en,on,s2;on;eks8iy9on7var1;ez;so;ej6;ev;ams"},{}],221:[function(E,C){C.exports="0:A8;1:9I;2:9Z;3:9Q;4:93;5:7V;6:9B;7:9W;8:8K;9:7H;A:9V;a96b8Kc7Sd6Ye6Af5Vg5Gh4Xi4Nj3Rk3Jl33m25n1Wo1Rp1Iqu1Hr0Xs0EtYusm0vVwLxavi3yDzB;aBor0;cha52h1E;ass2i,oDuB;sEuB;ma,to;nEsDusB;oBsC;uf;ef;at0g;aIeHiCoB;lfga05odrow;lBn16;bDfr9IlBs1;a8GiB;am2Qe,s;e6Yur;i,nde7Zsl8;de,lBrr7y6;la5t3;an5ern1iB;cBha0nce2Wrg7Sva0;ente,t4I;aPeKhJimIoErCyB;!l3ro6s1;av6OeBoy;nt,v4E;bDdd,mBny;!as,mBoharu;a93ie,y;i9y;!my,othy;eodo0Nia6Aom9;dErB;en5rB;an5eBy;ll,n5;!dy;ic84req,ts3Myl42;aNcottMeLhIiHoFpenc3tBur1Fylve76zym1;anDeBua6A;f0ph8OrliBve4Hwa69;ng;!islaw,l8;lom1uB;leyma6ta;dn8m1;aCeB;ld1rm0;h02ne,qu0Hun,wn;an,basti0k1Nl3Hrg3Gth;!y;lEmDntBq3Yul;iBos;a5Ono;!m7Ju4;ik,vaB;d3JtoY;aQeMicKoEuCyB;an,ou;b7dBf67ssel5X;ol2Fy;an,bFcky,dEel,geDh0landAm0n5Dosevelt,ry,sCyB;!ce;coe,s;l31r;e43g3n8o8Gri5C;b7Ie88;ar4Xc4Wha6YkB;!ey,y;gCub7x,yBza;ansh,nal4U;g7DiB;na79s;chDfa4l22mCndBpha4ul,y58;al5Iol21;i7Yon;id;ent2int1;aIeEhilDierCol,reB;st1;re;!ip,lip;d7RrDtB;ar,eB;!r;cy,ry;bLt3Iul;liv3m7KrDsCtBum78w7;is,to;ama,c76;i,l3NvB;il4H;athanIeHiDoB;aBel,l0ma0r2G;h,m;cDiCkB;h5Oola;lo;hol9k,ol9;al,d,il,ls1;!i4;aUeSiKoFuByr1;hamDrCstaB;fa,pha;ad,ray;ed,mF;dibo,e,hamDntCrr4EsBussa;es,he;e,y;ad,ed,mB;ad,ed;cFgu4kDlCnBtche5C;a5Yik;an,os,t1;e,olB;aj;ah,hBk8;a4eB;al,l;hBlv2r3P;di,met;ck,hLlKmMnu4rGs1tCuri5xB;!imilianA;eo,hCi9tB;!eo,hew,ia;eBis;us,w;cDio,kAlCsha4WtBv2;i21y;in,on;!el,oIus;colm,ik;amBdi,moud;adB;ou;aMeJiIl2AoEuBy39;c9is,kBth3;aBe;!s;g0nn5HrenDuBwe4K;!iB;e,s;!zo;am,on4;evi,i,la3YoBroy,st3vi,w3C;!nB;!a4X;mCn5r0ZuBwB;ren5;ar,oB;nt;aGeChaled,irBrist40u36y2T;k,ollos;i0Vlv2nBrmit,v2;!dCnBt;e0Ty;a43ri3T;na50rBthem;im,l;aYeRiPoDuB;an,liBni0Nst2;an,o,us;aqu2eKhnJnGrEsB;eChB;!ua;!ph;dBge;an,i;!aB;s,thB;an,on;!ath0n4A;!l,sBy;ph;an,e,mB;!m46;ffFrCsB;s0Vus;a4BemCmai6oBry;me,ni0H;i5Iy;!e01rB;ey,y;cGd7kFmErDsCvi3yB;!d7;on,p3;ed,r1G;al,es;e,ob,ub;kBob;!s1;an,brahJchika,gHk3lija,nuGrEsDtBv0;ai,sB;uki;aac,ha0ma4;a,vinB;!g;k,nngu3X;nacBor;io;im;aKeFina3SoDuByd42;be1RgBmber3GsD;h,o;m3ra5sBwa35;se2;aEctDitDnCrB;be1Mm0;ry;or;th;bIlHmza,ns,o,rCsBya37;an,s0;lEo3CrDuBv8;hi34ki,tB;a,o;is1y;an,ey;!im;ib;aLeIilbe3YlenHord1rDuB;illerBstavo;mo;aDegBov3;!g,orB;io,y;dy,h43nt;!n;ne,oCraB;ld,rdA;ffr8rge;brielDrB;la1IrBy;eZy;!e;aOeLiJlIorr0CrB;anDedB;!d2GeBri1K;ri1J;cCkB;!ie,l2;esco,isB;!co,zek;oyd;d4lB;ip;liCng,rnB;anX;pe,x;bi0di;arWdRfra2it0lNmGnFrCsteb0th0uge6vBym7;an,ereH;gi,iCnBv2w2;estAie;c02k;rique,zo;aGiDmB;aFeB;tt;lCrB;!h0;!io;nu4;be02d1iDliCm3t1v2woB;od;ot1Bs;!as,j34;!d1Xg28mEuCwB;a1Din;arB;do;o0Fu0F;l,nB;est;aSeKieJoDrag0uCwByl0;ay6ight;a6st2;minEnDugCyB;le;!l9;!a1Hn1K;go,icB;!k;go;an,j0lbeHmetriYnFrEsDvCwBxt3;ay6ey;en,in;moZ;ek,ri05;is,nB;is;rt;lKmJnIrDvB;e,iB;!d;iEne08rBw2yl;eBin,yl;lBn;!l;n,us;!e,i4ny;i1Fon;e,l9;as;aXeVhOlFoCraig,urtB;!is;dy,l2nrad,rB;ey,neliBy;us;aEevelaDiByG;fBnt;fo06t1;nd;rDuCyB;!t1;de;en5k;ce;aFeErisCuB;ck;!tB;i0oph3;st3;d,rlBse;es,ie;cBdric,s0M;il;lEmer1rB;ey,lCroBt3;ll;!os,t1;eb,v2;arVePilOlaNobMrCuByr1;ddy,rt1;aGeDi0uCyB;anDce,on;ce,no;nCtB;!t;d0t;dBnd1;!foCl8y;ey;rd;!by;i6ke;al,lF;nDrBshoi;at,naBt;rdA;!iCjam2nB;ie,y;to;ry,t;ar0Pb0Hd0Egu0Chme0Bid7jani,lUmSnLputsiKrCsaBu0Cya0ziz;hi;aHchGi4jun,maEnCon,tBy0;hur,u04;av,oB;ld;an,ndA;el;ie;ta;aq;dFgelAtB;hony,oB;i6nB;!iA;ne;reBy;!a,s,w;ir,mBos;ar;!an,beOeIfFi,lEonDt1vB;aMin;on;so,zo;an,en;onCrB;edA;so;jEksandDssExB;!and3is;er;ar,er;andB;ro;rtA;!o;en;d,t;st2;in;amCoBri0vik;lfo;!a;dDel,rahCuB;!bakr,lfazl;am;allEel,oulaye,ulB;lCrahm0;an;ah,o;ah;av,on"},{}],222:[function(E,C){C.exports="ad hominPbKcJdGeEfCgBh8kittNlunchDn7othersDp5roomQs3t0us dollarQ;h0icPragedM;ereOing0;!sA;tu0uper bowlMystL;dAffL;a0roblJurpo4;rtJt8;othGumbA;ead startHo0;meGu0;seF;laci6odErand slamE;l oz0riendDundB;!es;conom8ggBnerg8v0xamp7;entA;eath9inn1o0;gg5or8;er7;anar3eil4it3ottage6redit card6;ank3o0reakfast5;d1tt0;le3;ies,y;ing1;em0;!s"},{}],223:[function(E,C){C.exports="0:2Q;1:20;2:2I;a2Db24c1Ad11e0Uf0Tg0Qh0Kin0Djourn1l07mWnewsVoTpLquartet,rIs7t5u3worke1K;ni3tilG;on,vA;ele3im2Oribun1v;communica1Jgraph,vi1L;av0Hchool,eBo8t4ubcommitt1Ny3;ndic0Pstems;a3ockV;nda22te 3;poli2univ3;ersi27;ci3ns;al club,et3;e,y;cur3rvice0;iti2C;adio,e3;gionRs3;er19ourc29tauraX;artners9e7harmac6izza,lc,o4r3;ess,oduc13;l3st,wer;i2ytechnic;a0Jeutical0;ople's par1Ttrol3;!eum;!hip;bservLffi2il,ptic1r3;chestra,ganiza22;! servi2;a9e7i5o4use3;e,um;bi10tor0;lita1Bnist3;e08ry;dia,mori1rcantile3; exchange;ch1Ogazi5nage06r3;i4ket3;i0Cs;ne;ab6i5oc3;al 3;aIheaH;beration ar1Fmited;or3s;ato0Y;c,dustri1Gs6ter5vest3;me3o08;nt0;nation1sI;titut3u14;!e3;! of technoloIs;e5o3;ld3sp0Itel0;ings;a3ra6;lth a3;uth0T;a4ir09overnJroup,ui3;ld;s,zet0P;acul0Qede12inanci1m,ounda13und;duca12gli0Blectric8n5s4t3veningH;at;ta0L;er4semb01ter3;prise0tainB;gy;!i0J;a9e4i3rilliG;rectora0FviP;part3sign,velop6;e5ment3;! sto3s;re;ment;ily3ta; news;aSentQhNircus,lLo3rew;!ali0LffJlleHm9n4rp3unc7;o0Js;fe6s3taine9;e4ulti3;ng;il;de0Eren2;m5p3;any,rehensiAute3;rs;i5uni3;ca3ty;tions;s3tt6;si08;cti3ge;ve;ee;ini3ub;c,qK;emica4oir,ronic3urch;le;ls;er,r3;al bank,e;fe,is5p3re,thedr1;it1;al;se;an9o7r4u3;ilding socieEreau;ands,ewe4other3;hood,s;ry;a3ys;rd;k,q3;ue;dministIgencFirDrCss7ut3viaJ;h4ori3;te;ori3;ty;oc5u3;ran2;ce;!iat3;es,iB;my;craft,l3ways;in4;e0i3y;es;!s;ra3;ti3;on"},{}],224:[function(E,C){C.exports="0:42;1:40;a38b2Pc29d21e1Yf1Ug1Mh1Hi1Ej1Ak18l14m0Tn0Go0Dp07qu06rZsStFuBv8w3y2;amaha,m0Youtu2Rw0Y;a4e2orld trade organizati1;lls fargo,st2;fie23inghou18;l2rner br3B;-m13gree30l street journ25m13;an halOeriz1isa,o2;dafo2Gl2;kswagMvo;bs,n3ps,s2;a tod2Qps;es33i2;lev2Wted natio2T; mobi2Jaco beQd bNeBgi fridaAh4im horto2Smz,o2witt2V;shiba,y2;ota,s r Z;e 2in lizzy;b4carpen31daily ma2Vguess w3holli0rolling st1Ns2w3;mashing pumpki2Nuprem0;ho;ea2lack eyed pe3Dyrds;ch bo2tl0;ys;l3s2;co,la m14;efoni09us;a7e5ieme2Fo3pice gir6ta2ubaru;rbucks,to2L;ny,undgard2;en;a2Px pisto2;ls;few24insbu25msu1W;.e.m.,adiohead,b7e4oyal 2yan2V;b2dutch she5;ank;/max,aders dige1Ed 2vl1;bu2c1Thot chili peppe2Ilobst27;ll;c,s;ant2Tizno2D;an6bs,e4fiz23hilip morrCi3r2;emier25octer & gamb1Qudenti14;nk floyd,zza hut;psi26tro2uge0A;br2Ochina,n2O; 3ason1Wda2E;ld navy,pec,range juli3xf2;am;us;aBbAe6fl,h5i4o2sa,wa;kia,tre dame,vart2;is;ke,ntendo,ss0L;l,s;stl4tflix,w2; 2sweek;kids on the block,york0A;e,\xE9;a,c;nd1Rs3t2;ional aca2Co,we0P;a,cZd0N;aBcdonaldAe6i4lb,o2tv,yspace;b1Knsanto,ody blu0t2;ley crue,or0N;crosoft,t2;as,subisP;dica4rcedes3talli2;ca;!-benz;id,re;'s,s;c's milk,tt11z1V;'ore08a4e2g,ittle caesa1H;novo,x2;is,mark; pres6-z-boy;atv,fc,kk,m2od1H;art;iffy lu0Jo4pmorgan2sa;! cha2;se;hnson & johns1y d1O;bm,hop,n2tv;g,te2;l,rpol; & m,asbro,ewlett-packaSi4o2sbc,yundai;me dep2n1G;ot;tac2zbollah;hi;eneral 7hq,l6o3reen d0Gu2;cci,ns n ros0;ldman sachs,o2;dye2g09;ar;axo smith kliYencore;electr0Gm2;oto0S;a4bi,da,edex,i2leetwood mac,oFrito-l08;at,nancial2restoU; tim0;cebook,nnie mae;b04sa,u,xxon2; m2m2;ob0E;aiml09e6isney,o4u2;nkin donuts,po0Uran dur2;an;j,w j2;on0;a,f leppa3ll,peche mode,r spiegYstiny's chi2;ld;rd;aFbc,hCiAnn,o4r2;aigsli6eedence clearwater reviv2;al;ca c6l5m2o09st04;ca3p2;aq;st;dplMgate;ola;a,sco2tigroup;! systems;ev3i2;ck fil-a,na daily;r1y;dbury,pital o2rl's jr;ne;aGbc,eCfAl6mw,ni,o2p;ei4mbardiKston 2;glo2pizza;be;ng;ack & deckGo3ue c2;roX;ckbuster video,omingda2;le; g2g2;oodriN;cht4e ge0n & jer3rkshire hathaw2;ay;ryH;el;nana republ4s2xt6y6;f,kin robbi2;ns;ic;bXcSdidRerosmith,ig,lLmFnheuser-busEol,ppleAr7s4t&t,v3y2;er;is,on;hland2sociated G; o2;il;by5g3m2;co;os; compu3bee2;'s;te2;rs;ch;c,d,erican4t2;!r2;ak; ex2;pre2;ss; 5catel3t2;air;!-luce2;nt;jazeera,qae2;da;as;/dc,a4er,t2;ivisi1;on;demy of scienc0;es;ba,c"},{}],225:[function(E,C){C.exports="0:71;1:6P;2:7D;3:73;4:6I;5:7G;6:75;7:6O;8:6B;9:6C;A:5H;B:70;C:6Z;a7Gb62c5Cd59e57f45g3Nh37iron0j33k2Yl2Km2Bn29o27p1Pr1Es09tQuOvacuum 1wGyammerCzD;eroAip EonD;e0k0;by,up;aJeGhFiEorDrit52;d 1k2Q;mp0n49pe0r8s8;eel Bip 7K;aEiD;gh 06rd0;n Br 3C;it 5Jk8lk6rm 0Qsh 73t66v4O;rgeCsD;e 9herA;aRePhNiJoHrFuDype 0N;ckArn D;d2in,o3Fup;ade YiDot0y 32;ckle67p 79;ne66p Ds4C;d2o6Kup;ck FdEe Dgh5Sme0p o0Dre0;aw3ba4d2in,up;e5Jy 1;by,o6U;ink Drow 5U;ba4ov7up;aDe 4Hll4N;m 1r W;ckCke Elk D;ov7u4N;aDba4d2in,o30up;ba4ft7p4Sw3;a0Gc0Fe09h05i02lYmXnWoVpSquare RtJuHwD;earFiD;ngEtch D;aw3ba4o6O; by;ck Dit 1m 1ss0;in,up;aIe0RiHoFrD;aigh1LiD;ke 5Xn2X;p Drm1O;by,in,o6A;r 1tc3H;c2Xmp0nd Dr6Gve6y 1;ba4d2up;d2o66up;ar2Uell0ill4TlErDurC;ingCuc8;a32it 3T;be4Brt0;ap 4Dow B;ash 4Yoke0;eep EiDow 9;c3Mp 1;in,oD;ff,v7;gn Eng2Yt Dz8;d2o5up;in,o5up;aFoDu4E;ot Dut0w 5W;aw3ba4f36o5Q;c2EdeAk4Rve6;e Hll0nd GtD; Dtl42;d2in,o5upD;!on;aw3ba4d2in,o1Xup;o5to;al4Kout0rap4K;il6v8;at0eKiJoGuD;b 4Dle0n Dstl8;aDba4d2in52o3Ft2Zu3D;c1Ww3;ot EuD;g2Jnd6;a1Wf2Qo5;ng 4Np6;aDel6inAnt0;c4Xd D;o2Su0C;aQePiOlMoKrHsyc29uD;ll Ft D;aDba4d2in,o1Gt33up;p38w3;ap37d2in,o5t31up;attleCess EiGoD;p 1;ah1Gon;iDp 52re3Lur44wer 52;nt0;ay3YuD;gAmp 9;ck 52g0leCn 9p3V;el 46ncilA;c3Oir 2Hn0ss FtEy D;ba4o4Q; d2c1X;aw3ba4o11;pDw3J;e3It B;arrow3Serd0oD;d6te3R;aJeHiGoEuD;ddl8ll36;c16p 1uth6ve D;al3Ad2in,o5up;ss0x 1;asur8lt 9ss D;a19up;ke Dn 9r2Zs1Kx0;do,o3Xup;aOeMiHoDuck0;a16c36g 0AoDse0;k Dse34;aft7ba4d2forw2Ain3Vov7uD;nd7p;e GghtFnEsDv1T;ten 4D;e 1k 1; 1e2Y;ar43d2;av1Ht 2YvelD; o3L;p 1sh DtchCugh6y1U;in3Lo5;eEick6nock D;d2o3H;eDyA;l2Hp D;aw3ba4d2fSin,o05to,up;aFoEuD;ic8mpA;ke2St2W;c31zz 1;aPeKiHoEuD;nker2Ts0U;lDneArse2O;d De 1;ba4d2oZup;de Et D;ba4on,up;aw3o5;aDlp0;d Fr Dt 1;fDof;rom;in,oO;cZm 1nDve it;d Dg 27kerF;d2in,o5;aReLive Jloss1VoFrEunD; f0M;in39ow 23; Dof 0U;aEb17it,oDr35t0Ou12;ff,n,v7;bo5ft7hJw3;aw3ba4d2in,oDup,w3;ff,n,ut;a17ek0t D;aEb11d2oDr2Zup;ff,n,ut,v7;cEhDl1Pr2Xt,w3;ead;ross;d aEnD;g 1;bo5;a08e01iRlNoJrFuD;cDel 1;k 1;eEighten DownCy 1;aw3o2L;eDshe1G; 1z8;lFol D;aDwi19;bo5r2I;d 9;aEeDip0;sh0;g 9ke0mDrD;e 2K;gLlJnHrFsEzzD;le0;h 2H;e Dm 1;aw3ba4up;d0isD;h 1;e Dl 11;aw3fI;ht ba4ure0;eInEsD;s 1;cFd D;fDo1X;or;e B;dQl 1;cHll Drm0t0O;apYbFd2in,oEtD;hrough;ff,ut,v7;a4ehi1S;e E;at0dge0nd Dy8;o1Mup;o09rD;ess 9op D;aw3bNin,o15;aShPlean 9oDross But 0T;me FoEuntD; o1M;k 1l6;aJbIforGin,oFtEuD;nd7;ogeth7;ut,v7;th,wD;ard;a4y;pDr19w3;art;eDipA;ck BeD;r 1;lJncel0rGsFtch EveA; in;o16up;h Bt6;ry EvD;e V;aw3o12;l Dm02;aDba4d2o10up;r0Vw3;a0He08l01oSrHuD;bbleFcklTilZlEndlTrn 05tDy 10zz6;t B;k 9; ov7;anMeaKiDush6;ghHng D;aEba4d2forDin,o5up;th;bo5lDr0Lw3;ong;teD;n 1;k D;d2in,o5up;ch0;arKgJil 9n8oGssFttlEunce Dx B;aw3ba4;e 9; ar0B;k Bt 1;e 1;d2up; d2;d 1;aIeed0oDurt0;cFw D;aw3ba4d2o5up;ck;k D;in,oK;ck0nk0st6; oJaGef 1nd D;d2ov7up;er;up;r0t D;d2in,oDup;ff,ut;ff,nD;to;ck Jil0nFrgEsD;h B;ainCe B;g BkC; on;in,o5; o5;aw3d2o5up;ay;cMdIsk Fuction6; oD;ff;arDo5;ouD;nd;d D;d2oDup;ff,n;own;t D;o5up;ut"},{}],226:[function(E,C){C.exports="'o,-,aLbIcHdGexcept,from,inFmidQnotwithstandiRoDpSqua,sCt7u4v2w0;/o,hereNith0;!in,oR;ersus,i0;a,s-a-vis;n1p0;!on;like,til;h1ill,o0;!wards;an,r0;ough0u;!oH;ans,ince,o that;',f0n1ut;!f;!to;espite,own,u3;hez,irca;ar1e0y;low,sides,tween;ri6;',bo7cross,ft6lo5m3propos,round,s1t0;!op;! long 0;as;id0ong0;!st;ng;er;ut"},{}],227:[function(E,C){C.exports="aLbIcHdEengineKfCgBhAinstructRjournalNlawyKm9nurse,o8p5r3s1t0;echnEherapM;ailPcientLecretary,oldiIu0;pervMrgeon;e0oofG;ceptionIsearE;hotographElumbEoli1r0sychologH;actitionDesideMogrammD;cem8t7;fficBpeH;echanic,inistAus5;airdress9ousekeep9;arden8uard;arm7ire0;fight6m2;eputy,iet0;ici0;an;arpent2lerk;ricklay1ut0;ch0;er;ccoun6d2ge7r0ssis6ttenda7;chitect,t0;ist;minist1v0;is1;rat0;or;ta0;nt"},{}],228:[function(E,C){C.exports="0:1M;1:1T;2:1U;a1Rb1Dc0Zd0Qfc dallas,g0Nhouston 0Mindiana0Ljacksonville jagua0k0Il0Fm02newVoRpKqueens parkJrIsAt5utah jazz,vancouver whitecaps,w3yY;ashington 3est ham0Xh16;natio21redski1wizar12;ampa bay 6e5o3;ronto 3ttenham hotspur;blu1Hrapto0;nnessee tita1xasD;buccanee0ra1G;a7eattle 5heffield0Qporting kansas13t3;. louis 3oke12;c1Srams;mari02s3;eah1IounI;cramento Sn 3;antonio spu0diego 3francisco gi0Bjose earthquak2;char0EpaB;eal salt lake,o04; ran0C;a8h5ittsburgh 4ortland t3;imbe0rail blaze0;pirat2steele0;il3oenix su1;adelphia 3li2;eagl2philNunE;dr2;akland 4klahoma city thunder,r3;i10lando magic;athle0Trai3;de0; 3castle05;england 6orleans 5york 3;city fc,giUje0Lkn02me0Lred bul19y3;anke2;pelica1sain0J;patrio0Irevolut3;ion;aBe9i3ontreal impact;ami 7lwaukee b6nnesota 3;t4u0Rvi3;kings;imberwolv2wi1;re0Cuc0W;dolphi1heat,marli1;mphis grizz3ts;li2;nchester 5r3vN;i3li1;ne0;c00u0H;a4eicesterYos angeles 3;clippe0dodFlaA; galaxy,ke0;ansas city 3nH;chiefs,ro3;ya0M; pace0polis colX;astr0Edynamo,rockeWtexa1;i4olden state warrio0reen bay pac3;ke0;anT;.c.Aallas 7e3i0Cod5;nver 5troit 3;lio1pisto1ti3;ge0;bronc06nuggeO;cowboUmav3;er3;ic06; uX;arCelNh8incinnati 6leveland 5ol3;orado r3umbus crew sc;api5ocki2;brow1cavalie0india1;benga03re3;ds;arlotte horCicago 3;b4cubs,fire,wh3;iteE;ea0ulY;di3olina panthe0;ff3naW; c3;ity;altimore ElAoston 7r3uffalo bilT;av2e5ooklyn 3;ne3;ts;we0;cel4red3; sox;tics;ackburn rove0u3;e ja3;ys;rs;ori3rave1;ol2;rizona Ast8tlanta 3;brav2falco1h4u3;nited;aw9;ns;es;on villa,r3;os;c5di3;amondbac3;ks;ardi3;na3;ls"},{}],229:[function(E,C){C.exports="0:1I;a1Nb1Hc18e11f0Ug0Qh0Ki0Hj0Gk0El09m00nZoYpSrPsCt8vi7w1;a5ea0Ci4o1;o2rld1;! seJ;d,l;ldlife,ne;rmth,t0;neg7ol0C;e3hund0ime,oothpaste,r1una;affTou1;ble,sers,t;a,nnis;aBceWeAh9il8now,o7p4te3u1;g1nshi0Q;ar;am,el;ace2e1;ciPed;!c16;ap,cc0ft0E;k,v0;eep,opp0T;riK;d0Afe0Jl1nd;m0Vt;aQe1i10;c1laxa0Hsearch;ogni0Grea0G;a5e3hys0JlastAo2r1;ess02ogre05;rk,w0;a1pp0trol;ce,nT;p0tiM;il,xygen;ews,oi0G;a7ea5i4o3u1;mps,s1;ic;nJo0C;lk,st;sl1t;es;chi1il,themat04;neF;aught0e3i2u1;ck,g0B;ghtn03quid,teratK;a1isJ;th0;elv1nowled08;in;ewel7usti09;ce,mp1nformaQtself;ati1ortan07;en06;a4ertz,isto3o1;ck1mework,n1spitaliL;ey;ry;ir,lib1ppi9;ut;o2r1um,ymnastL;a7ound;l1ssip;d,f;ahrenhe6i5lour,o2ru6urnit1;ure;od,rgive1wl;ne1;ss;c8sh;it;conomAduca6lectrici5n3quip4thAvery1;body,o1thC;ne;joy1tertain1;ment;ty;tiC;a8elcius,h4iv3loth6o1urrency;al,ffee,n1ttA;duct,fusi9;ics;aos,e1;e2w1;ing;se;ke,sh;a3eef,is2lood,read,utt0;er;on;g1ss;ga1;ge;dvi2irc1rt;raft;ce"},{}],230:[function(E,C){"use strict";const N=36,D="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ",_=D.split("").reduce(function(I,q,L){return I[q]=L,I},{});var V={toAlphaCode:function(I){if(D[I]!==void 0)return D[I];let q=1,L=N,W="";for(;I>=L;I-=L,q++,L*=N);for(;q--;){const K=I%N;W=String.fromCharCode((10>K?48:55)+K)+W,I=(I-K)/N}return W},fromAlphaCode:function(I){if(_[I]!==void 0)return _[I];let q=0,L=1,W=N,K=1;for(;L=q.length)&&(1===L?I===q[0]:q.slice(0,L)===I)},$=function(I){let q={};const L=function(W,K){let J=I.nodes[W];"!"===J[0]&&(q[K]=!0,J=J.slice(1));let R=J.split(/([A-Z0-9,]+)/g);for(let U=0;U{D[z]=N(D[z]),D[z].cache()}),Object.keys(_).forEach((z)=>{_[z]=N(_[z]),_[z].cache()});C.exports={lookup:function(z){if(_.uncountable.has(z))return"Noun";if(_.orgWords.has(z))return"Noun";for(let F=0;F{let $=D[F]._cache;const G=Object.keys($);for(let O=0;O (http://spencermounta.in)",name:"compromise",description:"natural language processing in the browser",version:"9.0.0",main:"./builds/compromise.js",repository:{type:"git",url:"git://github.com/nlp-compromise/compromise.git"},scripts:{test:"node ./scripts/test.js",browsertest:"node ./scripts/browserTest.js",build:"node ./scripts/build/index.js",demo:"node ./scripts/demo.js",watch:"node ./scripts/watch.js",filesize:"node ./scripts/filesize.js",coverage:"node ./scripts/coverage.js",lint:"node ./scripts/prepublish/linter.js"},files:["builds/","docs/"],dependencies:{},devDependencies:{"babel-preset-es2015":"^6.24.0",babelify:"7.3.0",babili:"0.0.11",browserify:"13.0.1","browserify-glob":"^0.2.0","bundle-collapser":"^1.2.1",chalk:"^1.1.3","codacy-coverage":"^2.0.0",derequire:"^2.0.3",efrt:"0.0.6",eslint:"^3.1.1",gaze:"^1.1.1","http-server":"0.9.0","nlp-corpus":"latest",nyc:"^8.4.0",shelljs:"^0.7.2","tap-min":"^1.1.0","tap-spec":"4.1.1",tape:"4.6.0","uglify-js":"2.7.0"},license:"MIT"}},{}],2:[function(E,C){"use strict";const N=E("../fns");C.exports=N.uncompress_suffixes(["absurd","aggressive","alert","alive","angry","attractive","awesome","beautiful","big","bitter","black","blue","bored","boring","brash","brave","brief","brown","calm","charming","cheap","check","clean","clear","close","cold","cool","cruel","curly","cute","dangerous","dear","dirty","drunk","dry","dull","eager","early","easy","efficient","empty","even","extreme","faint","fair","fanc","feeble","few","fierce","fine","firm","forgetful","formal","frail","free","full","funny","gentle","glad","glib","glad","grand","green","gruesome","handsome","happy","harsh","heavy","high","hollow","hot","hungry","impolite","important","innocent","intellegent","interesting","keen","kind","lame","large","late","lean","little","long","loud","low","lucky","lush","macho","mature","mean","meek","mellow","mundane","narrow","near","neat","new","nice","noisy","normal","odd","old","orange","pale","pink","plain","poor","proud","pure","purple","rapid","rare","raw","rich","rotten","round","rude","safe","scarce","scared","shallow","shrill","simple","slim","slow","small","smooth","solid","soon","sore","sour","square","stale","steep","strange","strict","strong","swift","tall","tame","tart","tender","tense","thin","thirsty","tired","true","vague","vast","vulgar","warm","weird","wet","wild","windy","wise","yellow","young"],{erate:"degen,delib,desp,lit,mod",icial:"artif,benef,off,superf",ntial:"esse,influe,pote,substa",teful:"gra,ha,tas,was",stant:"con,di,in,resi",hing:"astonis,das,far-reac,refres,scat,screec,self-loat,soot",eful:"car,grac,peac,sham,us,veng",ming:"alar,cal,glea,unassu,unbeco,upco",cial:"commer,cru,finan,ra,so,spe",ure:"insec,miniat,obsc,premat,sec,s",uent:"congr,fl,freq,subseq",rate:"accu,elabo,i,sepa",ific:"horr,scient,spec,terr",rary:"arbit,contempo,cont,tempo",ntic:"authe,fra,giga,roma",nant:"domi,malig,preg,reso",nent:"emi,immi,perma,promi",iant:"brill,def,g,luxur",ging:"dama,encoura,han,lon",iate:"appropr,immed,inappropr,intermed",rect:"cor,e,incor,indi",zing:"agoni,ama,appeti,free",ine:"div,femin,genu,mascul,prist,rout",ute:"absol,ac,c,m,resol",ern:"east,north,south,st,west",tful:"deligh,doub,fre,righ,though,wis",ant:"abund,arrog,eleg,extravag,exult,hesit,irrelev,miscre,nonchal,obeis,observ,pl,pleas,redund,relev,reluct,signific,vac,verd",ing:"absorb,car,coo,liv,lov,ly,menac,perplex,shock,stand,surpris,tell,unappeal,unconvinc,unend,unsuspect,vex,want",ate:"adequ,delic,fortun,inadequ,inn,intim,legitim,priv,sed,ultim"})},{"../fns":5}],3:[function(E,C){C.exports=["bright","broad","coarse","damp","dark","dead","deaf","deep","fast","fat","flat","fresh","great","hard","light","loose","mad","moist","quick","quiet","red","ripe","rough","sad","sharp","short","sick","smart","soft","stiff","straight","sweet","thick","tight","tough","weak","white","wide"]},{}],4:[function(E,C){"use strict";let D=["monday","tuesday","wednesday","thursday","friday","saturday","sunday","mon","tues","wed","thurs","fri","sat","sun"];for(let V=0;6>=V;V++)D.push(D[V]+"s");let _=["millisecond","minute","hour","day","week","month","year","decade"],B=_.length;for(let V=0;V{return Object.keys(D).forEach((_)=>{N[_]=D[_]}),N},A.uncompress_suffixes=function(N,D){const _=Object.keys(D),B=_.length;for(let j=0;j{D.extendObj(V,O)},F=(O,H)=>{const M=O.length;for(let S=0;S1{V[O]="Infinitive";const H=N.irregular_verbs[O];Object.keys(H).forEach((S)=>{H[S]&&(V[H[S]]=S)});const M=j(O);Object.keys(M).forEach((S)=>{M[S]&&!V[M[S]]&&(V[M[S]]=S)})}),N.verbs.forEach((O)=>{const H=j(O);Object.keys(H).forEach((M)=>{H[M]&&!V[H[M]]&&(V[H[M]]=M)}),V[B(O)]="Adjective"}),N.superlatives.forEach((O)=>{V[_.toNoun(O)]="Noun",V[_.toAdverb(O)]="Adverb",V[_.toSuperlative(O)]="Superlative",V[_.toComparative(O)]="Comparative"}),N.verbConverts.forEach((O)=>{V[_.toNoun(O)]="Noun",V[_.toAdverb(O)]="Adverb",V[_.toSuperlative(O)]="Superlative",V[_.toComparative(O)]="Comparative";const H=_.toVerb(O);V[H]="Verb";const M=j(H);Object.keys(M).forEach((S)=>{M[S]&&!V[M[S]]&&(V[M[S]]=S)})}),F(N.notable_people.female,"FemaleName"),F(N.notable_people.male,"MaleName"),F(N.titles,"Singular"),F(N.verbConverts,"Adjective"),F(N.superlatives,"Adjective"),F(N.currencies,"Currency"),z(N.misc),delete V[""],delete V[" "],delete V[null],C.exports=V},{"../result/subset/adjectives/methods":42,"../result/subset/verbs/methods/conjugate/faster":104,"../result/subset/verbs/methods/toAdjective":114,"./fns":5,"./index":6}],8:[function(E,C){C.exports=["this","any","enough","each","whatever","every","these","another","plenty","whichever","neither","an","a","least","own","few","both","those","the","that","various","either","much","some","else","la","le","les","des","de","du","el"]},{}],9:[function(E,C){"use strict";const N={here:"Noun",better:"Comparative",earlier:"Superlative","make sure":"Verb","keep tabs":"Verb",gonna:"Verb",cannot:"Verb",has:"Verb",sounds:"PresentTense",taken:"PastTense",msg:"Verb","a few":"Value","years old":"Unit",not:"Negative",non:"Negative",never:"Negative",no:"Negative","no doubt":"Noun","not only":"Adverb","how's":"QuestionWord"},D={Organization:["20th century fox","3m","7-eleven","g8","motel 6","vh1"],Adjective:["so called","on board","vice versa","en route","upside down","up front","in front","in situ","in vitro","ad hoc","de facto","ad infinitum","for keeps","a priori","off guard","spot on","ipso facto","fed up","brand new","old fashioned","bona fide","well off","far off","straight forward","hard up","sui generis","en suite","avant garde","sans serif","gung ho","super duper","bourgeois"],Verb:["lengthen","heighten","worsen","lessen","awaken","frighten","threaten","hasten","strengthen","given","known","shown","seen","born"],Place:["new england","new hampshire","new jersey","new mexico","united states","united kingdom","great britain","great lakes","pacific ocean","atlantic ocean","indian ocean","arctic ocean","antarctic ocean","everglades"],Conjunction:["yet","therefore","or","while","nor","whether","though","tho","because","cuz","but","for","and","however","before","although","how","plus","versus","otherwise","as far as","as if","in case","provided that","supposing","no matter","yet"],Time:["noon","midnight","now","morning","evening","afternoon","night","breakfast time","lunchtime","dinnertime","ago","sometime","eod","oclock","all day","at night"],Date:["eom","standard time","daylight time"],Condition:["if","unless","notwithstanding"],PastTense:["said","had","been","began","came","did","meant","went"],Gerund:["going","being","according","resulting","developing","staining"],Copula:["is","are","was","were","am"],Determiner:E("./determiners"),Modal:["can","may","could","might","will","ought to","would","must","shall","should","ought","shant","lets"],Possessive:["mine","something","none","anything","anyone","theirs","himself","ours","his","my","their","yours","your","our","its","herself","hers","themselves","myself","her"],Pronoun:["it","they","i","them","you","she","me","he","him","ourselves","us","we","thou","il","elle","yourself","'em","he's","she's"],QuestionWord:["where","why","when","who","whom","whose","what","which"],Person:["father","mother","mom","dad","mommy","daddy","sister","brother","aunt","uncle","grandfather","grandmother","cousin","stepfather","stepmother","boy","girl","man","woman","guy","dude","bro","gentleman","someone"]},_=Object.keys(D);for(let B=0;B<_.length;B++){const j=D[_[B]];for(let V=0;V{return B[j[1]]=j[0],B},{}),_=N.reduce((B,j)=>{return B[j[0]]=j[1],B},{});C.exports={toSingle:D,toPlural:_}},{}],12:[function(E,C,A){A.male=["messiaen","saddam hussain","virgin mary","van gogh","mitt romney","barack obama","kanye west","mubarek","lebron james","emeril lagasse","rush limbaugh","carson palmer","ray romano","ronaldinho","valentino rossi","rod stewart","kiefer sutherland","denzel washington","dick wolf","tiger woods","adolf hitler","hulk hogan","ashton kutcher","kobe bryant","cardinal wolsey","slobodan milosevic"],A.female=["jk rowling","oprah winfrey","reese witherspoon","tyra banks","halle berry","paris hilton","scarlett johansson"]},{}],13:[function(E,C){C.exports=["lord","lady","king","queen","prince","princess","dutchess","president","excellency","professor","chancellor","father","pastor","brother","sister","doctor","captain","commander","general","lieutenant","reverend","rabbi","ayatullah","councillor","secretary","sultan","mayor","congressman","congresswoman"]},{}],14:[function(E,C){"use strict";let D=["denar","dobra","forint","kwanza","kyat","lempira","pound sterling","riel","yen","zloty","dollar","cent","penny","dime","dinar","euro","lira","pound","pence","peso","baht","sterling","rouble","shekel","sheqel","yuan","franc","rupee","shilling","krona","dirham","bitcoin"];const _={yen:"yen",baht:"baht",riel:"riel",penny:"pennies"};let B=D.length;for(let j=0;j{let j=Object.keys(N.ordinal[B]),V=Object.keys(N.cardinal[B]);for(let z=0;z{Object.keys(N[_]).forEach((B)=>{1{D[B[0]]=B[1]}),Object.keys(N).forEach((B)=>{D[B]?D[B].Participle=N[B]:D[B]={Participle:N[B]}}),C.exports=D},{"./participles":19}],19:[function(E,C){C.exports={become:"become",begin:"begun",bend:"bent",bet:"bet",bite:"bitten",bleed:"bled",brake:"broken",bring:"brought",build:"built",burn:"burned",burst:"burst",buy:"bought",choose:"chosen",cling:"clung",come:"come",creep:"crept",cut:"cut",deal:"dealt",dig:"dug",dive:"dived",draw:"drawn",dream:"dreamt",drive:"driven",eat:"eaten",fall:"fallen",feed:"fed",fight:"fought",flee:"fled",fling:"flung",forget:"forgotten",forgive:"forgiven",freeze:"frozen",got:"gotten",give:"given",go:"gone",grow:"grown",hang:"hung",have:"had",hear:"heard",hide:"hidden",hit:"hit",hold:"held",hurt:"hurt",keep:"kept",kneel:"knelt",know:"known",lay:"laid",lead:"led",leap:"leapt",leave:"left",lend:"lent",light:"lit",loose:"lost",make:"made",mean:"meant",meet:"met",pay:"paid",prove:"proven",put:"put",quit:"quit",read:"read",ride:"ridden",ring:"rung",rise:"risen",run:"run",say:"said",see:"seen",seek:"sought",sell:"sold",send:"sent",set:"set",sew:"sewn",shake:"shaken",shave:"shaved",shine:"shone",shoot:"shot",shut:"shut",seat:"sat",slay:"slain",sleep:"slept",slide:"slid",sneak:"snuck",speak:"spoken",speed:"sped",spend:"spent",spill:"spilled",spin:"spun",spit:"spat",split:"split",spring:"sprung",stink:"stunk",strew:"strewn",sware:"sworn",sweep:"swept",thrive:"thrived",undergo:"undergone",upset:"upset",weave:"woven",weep:"wept",wind:"wound",wring:"wrung"}},{}],20:[function(E,C){"use strict";const N=E("../fns");C.exports=N.uncompress_suffixes(["abandon","accept","add","added","adopt","aid","appeal","applaud","archive","ask","assign","associate","assume","attempt","avoid","ban","become","bomb","cancel","claim","claw","come","control","convey","cook","copy","cut","deem","defy","deny","describe","design","destroy","die","divide","do","doubt","drag","drift","drop","echo","embody","enjoy","envy","excel","fall","fail","fix","float","flood","focus","fold","get","goes","grab","grasp","grow","happen","head","help","hold fast","hope","include","instruct","invest","join","keep","know","learn","let","lift","link","load","loan","look","make due","mark","melt","minus","multiply","need","occur","overcome","overlap","overwhelm","owe","pay","plan","plug","plus","pop","pour","proclaim","put","rank","reason","reckon","relax","repair","reply","reveal","revel","risk","rub","ruin","sail","seek","seem","send","set","shout","sleep","sneak","sort","spoil","stem","step","stop","study","take","talk","thank","took","trade","transfer","trap","travel","tune","undergo","undo","uplift","walk","watch","win","wipe","work","yawn","yield"],{prove:",im,ap,disap",serve:",de,ob,re",ress:"exp,p,prog,st,add,d",lect:"ref,se,neg,col,e",sist:"in,con,per,re,as",tain:"ob,con,main,s,re",mble:"rese,gru,asse,stu",ture:"frac,lec,tor,fea",port:"re,sup,ex,im",ate:"rel,oper,indic,cre,h,activ,estim,particip,d,anticip,evalu",use:",ca,over,ref,acc,am,pa",ive:"l,rece,d,arr,str,surv,thr,rel",are:"prep,c,comp,sh,st,decl,d,sc",ine:"exam,imag,determ,comb,l,decl,underm,def",nce:"annou,da,experie,influe,bou,convi,enha",ain:"tr,rem,expl,dr,compl,g,str",ent:"prev,repres,r,res,rel,inv",age:"dam,mess,man,encour,eng,discour",rge:"su,cha,eme,u,me",ise:"ra,exerc,prom,surpr,pra",ect:"susp,dir,exp,def,rej",ter:"en,mat,cen,ca,al",end:",t,dep,ext,att",est:"t,sugg,prot,requ,r",ock:"kn,l,sh,bl,unl",nge:"cha,excha,ra,challe,plu",ase:"incre,decre,purch,b,ce",ish:"establ,publ,w,fin,distingu",mit:"per,ad,sub,li",ure:"fig,ens,end,meas",der:"won,consi,mur,wan",ave:"s,sh,w,cr",ire:"requ,des,h,ret",tch:"scra,swi,ma,stre",ack:"att,l,p,cr",ion:"ment,quest,funct,envis",ump:"j,l,p,d",ide:"dec,prov,gu,s",ush:"br,cr,p,r",eat:"def,h,tr,ch",ash:"sm,spl,w,fl",rry:"ca,ma,hu,wo",ear:"app,f,b,disapp",er:"answ,rememb,off,suff,cov,discov,diff,gath,deliv,both,empow,with",le:"fi,sett,hand,sca,whist,enab,smi,ming,ru,sprink,pi",st:"exi,foreca,ho,po,twi,tru,li,adju,boa,contra,boo",it:"vis,ed,depos,sp,awa,inhib,cred,benef,prohib,inhab",nt:"wa,hu,pri,poi,cou,accou,confro,warra,pai",ch:"laun,rea,approa,sear,tou,ar,enri,atta",ss:"discu,gue,ki,pa,proce,cro,glo,dismi",ll:"fi,pu,ki,ca,ro,sme,reca,insta",rn:"tu,lea,conce,retu,bu,ea,wa,gove",ce:"redu,produ,divor,noti,for,repla",te:"contribu,uni,tas,vo,no,constitu,ci",rt:"sta,comfo,exe,depa,asse,reso,conve",ck:"su,pi,che,ki,tri,wre",ct:"intera,restri,predi,attra,depi,condu",ke:"sta,li,bra,overta,smo,disli",se:"collap,suppo,clo,rever,po,sen",nd:"mi,surrou,dema,remi,expa,comma",ve:"achie,invol,remo,lo,belie,mo",rm:"fo,perfo,confi,confo,ha",or:"lab,mirr,fav,monit,hon",ue:"arg,contin,val,iss,purs",ow:"all,foll,sn,fl,borr",ay:"pl,st,betr,displ,portr",ze:"recogni,reali,snee,ga,emphasi",ip:"cl,d,gr,sl,sk",re:"igno,sto,interfe,sco",ng:"spri,ba,belo,cli",ew:"scr,vi,revi,ch",gh:"cou,lau,outwei,wei",ly:"app,supp,re,multip",ge:"jud,acknowled,dod,alle",en:"list,happ,threat,strength",ee:"fors,agr,disagr,guarant",et:"budg,regr,mark,targ",rd:"rega,gua,rewa,affo",am:"dre,j,sl,ro",ry:"va,t,c,bu"})},{"../fns":5}],21:[function(E,C,A){"use strict";const N=E("./tagset"),D={reset:"\x1B[0m",red:"\x1B[31m",green:"\x1B[32m",yellow:"\x1B[33m",blue:"\x1B[34m",magenta:"\x1B[35m",cyan:"\x1B[36m",black:"\x1B[30m"};"undefined"==typeof C&&Object.keys(D).forEach((_)=>{D[_]=""}),A.ensureString=(_)=>{if("string"==typeof _)return _;return"number"==typeof _?""+_:""},A.ensureObject=(_)=>{return"object"==typeof _?null===_||_ instanceof Array?{}:_:{}},A.titleCase=(_)=>{return _.charAt(0).toUpperCase()+_.substr(1)},A.copy=(_)=>{let B={};return _=A.ensureObject(_),Object.keys(_).forEach((j)=>{B[j]=_[j]}),B},A.extend=(_,B)=>{_=A.copy(_);const j=Object.keys(B);for(let V=0;V{_===void 0&&(_=!0),D=_},here:(_)=>{(!0===D||D===_)&&console.log(" "+_)},tell:(_,B)=>{(!0===D||D===B)&&("object"==typeof _&&(_=JSON.stringify(_)),_=" "+_,console.log(_))},tag:(_,B,j)=>{if(!0===D||"tagger"===D){let V=_.normal||"["+_.silent_term+"]";V=N.yellow(V),V=N.leftPad("'"+V+"'",20),V+=" -> "+N.printTag(B),V=N.leftPad(V,54),console.log(" "+V+"("+N.cyan(j||"")+")")}},unTag:(_,B,j)=>{if(!0===D||"tagger"===D){let V="-"+_.normal+"-";V=N.red(V),V=N.leftPad(V,20),V+=" ~* "+N.red(B),V=N.leftPad(V,54),console.log(" "+V+"("+N.red(j||"")+")")}}}},{"../fns":21}],24:[function(E,C){"use strict";const N=E("./index"),D=E("./tokenize"),_=E("./paths"),B=_.Terms,j=_.fns,V=E("../term/methods/normalize/normalize").normalize,z=function($){return $=$||{},Object.keys($).reduce((G,O)=>{G[O]=$[O];let H=V(O);return H=H.replace(/\s+/," "),H=H.replace(/[.\?\!]/g,""),O!==H&&(G[H]=$[O]),G},{})};C.exports=($,G)=>{let O=[];j.isArray($)?O=$:($=j.ensureString($),O=D($)),G=z(G);let H=O.map((S)=>B.fromString(S,G)),M=new N(H,G);return M.list.forEach((S)=>{S.refText=M}),M}},{"../term/methods/normalize/normalize":175,"./index":26,"./paths":38,"./tokenize":120}],25:[function(E,C){C.exports={found:function(){return 0{return this.list.forEach((D)=>{D.whitespace.before(N)}),this},after:(N)=>{return this.list.forEach((D)=>{D.whitespace.after(N)}),this}}}}},{}],26:[function(E,C){"use strict";function N(B,j,V){this.list=B||[],this.lexicon=j,this.reference=V;let z=Object.keys(D);for(let F=0;F{N.prototype[B]=function(j,V){let z=_[B],F=z.find(this,j,V);return new _[B](F.list,this.lexicon,this.parent)}})},{"./getters":25,"./methods/loops":27,"./methods/match":28,"./methods/misc":29,"./methods/normalize":30,"./methods/out":31,"./methods/sort":35,"./methods/split":37,"./subset/acronyms":39,"./subset/adjectives":40,"./subset/adverbs":48,"./subset/contractions":54,"./subset/dates":56,"./subset/ngrams":66,"./subset/ngrams/endGrams":63,"./subset/ngrams/startGrams":67,"./subset/nouns":69,"./subset/people":79,"./subset/sentences":81,"./subset/terms":86,"./subset/values":87,"./subset/verbs":100,"./subsets":119}],27:[function(E,C){"use strict";const N=["toTitleCase","toUpperCase","toLowerCase","toCamelCase","hyphenate","dehyphenate","insertBefore","insertAfter","insertAt","replace","replaceWith","delete","lump","tagger","unTag"];C.exports=(_)=>{N.forEach((B)=>{_.prototype[B]=function(){for(let j=0;j{const j=function($,G,O){let H=[];G=N(G),$.list.forEach((S)=>{let I=S.match(G,O);I.list.forEach((q)=>{H.push(q)})});let M=$.parent||$;return new B(H,$.lexicon,M)},V=function($,G){let O=[];return $.list.forEach((H)=>{H.terms.forEach((M)=>{G[M.normal]&&O.push(M)})}),O=O.map((H)=>{return new D([H],$.lexicon,$,H.parentTerms)}),new B(O,$.lexicon,$.parent)},z=function($,G){let O=G.reduce((H,M)=>{return H[M]=!0,H},{});return V($,O)},F={match:function($,G){if(0===this.list.length||void 0===$||null===$){let H=this.parent||this;return new B([],this.lexicon,H)}if("string"==typeof $||"number"==typeof $)return j(this,$,G);let O=Object.prototype.toString.call($);return"[object Array]"===O?z(this,$):"[object Object]"===O?V(this,$):this},not:function($,G){let O=[];this.list.forEach((M)=>{let S=M.not($,G);O=O.concat(S.list)});let H=this.parent||this;return new B(O,this.lexicon,H)},if:function($){let G=[];for(let H=0;H{_.addMethods(_,{all:function(){return this.parent},index:function(){return this.list.map((j)=>j.index())},wordCount:function(){return this.terms().length},data:function(){return this.list.map((j)=>j.data())},debug:function(j){return out(this,"debug",j)},clone:function(){let j=this.list.map((V)=>{return V.clone()});return new _(j)},term:function(j){let V=this.list.map((z)=>{let F=[],$=z.terms[j];return $&&(F=[$]),new N(F,this.lexicon,this.refText,this.refTerms)});return new _(V,this.lexicon,this.parent)},firstTerm:function(){return this.match("^.")},lastTerm:function(){return this.match(".$")},slice:function(j,V){return this.list=this.list.slice(j,V),this},get:function(j){if(!j&&0!==j||!this.list[j])return new _([],this.lexicon,this.parent);let V=this.list[j];return new _([V],this.lexicon,this.parent)},first:function(j){return j||0===j?new _(this.list.slice(0,j),this.lexicon,this.parent):this.get(0)},last:function(j){if(!j&&0!==j)return this.get(this.list.length-1);let V=this.list.length;return new _(this.list.slice(V-j,V),this.lexicon,this.parent)},concat:function(){for(let j=0,V;j{j=j.concat(z.terms)}),!j.length)return new _(null,this.lexicon,this.parent);let V=new N(j,this.lexicon,this,null);return new _([V],this.lexicon,this.parent)},canBe:function(j){return this.list.forEach((V)=>{V.terms=V.terms.filter((z)=>{return z.canBe(j)})}),this}})}},{"../../terms":189}],30:[function(E,C){"use strict";const N={whitespace:!0,case:!0,numbers:!0,punctuation:!0,unicode:!0,contractions:!0},D={whitespace:(B)=>{return B.terms().list.forEach((j,V)=>{let z=j.terms[0];0{return B.list.forEach((j)=>{j.terms.forEach((V,z)=>{0===z||V.tags.Person||V.tags.Place||V.tags.Organization?j.toTitleCase():j.toLowerCase()})}),B},numbers:(B)=>{return B.values().toNumber()},punctuation:(B)=>{return B.list.forEach((j)=>{j.terms[0]._text=j.terms[0]._text.replace(/^¿/,"");for(let z=0,F;z{return B.contractions().expand()}};C.exports=(B)=>{B.prototype.normalize=function(j){return j=j||N,Object.keys(j).forEach((V)=>{void 0!==D[V]&&D[V](this)}),this}}},{}],31:[function(E,C){"use strict";const N=E("./topk"),D=E("./offset"),_=E("./indexes"),B={text:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("text"),z},"")},normal:(V)=>{return V.list.map((z)=>{let F=z.out("normal"),$=z.last();if($){let G=$.endPunctuation();("."===G||"!"===G||"?"===G)&&(F+=G)}return F}).join(" ")},root:(V)=>{return V.list.map((z)=>{return z.out("root")}).join(" ")},offsets:(V)=>{return D(V)},index:(V)=>{return _(V)},grid:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("grid"),z},"")},color:(V)=>{return V.list.reduce((z,F)=>{return z+=F.out("color"),z},"")},array:(V)=>{return V.list.reduce((z,F)=>{return z.push(F.out("normal")),z},[])},json:(V)=>{return V.list.reduce((z,F)=>{let $=F.terms.map((G)=>{return{text:G.text,normal:G.normal,tags:G.tag}});return z.push($),z},[])},html:(V)=>{let z=V.list.reduce((F,$)=>{let G=$.terms.reduce((O,H)=>{return O+="\n "+H.out("html"),O},"");return F+="\n "+G+"\n "},"");return" "+z+"\n"},terms:(V)=>{let z=[];return V.list.forEach((F)=>{F.terms.forEach(($)=>{z.push({text:$.text,normal:$.normal,tags:Object.keys($.tags)})})}),z},debug:(V)=>{return console.log("===="),V.list.forEach((z)=>{console.log(" --"),z.debug()}),V},topk:(V)=>{return N(V)}};B.plaintext=B.text,B.normalized=B.normal,B.colors=B.color,B.tags=B.terms,B.offset=B.offsets,B.idexes=B.index,B.frequency=B.topk,B.freq=B.topk,B.arr=B.array;C.exports=(V)=>{return V.prototype.out=function(z){return B[z]?B[z](this):B.text(this)},V.prototype.debug=function(){return B.debug(this)},V}},{"./indexes":32,"./offset":33,"./topk":34}],32:[function(E,C){"use strict";C.exports=(D)=>{let _=[],B={};D.terms().list.forEach((z)=>{B[z.terms[0].uid]=!0});let j=0,V=D.all();return V.list.forEach((z,F)=>{z.terms.forEach(($,G)=>{void 0!==B[$.uid]&&_.push({text:$.text,normal:$.normal,term:j,sentence:F,sentenceTerm:G}),j+=1})}),_}},{}],33:[function(E,C){"use strict";const N=(_,B)=>{let j=0;for(let V=0;V<_.list.length;V++)for(let z=0,F;z<_.list[V].terms.length;z++){if(F=_.list[V].terms[z],F.uid===B.uid)return j;j+=F.whitespace.before.length+F._text.length+F.whitespace.after.length}return null};C.exports=(_)=>{let B=_.all();return _.list.map((j)=>{let V=[];for(let H=0;H{let z=V.out("root");B[z]=B[z]||0,B[z]+=1});let j=[];return Object.keys(B).forEach((V)=>{j.push({normal:V,count:B[V]})}),j.forEach((V)=>{V.percent=parseFloat((100*(V.count/D.list.length)).toFixed(2))}),j=j.sort((V,z)=>{return V.count>z.count?-1:1}),_&&(j=j.splice(0,_)),j}},{}],35:[function(E,C){"use strict";const N=E("./methods");C.exports=(_)=>{return _.addMethods(_,{sort:function(j){return j=j||"alphabetical",j=j.toLowerCase(),j&&"alpha"!==j&&"alphabetical"!==j?"chron"===j||"chronological"===j?N.chron(this,_):"length"===j?N.lengthFn(this,_):"freq"===j||"frequency"===j?N.freq(this,_):"wordcount"===j?N.wordCount(this,_):this:N.alpha(this,_)},reverse:function(){return this.list=this.list.reverse(),this},unique:function(){let j={};return this.list=this.list.filter((V)=>{let z=V.out("root");return!j[z]&&(j[z]=!0,!0)}),this}}),_}},{"./methods":36}],36:[function(E,C,A){"use strict";const N=function(D){return D=D.sort((_,B)=>{return _.index>B.index?1:_.index===B.index?0:-1}),D.map((_)=>_.ts)};A.alpha=function(D){return D.list.sort((_,B)=>{if(_===B)return 0;if(_.terms[0]&&B.terms[0]){if(_.terms[0].root>B.terms[0].root)return 1;if(_.terms[0].rootB.out("root")?1:-1}),D},A.chron=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.termIndex()}});return D.list=N(_),D},A.lengthFn=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.chars()}});return D.list=N(_).reverse(),D},A.wordCount=function(D){let _=D.list.map((B)=>{return{ts:B,index:B.length}});return D.list=N(_),D},A.freq=function(D){let _={};D.list.forEach((j)=>{let V=j.out("root");_[V]=_[V]||0,_[V]+=1});let B=D.list.map((j)=>{let V=_[j.out("root")]||0;return{ts:j,index:-1*V}});return D.list=N(B),D}},{}],37:[function(E,C){"use strict";C.exports=(D)=>{return D.addMethods(D,{splitAfter:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitAfter(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this},splitBefore:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitBefore(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this},splitOn:function(B,j){let V=[];return this.list.forEach((z)=>{z.splitOn(B,j).forEach((F)=>{V.push(F)})}),this.list=V,this}}),D}},{}],38:[function(E,C){C.exports={fns:E("../fns"),data:E("../data"),Terms:E("../terms"),tags:E("../tagset")}},{"../data":6,"../fns":21,"../tagset":163,"../terms":189}],39:[function(E,C){"use strict";const N=E("../../index");C.exports=N.makeSubset({data:function(){return this.terms().list.map((B)=>{let j=B.terms[0],V=j.text.toUpperCase().replace(/\./g).split("");return{periods:V.join("."),normal:V.join(""),text:j.text}})}},function(B,j){return B=B.match("#Acronym"),"number"==typeof j&&(B=B.get(j)),B})},{"../../index":26}],40:[function(E,C){"use strict";const N=E("../../index"),D=E("./methods");C.exports=N.makeSubset({data:function(){return this.list.map((j)=>{const V=j.out("normal");return{comparative:D.toComparative(V),superlative:D.toSuperlative(V),adverbForm:D.toAdverb(V),nounForm:D.toNoun(V),verbForm:D.toVerb(V),normal:V,text:this.out("text")}})}},function(j,V){return j=j.match("#Adjective"),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"./methods":42}],41:[function(E,C){"use strict";const N=E("../../../../data"),D={};N.superlatives=N.superlatives||[],N.superlatives.forEach((_)=>{D[_]=!0}),N.verbConverts=N.verbConverts||[],N.verbConverts.forEach((_)=>{D[_]=!0}),C.exports=D},{"../../../../data":6}],42:[function(E,C){"use strict";C.exports={toNoun:E("./toNoun"),toSuperlative:E("./toSuperlative"),toComparative:E("./toComparative"),toAdverb:E("./toAdverb"),toVerb:E("./toVerb")}},{"./toAdverb":43,"./toComparative":44,"./toNoun":45,"./toSuperlative":46,"./toVerb":47}],43:[function(E,C){"use strict";C.exports=function(D){const _={idle:"idly","public":"publicly",vague:"vaguely",day:"daily",icy:"icily",single:"singly",female:"womanly",male:"manly",simple:"simply",whole:"wholly",special:"especially",straight:"straight",wrong:"wrong",fast:"fast",hard:"hard",late:"late",early:"early",well:"well",good:"well",little:"little",long:"long",low:"low",best:"best",latter:"latter",bad:"badly"},j=[{reg:/al$/i,repl:"ally"},{reg:/ly$/i,repl:"ly"},{reg:/(.{3})y$/i,repl:"$1ily"},{reg:/que$/i,repl:"quely"},{reg:/ue$/i,repl:"uly"},{reg:/ic$/i,repl:"ically"},{reg:/ble$/i,repl:"bly"},{reg:/l$/i,repl:"ly"}],V=[/airs$/,/ll$/,/ee.$/,/ile$/];if(1==={foreign:1,black:1,modern:1,next:1,difficult:1,degenerate:1,young:1,awake:1,back:1,blue:1,brown:1,orange:1,complex:1,cool:1,dirty:1,done:1,empty:1,fat:1,fertile:1,frozen:1,gold:1,grey:1,gray:1,green:1,medium:1,parallel:1,outdoor:1,unknown:1,undersized:1,used:1,welcome:1,yellow:1,white:1,fixed:1,mixed:1,"super":1,guilty:1,tiny:1,able:1,unable:1,same:1,adult:1}[D])return null;if(void 0!==_[D])return _[D];if(3>=D.length)return null;for(let z=0;z{return j[V]=!0,j},{});C.exports=(j)=>{return _[j]?D[j]?D[j]:!0===/e$/.test(j)?j+"n":j+"en":j}},{"../../../../data":6}],48:[function(E,C){"use strict";const N=E("../../index"),D=E("./toAdjective");C.exports=N.makeSubset({data:function(){return this.terms().list.map((j)=>{let V=j.terms[0];return{adjectiveForm:D(V.normal),normal:V.normal,text:V.text}})}},function(j,V){return j=j.match("#Adverb+"),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"./toAdjective":49}],49:[function(E,C){"use strict";const N={idly:"idle",sporadically:"sporadic",basically:"basic",grammatically:"grammatical",alphabetically:"alphabetical",economically:"economical",conically:"conical",politically:"political",vertically:"vertical",practically:"practical",theoretically:"theoretical",critically:"critical",fantastically:"fantastic",mystically:"mystical",pornographically:"pornographic",fully:"full",jolly:"jolly",wholly:"whole"},D=[{reg:/bly$/i,repl:"ble"},{reg:/gically$/i,repl:"gical"},{reg:/([rsdh])ically$/i,repl:"$1ical"},{reg:/ically$/i,repl:"ic"},{reg:/uly$/i,repl:"ue"},{reg:/ily$/i,repl:"y"},{reg:/(.{3})ly$/i,repl:"$1"}];C.exports=function(B){if(N.hasOwnProperty(B))return N[B];for(let j=0;j{B.whitespace.after=_.whitespace.after,_.whitespace.after="",B.whitespace.before="",_.silent_term=_.text,B.silent_term=B.text,B.text="",_.tag("Contraction","new-contraction"),B.tag("Contraction","new-contraction")};C.exports=function(_){return!1===_.expanded||_.match("#Contraction").found?_:(_.match("(#Noun|#QuestionWord) is").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'s",B.contracted=!0}),_.match("#PronNoun did").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("#QuestionWord (did|do)").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("#Noun (could|would)").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'d",B.contracted=!0}),_.match("(they|we|you) are").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'re",B.contracted=!0}),_.match("i am").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'m",B.contracted=!0}),_.match("(#Noun|#QuestionWord) will").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'ll",B.contracted=!0}),_.match("(they|we|you|i) have").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="'ve",B.contracted=!0}),_.match("(#Copula|#Modal|do) not").list.forEach((B)=>{N(B.terms[0],B.terms[1]),B.terms[0].text+="n't",B.contracted=!0}),_)}},{}],51:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./contract"),_=E("./expand"),B=function(j,V,z){N.call(this,j,V,z)};B.prototype=Object.create(N.prototype),B.prototype.data=function(){let j=_(this.clone()),V=D(this.clone());return{text:this.out("text"),normal:this.out("normal"),expanded:{normal:j.out("normal"),text:j.out("text")},contracted:{normal:V.out("normal"),text:V.out("text")},isContracted:!!this.contracted}},B.prototype.expand=function(){return _(this)},B.prototype.contract=function(){return D(this)},C.exports=B},{"../../paths":38,"./contract":50,"./expand":52}],52:[function(E,C){"use strict";C.exports=function(D){return!1===D.contracted?D:(D.terms.forEach((_)=>{_.silent_term&&(!_.text&&(_.whitespace.before=" "),_._text=_.silent_term,_.normalize(),_.silent_term=null,_.unTag("Contraction","expanded"))}),D)}},{}],53:[function(E,C){"use strict";C.exports=(D)=>{let _=D.not("#Contraction"),B=_.match("(#Noun|#QuestionWord) (#Copula|did|do|have|had|could|would|will)");return B.concat(_.match("(they|we|you|i) have")),B.concat(_.match("i am")),B.concat(_.match("(#Copula|#Modal|do) not")),B.list.forEach((j)=>{j.expanded=!0}),B}},{}],54:[function(E,C){"use strict";const N=E("../../index"),D=E("./contraction"),_=E("./findPossible");C.exports=N.makeSubset({contract:function(){return this.list.forEach((V)=>V.contract()),this},expand:function(){return this.list.forEach((V)=>V.expand()),this},contracted:function(){return this.list=this.list.filter((V)=>{return V.contracted}),this},expanded:function(){return this.list=this.list.filter((V)=>{return!V.contracted}),this}},function(V,z){let F=V.match("#Contraction #Contraction #Contraction?");F.list=F.list.map((G)=>{let O=new D(G.terms,G.lexicon,G.refText,G.refTerms);return O.contracted=!0,O});let $=_(V);return $.list.forEach((G)=>{let O=new D(G.terms,G.lexicon,G.refText,G.refTerms);O.contracted=!1,F.list.push(O)}),F.sort("chronological"),"number"==typeof z&&(F=F.get(z)),F})},{"../../index":26,"./contraction":51,"./findPossible":53}],55:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./parseDate"),_=function(B,j,V){N.call(this,B,j,V),this.month=this.match("#Month")};_.prototype=Object.create(N.prototype),_.prototype.data=function(){return{text:this.out("text"),normal:this.out("normal"),date:D(this)}},C.exports=_},{"../../paths":38,"./parseDate":59}],56:[function(E,C){"use strict";const N=E("../../index"),D=E("./date"),_=E("./weekday"),B=E("./month");C.exports=N.makeSubset({toShortForm:function(){return this.match("#Month").terms().list.forEach((z)=>{let F=z.terms[0];B.toShortForm(F)}),this.match("#WeekDay").terms().list.forEach((z)=>{let F=z.terms[0];_.toShortForm(F)}),this},toLongForm:function(){return this.match("#Month").terms().list.forEach((z)=>{let F=z.terms[0];B.toLongForm(F)}),this.match("#WeekDay").terms().list.forEach((z)=>{let F=z.terms[0];_.toLongForm(F)}),this}},function(z,F){let $=z.match("#Date+");return"number"==typeof F&&($=$.get(F)),$.list=$.list.map((G)=>{return new D(G.terms,G.lexicon,G.refText,G.refTerms)}),$})},{"../../index":26,"./date":55,"./month":58,"./weekday":62}],57:[function(E,C,A){A.longMonths={january:0,february:1,march:2,april:3,may:4,june:5,july:6,august:7,september:8,october:9,november:10,december:11},A.shortMonths={jan:0,feb:1,febr:1,mar:2,apr:3,may:4,jun:5,jul:6,aug:7,sep:8,sept:8,oct:9,nov:10,dec:11}},{}],58:[function(E,C){"use strict";const N=E("./data"),D=N.shortMonths,_=N.longMonths;C.exports={index:function(B){if(B.tags.Month){if(_[B.normal]!==void 0)return _[B.normal];if(void 0!==D[B.normal])return D[B.normal]}return null},toShortForm:function(B){if(void 0!==B.tags.Month&&void 0!==_[B.normal]){let j=Object.keys(D);B.text=j[_[B.normal]]}return B.dirty=!0,B},toLongForm:function(B){if(void 0!==B.tags.Month&&void 0!==D[B.normal]){let j=Object.keys(_);B.text=j[D[B.normal]]}return B.dirty=!0,B}}},{"./data":57}],59:[function(E,C){"use strict";const N=E("./parseTime"),D=E("./weekday"),_=E("./month"),B=(z)=>{return z&&31>z&&0{return z&&1e3z};C.exports=(z)=>{let F={month:null,date:null,weekday:null,year:null,named:null,time:null},$=z.match("(#Holiday|today|tomorrow|yesterday)");if($.found&&(F.named=$.out("normal")),$=z.match("#Month"),$.found&&(F.month=_.index($.list[0].terms[0])),$=z.match("#WeekDay"),$.found&&(F.weekday=D.index($.list[0].terms[0])),$=z.match("#Time"),$.found&&(F.time=N(z),z.not("#Time")),$=z.match("#Month #Value #Year"),$.found){let G=$.values().numbers();B(G[0])&&(F.date=G[0]);let O=parseInt(z.match("#Year").out("normal"),10);j(O)&&(F.year=O)}if(!$.found){if($=z.match("#Month #Value"),$.found){let G=$.values().numbers(),O=G[0];B(O)&&(F.date=O)}if($=z.match("#Month #Year"),$.found){let G=parseInt(z.match("#Year").out("normal"),10);j(G)&&(F.year=G)}}if($=z.match("#Value of #Month"),$.found){let G=$.values().numbers()[0];B(G)&&(F.date=G)}return F}},{"./month":58,"./parseTime":60,"./weekday":62}],60:[function(E,C){"use strict";const N=/([12]?[0-9]) ?(am|pm)/i,D=/([12]?[0-9]):([0-9][0-9]) ?(am|pm)?/i,_=(V)=>{return V&&0V},B=(V)=>{return V&&0V};C.exports=(V)=>{let z={logic:null,hour:null,minute:null,second:null,timezone:null},F=V.match("(by|before|for|during|at|until|after) #Time").firstTerm();F.found&&(z.logic=F.out("normal"));let $=V.match("#Time");return $.terms().list.forEach((G)=>{let O=G.terms[0],H=O.text.match(N);null!==H&&(z.hour=parseInt(H[1],10),"pm"===H[2]&&(z.hour+=12),!1===_(z.hour)&&(z.hour=null)),H=O.text.match(D),null!==H&&(z.hour=parseInt(H[1],10),z.minute=parseInt(H[2],10),!B(z.minute)&&(z.minute=null),"pm"===H[3]&&(z.hour+=12),!1===_(z.hour)&&(z.hour=null))}),z}},{}],61:[function(E,C,A){A.longDays={sunday:0,monday:1,tuesday:2,wednesday:3,thursday:4,friday:5,saturday:6},A.shortDays={sun:0,mon:1,tues:2,wed:3,thurs:4,fri:5,sat:6}},{}],62:[function(E,C){"use strict";const N=E("./data"),D=N.shortDays,_=N.longDays;C.exports={index:function(B){if(B.tags.WeekDay){if(_[B.normal]!==void 0)return _[B.normal];if(void 0!==D[B.normal])return D[B.normal]}return null},toShortForm:function(B){if(B.tags.WeekDay&&void 0!==_[B.normal]){let j=Object.keys(D);B.text=j[_[B.normal]]}return B},toLongForm:function(B){if(B.tags.WeekDay&&void 0!==D[B.normal]){let j=Object.keys(_);B.text=j[D[B.normal]]}return B}}},{"./data":61}],63:[function(E,C){"use strict";const N=E("./index"),D=E("./getGrams"),_=function(B,j,V){N.call(this,B,j,V)};_.prototype=Object.create(N.prototype),_.find=function(B,j,V){let z={size:[1,2,3,4],edge:"end"};V&&(z.size=[V]);let F=D(B,z);return B=new _(F),B.sort(),"number"==typeof j&&(B=B.get(j)),B},C.exports=_},{"./getGrams":64,"./index":66}],64:[function(E,C){"use strict";const N=E("./gram"),D=function(V,z){let F=V.terms;if(F.length{V.list.forEach((O)=>{let H=[];H="start"===z.edge?_(O,G):"end"===z.edge?B(O,G):D(O,G),H.forEach((M)=>{F[M.key]?F[M.key].inc():F[M.key]=M})})});let $=Object.keys(F).map((G)=>F[G]);return $}},{"./gram":65}],65:[function(E,C){"use strict";const N=E("../../paths").Terms,D=function(_,B,j){N.call(this,_,B,j),this.key=this.out("normal"),this.size=_.length,this.count=1};D.prototype=Object.create(N.prototype),D.prototype.inc=function(){this.count+=1},C.exports=D},{"../../paths":38}],66:[function(E,C){"use strict";const N=E("../../index"),D=E("./getGrams"),_=function(V){return V.list=V.list.sort((z,F)=>{return z.count>F.count?-1:z.count===F.count&&(z.size>F.size||z.key.length>F.key.length)?-1:1}),V};C.exports=N.makeSubset({data:function(){return this.list.map((V)=>{return{normal:V.out("normal"),count:V.count,size:V.size}})},unigrams:function(){return this.list=this.list.filter((V)=>1===V.size),this},bigrams:function(){return this.list=this.list.filter((V)=>2===V.size),this},trigrams:function(){return this.list=this.list.filter((V)=>3===V.size),this},sort:function(){return _(this)}},function(V,z,F){let $={size:[1,2,3,4]};F&&($.size=[F]);let G=D(V,$);return V=new N(G),V=_(V),"number"==typeof z&&(V=V.get(z)),V})},{"../../index":26,"./getGrams":64}],67:[function(E,C){"use strict";const N=E("./index"),D=E("./getGrams"),_=function(B,j,V){N.call(this,B,j,V)};_.prototype=Object.create(N.prototype),_.find=function(B,j,V){let z={size:[1,2,3,4],edge:"start"};V&&(z.size=[V]);let F=D(B,z);return B=new _(F),B.sort(),"number"==typeof j&&(B=B.get(j)),B},C.exports=_},{"./getGrams":64,"./index":66}],68:[function(E,C){"use strict";const N=E("../../../tries").utils.uncountable;C.exports=function(_){if(!_.tags.Noun)return!1;if(_.tags.Plural)return!0;const B=["Pronoun","Place","Value","Person","Month","WeekDay","RelativeDay","Holiday"];for(let j=0;jj.isPlural())},hasPlural:function(){return this.list.map((j)=>j.hasPlural())},toPlural:function(){return this.list.forEach((j)=>j.toPlural()),this},toSingular:function(){return this.list.forEach((j)=>j.toSingular()),this}},function(j,V){return j=j.clauses(),j=j.match("#Noun+"),j=j.not("#Pronoun"),j=j.not("(#Month|#WeekDay)"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./noun":77}],70:[function(E,C){"use strict";const N=E("../../../data").irregular_plurals,D=E("./methods/data/indicators"),_=/([a-z]*) (of|in|by|for) [a-z]/,B={i:!1,he:!1,she:!1,we:!0,they:!0},j=["Place","Value","Person","Month","WeekDay","RelativeDay","Holiday"],V=function(F){for(let $=0;${F.prototype[$]=z[$]}),C.exports=F},{"../../paths":38,"./hasPlural":68,"./isPlural":70,"./makeArticle":71,"./methods/pluralize":75,"./methods/singularize":76}],78:[function(E,C){"use strict";C.exports=function(D){return D?!0===/.(i|ee|[a|e]y|a)$/.test(D)?"Female":!0===/[ou]$/.test(D)?"Male":!0===/(nn|ll|tt)/.test(D)?"Female":null:null}},{}],79:[function(E,C){"use strict";const N=E("../../index"),D=E("./person");C.exports=N.makeSubset({pronoun:function(){return this.list.map((j)=>j.pronoun())}},function(j,V){let z=j.clauses();return z=z.match("#Person+"),"number"==typeof V&&(z=z.get(V)),z.list=z.list.map((F)=>{return new D(F.terms,F.lexicon,F.refText,F.refTerms)}),z})},{"../../index":26,"./person":80}],80:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./guessGender"),_=function(j,V,z,F){if(N.call(this,j,V,z,F),this.firstName=this.match("#FirstName+"),this.middleName=this.match("#Acronym+"),this.honorifics=this.match("#Honorific"),this.lastName=this.match("#LastName+"),!this.firstName.found&&1{_.prototype[j]=B[j]}),C.exports=_},{"../../paths":38,"./guessGender":78}],81:[function(E,C){"use strict";const N=E("../../index"),D=E("./sentence");C.exports=N.makeSubset({toPastTense:function(){return this.list=this.list.map((j)=>{return j=j.toPastTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toPresentTense:function(){return this.list=this.list.map((j)=>{return j=j.toPresentTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toFutureTense:function(){return this.list=this.list.map((j)=>{return j=j.toFutureTense(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toNegative:function(){return this.list=this.list.map((j)=>{return j=j.toNegative(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},toPositive:function(){return this.list=this.list.map((j)=>{return j=j.toPositive(),new D(j.terms,j.lexicon,j.refText,j.refTerms)}),this},isPassive:function(){return this.list=this.list.filter((j)=>{return j.isPassive()}),this},prepend:function(j){return this.list=this.list.map((V)=>{return V.prepend(j)}),this},append:function(j){return this.list=this.list.map((V)=>{return V.append(j)}),this},toExclamation:function(){return this.list.forEach((j)=>{j.setPunctuation("!")}),this},toQuestion:function(){return this.list.forEach((j)=>{j.setPunctuation("?")}),this},toStatement:function(){return this.list.forEach((j)=>{j.setPunctuation(".")}),this}},function(j,V){return j=j.all(),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./sentence":82}],82:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./toNegative"),_=E("./toPositive"),B=E("../verbs/verb"),j=E("./smartInsert"),V={toSingular:function(){let F=this.match("#Noun").match("!#Pronoun").firstTerm();return F.things().toSingular(),this},toPlural:function(){let F=this.match("#Noun").match("!#Pronoun").firstTerm();return F.things().toPlural(),this},mainVerb:function(){let F=this.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb");return F.found?(F=F.list[0].terms,new B(F,this.lexicon,this.refText,this.refTerms)):null},toPastTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toPastTense();let G=F.out("normal"),O=this.parentTerms.replace($,G);return O}return this},toPresentTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toPresentTense();let G=F.out("normal");return this.parentTerms.replace($,G)}return this},toFutureTense:function(){let F=this.mainVerb();if(F){let $=F.out("normal");F.toFutureTense();let G=F.out("normal");return this.parentTerms.replace($,G)}return this},isNegative:function(){return 1===this.match("#Negative").list.length},toNegative:function(){return this.isNegative()?this:D(this)},toPositive:function(){return this.isNegative()?_(this):this},append:function(F){return j.append(this,F)},prepend:function(F){return j.prepend(this,F)},setPunctuation:function(F){let $=this.terms[this.terms.length-1];$.setPunctuation(F)},getPunctuation:function(){let F=this.terms[this.terms.length-1];return F.getPunctuation()},isPassive:function(){return this.match("was #Adverb? #PastTense #Adverb? by").found}},z=function(F,$,G,O){N.call(this,F,$,G,O),this.t=this.terms[0]};z.prototype=Object.create(N.prototype),Object.keys(V).forEach((F)=>{z.prototype[F]=V[F]}),C.exports=z},{"../../paths":38,"../verbs/verb":118,"./smartInsert":83,"./toNegative":84,"./toPositive":85}],83:[function(E,C){"use strict";const N=/^[A-Z]/;C.exports={append:(B,j)=>{let V=B.terms[B.terms.length-1],z=V.endPunctuation();z&&V.killPunctuation(),B.insertAt(B.terms.length,j);let F=B.terms[B.terms.length-1];return z&&(F.text+=z),V.whitespace.after&&(F.whitespace.after=V.whitespace.after,V.whitespace.after=""),B},prepend:(B,j)=>{let V=B.terms[0];if(B.insertAt(0,j),N.test(V.text)){!1===V.needsTitleCase()&&V.toLowerCase();let z=B.terms[0];z.toTitleCase()}return B}}},{}],84:[function(E,C){"use strict";const N={everyone:"no one",everybody:"nobody",someone:"no one",somebody:"nobody",always:"never"};C.exports=(_)=>{let B=_.match("(everyone|everybody|someone|somebody|always)").first();if(B.found&&N[B.out("normal")]){let V=B.out("normal");return _=_.match(V).replaceWith(N[V]).list[0],_.parentTerms}let j=_.mainVerb();return j&&j.toNegative(),_}},{}],85:[function(E,C){"use strict";const N={never:"always",nothing:"everything"};C.exports=(_)=>{let B=_.match("(never|nothing)").first();if(B.found){let j=B.out("normal");if(N[j])return _=_.match(j).replaceWith(N[j]).list[0],_.parentTerms}return _.delete("#Negative"),_}},{}],86:[function(E,C){"use strict";const N=E("../../index"),D=E("../../paths").Terms;C.exports=N.makeSubset({data:function(){return this.list.map((j)=>{let V=j.terms[0];return{spaceBefore:V.whitespace.before,text:V.text,spaceAfter:V.whitespace.after,normal:V.normal,implicit:V.silent_term,bestTag:V.bestTag(),tags:Object.keys(V.tags)}})}},function(j,V){let z=[];return j.list.forEach((F)=>{F.terms.forEach(($)=>{z.push(new D([$],F.lexicon,j))})}),j=new N(z,j.lexicon,j.parent),"number"==typeof V&&(j=j.get(V)),j})},{"../../index":26,"../../paths":38}],87:[function(E,C){"use strict";const N=E("../../index"),D=E("./value");C.exports=N.makeSubset({noDates:function(){return this.not("#Date")},numbers:function(){return this.list.map((j)=>{return j.number()})},toNumber:function(){return this.list=this.list.map((j)=>{return j.toNumber()}),this},toTextValue:function(){return this.list=this.list.map((j)=>{return j.toTextValue()}),this},toCardinal:function(){return this.list=this.list.map((j)=>{return j.toCardinal()}),this},toOrdinal:function(){return this.list=this.list.map((j)=>{return j.toOrdinal()}),this},toNiceNumber:function(){return this.list=this.list.map((j)=>{return j.toNiceNumber()}),this}},function(j,V){return j=j.match("#Value+"),j.splitOn("#Year"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),j})},{"../../index":26,"./value":99}],88:[function(E,C){"use strict";const N=E("../toNumber");C.exports=function(_){let B=N(_);if(!B&&0!==B)return null;let j=B%100;if(10j)return""+B+"th";const V={0:"th",1:"st",2:"nd",3:"rd"};let z=""+B,F=z.slice(z.length-1,z.length);return z+=V[F]?V[F]:"th",z}},{"../toNumber":94}],89:[function(E,C){C.exports=E("../../paths")},{"../../paths":38}],90:[function(E,C){"use strict";const N=E("../toNumber"),D=E("../toText"),_=E("../../../paths").data.ordinalMap.toOrdinal;C.exports=(j)=>{let V=N(j),z=D(V),F=z[z.length-1];return z[z.length-1]=_[F]||F,z.join(" ")}},{"../../../paths":38,"../toNumber":94,"../toText":98}],91:[function(E,C){"use strict";C.exports=function(D){if(!D&&0!==D)return null;D=""+D;let _=D.split("."),B=_[0],j=1<_.length?"."+_[1]:"",V=/(\d+)(\d{3})/;for(;V.test(B);)B=B.replace(V,"$1,$2");return B+j}},{}],92:[function(E,C){const N=E("../paths"),D=N.data.numbers,_=N.fns,B=_.extend(D.ordinal.ones,D.cardinal.ones),j=_.extend(D.ordinal.teens,D.cardinal.teens),V=_.extend(D.ordinal.tens,D.cardinal.tens),z=_.extend(D.ordinal.multiples,D.cardinal.multiples);C.exports={ones:B,teens:j,tens:V,multiples:z}},{"../paths":89}],93:[function(E,C){"use strict";C.exports=(D)=>{const _=[{reg:/^(minus|negative)[\s\-]/i,mult:-1},{reg:/^(a\s)?half[\s\-](of\s)?/i,mult:0.5}];for(let B=0;B<_.length;B++)if(!0===_[B].reg.test(D))return{amount:_[B].mult,str:D.replace(_[B].reg,"")};return{amount:1,str:D}}},{}],94:[function(E,C){"use strict";const N=E("./parseNumeric"),D=E("./findModifiers"),_=E("./data"),B=E("./validate"),j=E("./parseDecimals"),V=/^([0-9,\. ]+)\/([0-9,\. ]+)$/,z={"a couple":2,"a dozen":12,"two dozen":24,zero:0},F=(O)=>{return Object.keys(O).reduce((H,M)=>{return H+=O[M],H},0)},$=(O)=>{for(let H=0;H{return D=D.replace(/1st$/,"1"),D=D.replace(/2nd$/,"2"),D=D.replace(/3rd$/,"3"),D=D.replace(/([4567890])r?th$/,"$1"),D=D.replace(/^[$€¥£¢]/,""),D=D.replace(/[%$€¥£¢]$/,""),D=D.replace(/,/g,""),D=D.replace(/([0-9])([a-z]{1,2})$/,"$1"),parseFloat(D)}},{}],97:[function(E,C){"use strict";const N=E("./data");C.exports=(_,B)=>{if(N.ones[_]){if(B.ones||B.teens)return!1;}else if(N.teens[_]){if(B.ones||B.teens||B.tens)return!1;}else if(N.tens[_]&&(B.ones||B.teens||B.tens))return!1;return!0}},{"./data":92}],98:[function(E,C){"use strict";const N=function(j){let V=j,z=[];return[[1000000000,"million"],[100000000,"hundred million"],[1000000,"million"],[100000,"hundred thousand"],[1000,"thousand"],[100,"hundred"],[1,"one"]].forEach(($)=>{if(j>$[0]){let G=Math.floor(V/$[0]);V-=G*$[0],G&&z.push({unit:$[1],count:G})}}),z},D=function(j){const V=[["ninety",90],["eighty",80],["seventy",70],["sixty",60],["fifty",50],["forty",40],["thirty",30],["twenty",20]],z=["","one","two","three","four","five","six","seven","eight","nine","ten","eleven","twelve","thirteen","fourteen","fifteen","sixteen","seventeen","eighteen","nineteen"];let F=[];for(let $=0;$=V[$][1]&&(j-=V[$][1],F.push(V[$][0]));return z[j]&&F.push(z[j]),F},_=(j)=>{const V=["zero","one","two","three","four","five","six","seven","eight","nine"];let z=[],F=(""+j).match(/\.([0-9]+)/);if(!F||!F[0])return z;z.push("point");let $=F[0].split("");for(let G=0;G<$.length;G++)z.push(V[$[G]]);return z};C.exports=function(j){let V=[];0>j&&(V.push("negative"),j=Math.abs(j));let z=N(j);for(let F=0,$;FF),0===V.length&&(V[0]="zero"),V}},{}],99:[function(E,C){"use strict";const N=E("../../paths"),D=N.Terms,_=E("./toNumber"),B=E("./toText"),j=E("./toNiceNumber"),V=E("./numOrdinal"),z=E("./textOrdinal"),F=function(M,S,I,q){D.call(this,M,S,I,q),this.val=this.match("#Value+").list[0],this.unit=this.match("#Unit$").list[0]};F.prototype=Object.create(D.prototype);const $=(M)=>{let S=M.terms[M.terms.length-1];return!!S&&!0===S.tags.Ordinal},G=(M)=>{for(let S=0;S{for(let S=0,I;S{return S.clone()});return new F(M,this.lexicon,this.refText,this.refTerms)}};Object.keys(H).forEach((M)=>{F.prototype[M]=H[M]}),C.exports=F},{"../../paths":38,"./numOrdinal":88,"./textOrdinal":90,"./toNiceNumber":91,"./toNumber":94,"./toText":98}],100:[function(E,C){"use strict";const N=E("../../index"),D=E("./verb");C.exports=N.makeSubset({conjugation:function(j){return this.list.map((V)=>{return V.conjugation(j)})},conjugate:function(j){return this.list.map((V)=>{return V.conjugate(j)})},isPlural:function(){return this.list=this.list.filter((j)=>{return j.isPlural()}),this},isSingular:function(){return this.list=this.list.filter((j)=>{return!j.isPlural()}),this},isNegative:function(){return this.list=this.list.filter((j)=>{return j.isNegative()}),this},isPositive:function(){return this.list=this.list.filter((j)=>{return!j.isNegative()}),this},toNegative:function(){return this.list=this.list.map((j)=>{return j.toNegative()}),this},toPositive:function(){return this.list.forEach((j)=>{j.toPositive()}),this},toPastTense:function(){return this.list.forEach((j)=>{j.toPastTense()}),this},toPresentTense:function(){return this.list.forEach((j)=>{j.toPresentTense()}),this},toFutureTense:function(){return this.list.forEach((j)=>{j.toFutureTense()}),this},toInfinitive:function(){return this.list.forEach((j)=>{j.toInfinitive()}),this},asAdjective:function(){return this.list.map((j)=>j.asAdjective())}},function(j,V){return j=j.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb"),j=j.splitAfter("#Comma"),"number"==typeof V&&(j=j.get(V)),j.list=j.list.map((z)=>{return new D(z.terms,z.lexicon,z.refText,z.refTerms)}),new N(j.list,this.lexicon,this.parent)})},{"../../index":26,"./verb":118}],101:[function(E,C){"use strict";const N=E("./methods/predict"),D=function($){return $.match("#Gerund").found},_=function($){let G=$.match("#Negative").list;return 2!==G.length&&!(1!==G.length)},B=function($){return!!$.match("is being #PastTense").found||!!$.match("(had|has) been #PastTense").found||!!$.match("will have been #PastTense").found},j=function($){return!!$.match("^(had|have) #PastTense")},V=function($){let G=$.match("#Modal");return G.found?G.out("normal"):null},z=function($){if($.auxiliary.found){if($.match("will have #PastTense").found)return"Past";if($.auxiliary.match("will").found)return"Future";if($.auxiliary.match("was").found)return"Past"}if($.verb){let O=N($.verb);return{PastTense:"Past",FutureTense:"Future",FuturePerfect:"Future"}[O]||"Present"}return"Present"};C.exports=($)=>{let G=_($),O={negative:G,continuous:D($),passive:B($),perfect:j($),modal:V($),tense:z($)};return O}},{"./methods/predict":112}],102:[function(E,C){"use strict";const N=E("./irregulars"),D=E("./suffixes"),_=E("./toActor"),B=E("./generic"),j=E("../predict"),V=E("../toInfinitive"),z=E("./toBe");C.exports=function($,G){if("is"===$.normal||"was"===$.normal||"will"===$.normal)return z();$.tags.Contraction&&($.text=$.silent_term);let O={PastTense:null,PresentTense:null,Infinitive:null,Gerund:null,Actor:null},H=j($);H&&(O[H]=$.normal),"Infinitive"!==H&&(O.Infinitive=V($,G)||"");const M=N(O.Infinitive)||{};Object.keys(M).forEach((q)=>{M[q]&&!O[q]&&(O[q]=M[q])});let S=O.Infinitive||$.normal;const I=D(S);return Object.keys(I).forEach((q)=>{I[q]&&!O[q]&&(O[q]=I[q])}),O.Actor||(O.Actor=_(S)),Object.keys(O).forEach((q)=>{!O[q]&&B[q]&&(O[q]=B[q](O))}),O}},{"../predict":112,"../toInfinitive":115,"./generic":105,"./irregulars":107,"./suffixes":108,"./toActor":109,"./toBe":110}],103:[function(E,C){C.exports=[{reg:/(eave)$/i,repl:{pr:"$1s",pa:"$1d",gr:"eaving",ar:"$1r"}},{reg:/(ink)$/i,repl:{pr:"$1s",pa:"unk",gr:"$1ing",ar:"$1er"}},{reg:/(end)$/i,repl:{pr:"$1s",pa:"ent",gr:"$1ing",ar:"$1er"}},{reg:/(ide)$/i,repl:{pr:"$1s",pa:"ode",gr:"iding",ar:"ider"}},{reg:/(ake)$/i,repl:{pr:"$1s",pa:"ook",gr:"aking",ar:"$1r"}},{reg:/(eed)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing",ar:"$1er"}},{reg:/(e)(ep)$/i,repl:{pr:"$1$2s",pa:"$1pt",gr:"$1$2ing",ar:"$1$2er"}},{reg:/(a[tg]|i[zn]|ur|nc|gl|is)e$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing",prt:"$1en"}},{reg:/([i|f|rr])y$/i,repl:{pr:"$1ies",pa:"$1ied",gr:"$1ying"}},{reg:/([td]er)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/([bd]l)e$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}},{reg:/(ish|tch|ess)$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}},{reg:/(ion|end|e[nc]t)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(om)e$/i,repl:{pr:"$1es",pa:"ame",gr:"$1ing"}},{reg:/([aeiu])([pt])$/i,repl:{pr:"$1$2s",pa:"$1$2",gr:"$1$2$2ing"}},{reg:/(er)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(en)$/i,repl:{pr:"$1s",pa:"$1ed",gr:"$1ing"}},{reg:/(..)(ow)$/i,repl:{pr:"$1$2s",pa:"$1ew",gr:"$1$2ing",prt:"$1$2n"}},{reg:/(..)([cs]h)$/i,repl:{pr:"$1$2es",pa:"$1$2ed",gr:"$1$2ing"}},{reg:/([^aeiou][ou])(g|d)$/i,repl:{pr:"$1$2s",pa:"$1$2$2ed",gr:"$1$2$2ing"}},{reg:/([^aeiou][aeiou])(b|t|p|m)$/i,repl:{pr:"$1$2s",pa:"$1$2$2ed",gr:"$1$2$2ing"}},{reg:/([aeiou]zz)$/i,repl:{pr:"$1es",pa:"$1ed",gr:"$1ing"}}]},{}],104:[function(E,C){"use strict";const N=E("./irregulars"),D=E("./suffixes"),_=E("./generic"),B=["Gerund","PastTense","PresentTense"];C.exports=(V)=>{let z={Infinitive:V};const F=N(z.Infinitive);null!==F&&Object.keys(F).forEach((G)=>{F[G]&&!z[G]&&(z[G]=F[G])});const $=D(V);Object.keys($).forEach((G)=>{$[G]&&!z[G]&&(z[G]=$[G])});for(let G=0;G{const B=_.Infinitive;return"e"===B.charAt(B.length-1)?B.replace(/e$/,"ing"):B+"ing"},PresentTense:(_)=>{const B=_.Infinitive;return"s"===B.charAt(B.length-1)?B+"es":!0===N.test(B)?B.slice(0,-1)+"ies":B+"s"},PastTense:(_)=>{const B=_.Infinitive;return"e"===B.charAt(B.length-1)?B+"d":"ed"===B.substr(-2)?B:!0===N.test(B)?B.slice(0,-1)+"ied":B+"ed"}}},{}],106:[function(E,C){"use strict";const N=E("./conjugate"),D=E("./toBe");C.exports=(B,j)=>{let V=B.negative.found;if(B.verb.tags.Copula||"be"===B.verb.normal&&B.auxiliary.match("will").found)return D(!1,V);let F=N(B.verb,j);return B.particle.found&&Object.keys(F).forEach(($)=>{F[$]+=B.particle.out()}),B.adverbs.found&&Object.keys(F).forEach(($)=>{F[$]+=B.adverbs.out()}),V&&(F.PastTense="did not "+F.Infinitive,F.PresentTense="does not "+F.Infinitive),F.FutureTense||(V?F.FutureTense="will not "+F.Infinitive:F.FutureTense="will "+F.Infinitive),F}},{"./conjugate":102,"./toBe":110}],107:[function(E,C){"use strict";let N=E("../../../../../data").irregular_verbs;const D=E("../../../../../fns"),_=Object.keys(N),B=["Participle","Gerund","PastTense","PresentTense","FuturePerfect","PerfectTense","Actor"];C.exports=function(V){if(void 0!==N[V]){let z=D.copy(N[V]);return z.Infinitive=V,z}for(let z=0;z<_.length;z++)for(let F=0,$;F{let B={PastTense:"was",PresentTense:"is",FutureTense:"will be",Infinitive:"is",Gerund:"being",Actor:"",PerfectTense:"been",Pluperfect:"been"};return D&&(B.PastTense="were",B.PresentTense="are",B.Infinitive="are"),_&&(B.PastTense+=" not",B.PresentTense+=" not",B.FutureTense="will not be",B.Infinitive+=" not",B.PerfectTense="not "+B.PerfectTense,B.Pluperfect="not "+B.Pluperfect),B}},{}],111:[function(E,C){"use strict";C.exports=(D)=>{if(D.match("(are|were|does)").found)return!0;if(D.match("(is|am|do|was)").found)return!1;let _=D.getNoun();if(_&&_.found){if(_.match("#Plural").found)return!0;if(_.match("#Singular").found)return!1}return null}},{}],112:[function(E,C){"use strict";const N=E("./suffix_rules"),D={Infinitive:!0,Gerund:!0,PastTense:!0,PresentTense:!0,FutureTense:!0,PerfectTense:!0,Pluperfect:!0,FuturePerfect:!0,Participle:!0};C.exports=function(B,j){const V=Object.keys(D);for(let F=0;Fz[F].length)return N[z[F]]}return null}},{"./suffix_rules":113}],113:[function(E,C){"use strict";const N={Gerund:["ing"],Actor:["erer"],Infinitive:["ate","ize","tion","rify","then","ress","ify","age","nce","ect","ise","ine","ish","ace","ash","ure","tch","end","ack","and","ute","ade","ock","ite","ase","ose","use","ive","int","nge","lay","est","ain","ant","ent","eed","er","le","own","unk","ung","en"],PastTense:["ed","lt","nt","pt","ew","ld"],PresentTense:["rks","cks","nks","ngs","mps","tes","zes","ers","les","acks","ends","ands","ocks","lays","eads","lls","els","ils","ows","nds","ays","ams","ars","ops","ffs","als","urs","lds","ews","ips","es","ts","ns","s"]},D={},_=Object.keys(N),B=_.length;for(let j=0,V;j{return Object.keys(D).reduce((V,z)=>{return Object.keys(D[z]).forEach((F)=>{V[D[z][F]]=z}),V},{})})();C.exports=function(V){if(V.tags.Infinitive)return V.normal;if(D[V.normal])return D[V.normal];let z=_(V);if(N[z])for(let F=0,$;F{let B=_.match("#Auxiliary").first();if(B.found){let O=B.list[0].index();return _.parentTerms.insertAt(O+1,"not","Verb")}let j=_.match("(#Copula|will|has|had|do)").first();if(j.found){let O=j.list[0].index();return _.parentTerms.insertAt(O+1,"not","Verb")}let V=_.isPlural(),z=_.match("#PastTense").last();if(z.found){let O=z.list[0],H=O.index();return O.terms[0].text=N(O.terms[0]),V?_.parentTerms.insertAt(H,"do not","Verb"):_.parentTerms.insertAt(H,"did not","Verb")}let F=_.match("#PresentTense").first();if(F.found){let O=F.list[0],H=O.index();O.terms[0].text=N(O.terms[0]);let M=_.getNoun();return M.match("(i|we|they|you)").found?_.parentTerms.insertAt(H,"do not","Verb"):_.parentTerms.insertAt(H,"does not","Verb")}let $=_.match("#Gerund").last();if($.found){let O=$.list[0].index();return _.parentTerms.insertAt(O,"not","Verb")}let G=_.match("#Verb").last();if(G.found){G=G.list[0];let O=G.index();return G.terms[0].text=N(G.terms[0]),V?_.parentTerms.insertAt(O,"does not","Verb"):_.parentTerms.insertAt(O,"did not","Verb")}return _}},{"./methods/toInfinitive":115}],118:[function(E,C){"use strict";const N=E("../../paths").Terms,D=E("./methods/conjugate"),_=E("./methods/toAdjective"),B=E("./interpret"),j=E("./toNegative"),V=E("./methods/isPlural"),z=function(G){G.negative=G.match("#Negative"),G.adverbs=G.match("#Adverb");let O=G.clone().not("(#Adverb|#Negative)");return G.verb=O.match("#Verb").not("#Particle").last(),G.particle=O.match("#Particle").last(),G.verb.found&&(G.verb=G.verb.list[0].terms[0]),G.auxiliary=O.match("#Auxiliary+"),G},F={parse:function(){return z(this)},data:function(G){return{text:this.out("text"),normal:this.out("normal"),parts:{negative:this.negative.out("normal"),auxiliary:this.auxiliary.out("normal"),verb:this.verb.out("normal"),adverbs:this.adverbs.out("normal")},interpret:B(this,G),conjugations:this.conjugate()}},getNoun:function(){if(!this.refTerms)return null;let G="#Adjective? #Noun+ "+this.out("normal");return this.refTerms.match(G).match("#Noun+")},conjugation:function(){return B(this,!1).tense},conjugate:function(G){return D(this,G)},isPlural:function(){return V(this)},isNegative:function(){return 1===this.match("#Negative").list.length},isPerfect:function(){return this.auxiliary.match("(have|had)").found},toNegative:function(){return this.isNegative()?this:j(this)},toPositive:function(){return this.match("#Negative").delete()},toPastTense:function(){let G=this.conjugate();return this.replaceWith(G.PastTense)},toPresentTense:function(){let G=this.conjugate();return this.replaceWith(G.PresentTense)},toFutureTense:function(){let G=this.conjugate();return this.replaceWith(G.FutureTense)},toInfinitive:function(){let G=this.conjugate();return this.terms[this.terms.length-1].text=G.Infinitive,this},asAdjective:function(){return _(this.verb.out("normal"))}},$=function(G,O,H,M){return N.call(this,G,O,H,M),z(this)};$.prototype=Object.create(N.prototype),Object.keys(F).forEach((G)=>{$.prototype[G]=F[G]}),C.exports=$},{"../../paths":38,"./interpret":101,"./methods/conjugate":106,"./methods/isPlural":111,"./methods/toAdjective":114,"./toNegative":117}],119:[function(E,C){"use strict";C.exports=(D)=>{const _={clauses:function(B){let j=this.splitAfter("#ClauseEnd");return"number"==typeof B&&(j=j.get(B)),j},hashTags:function(B){let j=this.match("#HashTag").terms();return"number"==typeof B&&(j=j.get(B)),j},organizations:function(B){let j=this.splitAfter("#Comma");return j=j.match("#Organization+"),"number"==typeof B&&(j=j.get(B)),j},phoneNumbers:function(B){let j=this.splitAfter("#Comma");return j=j.match("#PhoneNumber+"),"number"==typeof B&&(j=j.get(B)),j},places:function(B){let j=this.splitAfter("#Comma");return j=j.match("#Place+"),"number"==typeof B&&(j=j.get(B)),j},quotations:function(B){let j=this.match("#Quotation+");return"number"==typeof B&&(j=j.get(B)),j},topics:function(B){let j=this.clauses(),V=j.people();return V.concat(j.places()),V.concat(j.organizations()),V.sort("chronological"),"number"==typeof B&&(V=V.get(B)),V},urls:function(B){let j=this.match("#Url");return"number"==typeof B&&(j=j.get(B)),j},questions:function(B){let j=this.all();"number"==typeof B&&(j=j.get(B));let V=j.list.filter((z)=>{return"?"===z.last().endPunctuation()});return new D(V,this.lexicon,this.parent)},statements:function(B){let j=this.all();"number"==typeof B&&(j=j.get(B));let V=j.list.filter((z)=>{return"?"!==z.last().endPunctuation()});return new D(V,this.lexicon,this.parent)}};return Object.keys(_).forEach((B)=>{D.prototype[B]=_[B]}),D}},{}],120:[function(E,C){"use strict";const N=E("../data"),D=Object.keys(N.abbreviations),_=new RegExp("\\b("+D.join("|")+")[.!?] ?$","i"),B=/[ |.][A-Z].?( *)?$/i,j=/\.\.+( +)?$/,V=function(F){let $=[],G=F.split(/(\n+)/);for(let O=0,H;O{let j=Object.keys(D);for(let V=0;V{let F=V.terms[z],$=V.terms[z+1];return F.tags.Pronoun||F.tags.QuestionWord?!1:!_[F.normal]&&(!$||!$.tags.VerbPhrase&&(!!$.tags.Noun||$.tags.Adjective&&V.terms[z+2]&&V.terms[z+2].tags.Noun||($.tags.Adjective||$.tags.Adverb||$.tags.Verb)&&!1))};C.exports=(V)=>{for(let z=0;z{for(let V=0;V{for(let j=0,V;j{D[j.silent_term]&&j.tag(D[j.silent_term])};C.exports=(j,V,z)=>{let F=j.terms[z];F.silent_term=V[0],F.tag("Contraction","tagger-contraction");let $=new N("");if($.silent_term=V[1],$.tag("Contraction","tagger-contraction"),j.insertAt(z+1,$),$.whitespace.before="",$.whitespace.after="",_($),V[2]){let G=new N("");G.silent_term=V[2],j.insertAt(z+2,G),G.tag("Contraction","tagger-contraction"),_(G)}return j}},{"../../term":169}],126:[function(E,C){"use strict";const N=E("./01-irregulars"),D=E("./02-hardOne"),_=E("./03-easyOnes"),B=E("./04-numberRange");C.exports=function(V){return V=N(V),V=D(V),V=_(V),V=B(V),V}},{"./01-irregulars":121,"./02-hardOne":122,"./03-easyOnes":123,"./04-numberRange":124}],127:[function(E,C){"use strict";const N=/^([a-z]+)'([a-z][a-z]?)$/i,D=/[a-z]s'$/i,_={re:1,ve:1,ll:1,t:1,s:1,d:1,m:1};C.exports=(j)=>{let V=j.text.match(N);return V&&V[1]&&1===_[V[2]]?("t"===V[2]&&V[1].match(/[a-z]n$/)&&(V[1]=V[1].replace(/n$/,""),V[2]="n't"),!0===j.tags.TitleCase&&(V[1]=V[1].replace(/^[a-z]/,(z)=>z.toUpperCase())),{start:V[1],end:V[2]}):!0===D.test(j.text)?{start:j.normal.replace(/s'?$/,""),end:""}:null}},{}],128:[function(E,C){"use strict";C.exports=function(D){if(D.has("so")&&(D.match("so #Adjective").match("so").tag("Adverb","so-adv"),D.match("so #Noun").match("so").tag("Conjunction","so-conj"),D.match("do so").match("so").tag("Noun","so-noun")),D.has("#Determiner")&&(D.match("the #Verb #Preposition .").match("#Verb").tag("Noun","correction-determiner1"),D.match("the #Verb").match("#Verb").tag("Noun","correction-determiner2"),D.match("the #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner3"),D.match("the #Adverb #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner4"),D.match("#Determiner #Infinitive #Adverb? #Verb").term(1).tag("Noun","correction-determiner5"),D.match("#Determiner #Verb of").term(1).tag("Noun","the-verb-of"),D.match("#Determiner #Noun of #Verb").match("#Verb").tag("Noun","noun-of-noun")),D.has("like")&&(D.match("just like").term(1).tag("Preposition","like-preposition"),D.match("#Noun like #Noun").term(1).tag("Preposition","noun-like"),D.match("#Verb like").term(1).tag("Adverb","verb-like"),D.match("#Adverb like").term(1).tag("Adverb","adverb-like")),D.has("#Value")&&(D.match("half a? #Value").tag("Value","half-a-value"),D.match("#Value and a (half|quarter)").tag("Value","value-and-a-half"),D.match("#Value").match("!#Ordinal").tag("#Cardinal","not-ordinal"),D.match("#Value+ #Currency").tag("Money","value-currency"),D.match("#Money and #Money #Currency?").tag("Money","money-and-money")),D.has("#Noun")&&(D.match("more #Noun").tag("Noun","more-noun"),D.match("second #Noun").term(0).unTag("Unit").tag("Ordinal","second-noun"),D.match("#Noun #Adverb #Noun").term(2).tag("Verb","correction"),D.match("#Possessive #FirstName").term(1).unTag("Person","possessive-name"),D.has("#Organization")&&(D.match("#Organization of the? #TitleCase").tag("Organization","org-of-place"),D.match("#Organization #Country").tag("Organization","org-country"),D.match("(world|global|international|national|#Demonym) #Organization").tag("Organization","global-org"))),D.has("#Verb")){D.match("still #Verb").term(0).tag("Adverb","still-verb"),D.match("u #Verb").term(0).tag("Pronoun","u-pronoun-1"),D.match("is no #Verb").term(2).tag("Noun","is-no-verb"),D.match("#Verb than").term(0).tag("Noun","correction"),D.match("#Possessive #Verb").term(1).tag("Noun","correction-possessive"),D.match("#Copula #Adjective to #Verb").match("#Adjective to").tag("Verb","correction"),D.match("how (#Copula|#Modal|#PastTense)").term(0).tag("QuestionWord","how-question");let _="(#Adverb|not)+?";D.has(_)&&(D.match(`(has|had) ${_} #PastTense`).not("#Verb$").tag("Auxiliary","had-walked"),D.match(`#Copula ${_} #Gerund`).not("#Verb$").tag("Auxiliary","copula-walking"),D.match(`(be|been) ${_} #Gerund`).not("#Verb$").tag("Auxiliary","be-walking"),D.match(`(#Modal|did) ${_} #Verb`).not("#Verb$").tag("Auxiliary","modal-verb"),D.match(`#Modal ${_} have ${_} had ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-have"),D.match(`(#Modal) ${_} be ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-be"),D.match(`(#Modal|had|has) ${_} been ${_} #Verb`).not("#Verb$").tag("Auxiliary","would-be"))}return D.has("#Adjective")&&(D.match("still #Adjective").match("still").tag("Adverb","still-advb"),D.match("#Adjective #PresentTense").term(1).tag("Noun","adj-presentTense"),D.match("will #Adjective").term(1).tag("Verb","will-adj")),D.match("(foot|feet)").tag("Noun","foot-noun"),D.match("#Value (foot|feet)").term(1).tag("Unit","foot-unit"),D.match("#Conjunction u").term(1).tag("Pronoun","u-pronoun-2"),D.match("#TitleCase (ltd|co|inc|dept|assn|bros)").tag("Organization","org-abbrv"),D.match("(a|an) (#Duration|#Value)").ifNo("#Plural").term(0).tag("Value","a-is-one"),D.match("holy (shit|fuck|hell)").tag("Expression","swears-expression"),D.match("#Determiner (shit|damn|hell)").term(1).tag("Noun","swears-noun"),D.match("(shit|damn|fuck) (#Determiner|#Possessive|them)").term(0).tag("Verb","swears-verb"),D.match("#Copula fucked up?").not("#Copula").tag("Adjective","swears-adjective"),D}},{}],129:[function(E,C){"use strict";const N={punctuation_step:E("./steps/01-punctuation_step"),lexicon_step:E("./steps/02-lexicon_step"),capital_step:E("./steps/03-capital_step"),web_step:E("./steps/04-web_step"),suffix_step:E("./steps/05-suffix_step"),neighbour_step:E("./steps/06-neighbour_step"),noun_fallback:E("./steps/07-noun_fallback"),date_step:E("./steps/08-date_step"),auxiliary_step:E("./steps/09-auxiliary_step"),negation_step:E("./steps/10-negation_step"),phrasal_step:E("./steps/12-phrasal_step"),comma_step:E("./steps/13-comma_step"),possessive_step:E("./steps/14-possessive_step"),value_step:E("./steps/15-value_step"),acronym_step:E("./steps/16-acronym_step"),emoji_step:E("./steps/17-emoji_step"),person_step:E("./steps/18-person_step"),quotation_step:E("./steps/19-quotation_step"),organization_step:E("./steps/20-organization_step"),plural_step:E("./steps/21-plural_step"),lumper:E("./lumper"),lexicon_lump:E("./lumper/lexicon_lump"),contraction:E("./contraction")},D=E("./corrections"),_=E("./phrase");C.exports=function(j){return j=N.punctuation_step(j),j=N.emoji_step(j),j=N.lexicon_step(j),j=N.lexicon_lump(j),j=N.web_step(j),j=N.suffix_step(j),j=N.neighbour_step(j),j=N.capital_step(j),j=N.noun_fallback(j),j=N.contraction(j),j=N.date_step(j),j=N.auxiliary_step(j),j=N.negation_step(j),j=N.phrasal_step(j),j=N.comma_step(j),j=N.possessive_step(j),j=N.value_step(j),j=N.acronym_step(j),j=N.person_step(j),j=N.quotation_step(j),j=N.organization_step(j),j=N.plural_step(j),j=N.lumper(j),j=D(j),j=_(j),j}},{"./contraction":126,"./corrections":128,"./lumper":131,"./lumper/lexicon_lump":132,"./phrase":135,"./steps/01-punctuation_step":136,"./steps/02-lexicon_step":137,"./steps/03-capital_step":138,"./steps/04-web_step":139,"./steps/05-suffix_step":140,"./steps/06-neighbour_step":141,"./steps/07-noun_fallback":142,"./steps/08-date_step":143,"./steps/09-auxiliary_step":144,"./steps/10-negation_step":145,"./steps/12-phrasal_step":146,"./steps/13-comma_step":147,"./steps/14-possessive_step":148,"./steps/15-value_step":149,"./steps/16-acronym_step":150,"./steps/17-emoji_step":151,"./steps/18-person_step":152,"./steps/19-quotation_step":153,"./steps/20-organization_step":154,"./steps/21-plural_step":155}],130:[function(E,C){"use strict";C.exports=(D)=>{let _={};return D.forEach((B)=>{Object.keys(B).forEach((j)=>{let V=j.split(" ");if(1{return D.match("#Noun (&|n) #Noun").lump().tag("Organization","Noun-&-Noun"),D.match("1 #Value #PhoneNumber").lump().tag("Organization","Noun-&-Noun"),D.match("#Holiday (day|eve)").lump().tag("Holiday","holiday-day"),D.match("#Noun #Actor").lump().tag("Actor","thing-doer"),D.match("(standard|daylight|summer|eastern|pacific|central|mountain) standard? time").lump().tag("Time","timezone"),D.match("#Demonym #Currency").lump().tag("Currency","demonym-currency"),D.match("#NumericValue #PhoneNumber").lump().tag("PhoneNumber","(800) PhoneNumber"),D}},{}],132:[function(E,C){"use strict";const N=E("../paths"),D=N.lexicon,_=N.tries,B=E("./firstWord"),j=B([D,_.multiples()]),V=function($,G,O){let H=G+1;return O[$.slice(H,H+1).out("root")]?H+1:O[$.slice(H,H+2).out("root")]?H+2:O[$.slice(H,H+3).out("root")]?H+3:null},z=function($,G){for(let O=0,H;O{let $=F.text;!0===D.test($)&&F.tag("TitleCase","punct-rule"),$=$.replace(/[,\.\?]$/,"");for(let G=0,O;G{let $=F.lexicon||{};if($[z])return $[z];if(B[z])return B[z];let G=_.lookup(z);return G?G:null};C.exports=function(z){let F;for(let $=0,G;${let G=Object.keys(F.tags);if(0===G.length){let O=z.terms[$-1],H=z.terms[$+1];if(O&&D[O.normal])return void F.tag(D[O.normal],"neighbour-after-\""+O.normal+"\"");if(H&&_[H.normal])return void F.tag(_[H.normal],"neighbour-before-\""+H.normal+"\"");let M=[];if(O){M=Object.keys(O.tags);for(let S=0;S!N[V]).length)};C.exports=function(B){for(let j=0,V;j{$.list.forEach((O)=>{let H=parseInt(O.terms[0].normal,10);H&&1e3H&&O.terms[0].tag("Year",G)})},z=($,G)=>{$.list.forEach((O)=>{let H=parseInt(O.terms[0].normal,10);H&&1990H&&O.terms[0].tag("Year",G)})};C.exports=function($){if($.has(N)&&($.match(`${N} (#Determiner|#Value|#Date)`).term(0).tag("Month","correction-may"),$.match(`#Date ${N}`).term(1).tag("Month","correction-may"),$.match(`${D} ${N}`).term(1).tag("Month","correction-may"),$.match(`(next|this|last) ${N}`).term(1).tag("Month","correction-may")),$.has("#Month")&&($.match(`#Month #DateRange+`).tag("Date","correction-numberRange"),$.match("#Value of? #Month").tag("Date","value-of-month"),$.match("#Cardinal #Month").tag("Date","cardinal-month"),$.match("#Month #Value to #Value").tag("Date","value-to-value"),$.match("#Month #Value #Cardinal").tag("Date","month-value-cardinal")),$.match("in the (night|evening|morning|afternoon|day|daytime)").tag("Time","in-the-night"),$.match("(#Value|#Time) (am|pm)").tag("Time","value-ampm"),$.has("#Value")&&($.match("#Value #Abbreviation").tag("Value","value-abbr"),$.match("a #Value").tag("Value","a-value"),$.match("(minus|negative) #Value").tag("Value","minus-value"),$.match("#Value grand").tag("Value","value-grand"),$.match("(half|quarter) #Ordinal").tag("Value","half-ordinal"),$.match("(hundred|thousand|million|billion|trillion) and #Value").tag("Value","magnitude-and-value"),$.match("#Value point #Value").tag("Value","value-point-value"),$.match(`${D}? #Value #Duration`).tag("Date","value-duration"),$.match("#Date #Value").tag("Date","date-value"),$.match("#Value #Date").tag("Date","value-date"),$.match("#Value #Duration #Conjunction").tag("Date","val-duration-conjunction")),$.has("#Time")&&($.match("#Cardinal #Time").tag("Time","value-time"),$.match("(by|before|after|at|@|about) #Time").tag("Time","preposition-time"),$.match("#Time (eastern|pacific|central|mountain)").term(1).tag("Time","timezone"),$.match("#Time (est|pst|gmt)").term(1).tag("Time","timezone abbr")),$.has(j)&&($.match(`${D}? ${_} ${j}`).tag("Date","thisNext-season"),$.match(`the? ${B} of ${j}`).tag("Date","section-season")),$.has("#Date")&&($.match("#Date the? #Ordinal").tag("Date","correction-date"),$.match(`${_} #Date`).tag("Date","thisNext-date"),$.match("due? (by|before|after|until) #Date").tag("Date","by-date"),$.match("#Date (by|before|after|at|@|about) #Cardinal").not("^#Date").tag("Time","date-before-Cardinal"),$.match("#Date (am|pm)").term(1).unTag("Verb").unTag("Copula").tag("Time","date-am"),$.match("(last|next|this|previous|current|upcoming|coming|the) #Date").tag("Date","next-feb"),$.match("#Date #Preposition #Date").tag("Date","date-prep-date"),$.match(`the? ${B} of #Date`).tag("Date","section-of-date"),$.match("#Ordinal #Duration in #Date").tag("Date","duration-in-date"),$.match("(early|late) (at|in)? the? #Date").tag("Time","early-evening")),$.has("#Cardinal")){let G=$.match(`#Date #Value #Cardinal`).lastTerm();G.found&&V(G,"date-value-year"),G=$.match(`#Date+ #Cardinal`).lastTerm(),G.found&&V(G,"date-year"),G=$.match(`#Month #Value #Cardinal`).lastTerm(),G.found&&V(G,"month-value-year"),G=$.match(`#Month #Value to #Value #Cardinal`).lastTerm(),G.found&&V(G,"month-range-year"),G=$.match(`(in|of|by|during|before|starting|ending|for|year) #Cardinal`).lastTerm(),G.found&&V(G,"in-year"),G=$.match(`#Cardinal !#Plural`).firstTerm(),G.found&&z(G,"year-unsafe")}return $}},{}],144:[function(E,C){"use strict";const N={"do":!0,"don't":!0,does:!0,"doesn't":!0,will:!0,wont:!0,"won't":!0,have:!0,"haven't":!0,had:!0,"hadn't":!0,not:!0};C.exports=function(_){for(let B=0,j;B<_.terms.length;B++)if(j=_.terms[B],N[j.normal]||N[j.silent_term]){let V=_.terms[B+1];if(V&&(V.tags.Verb||V.tags.Adverb||V.tags.Negative)){j.tag("Auxiliary","corrections-Auxiliary");continue}}return _}},{}],145:[function(E,C){"use strict";C.exports=function(D){for(let _=0,B;_{let F=V.terms[z],$=V.terms[z+1];return $&&F.tags.Place&&!F.tags.Country&&$.tags.Country},D=(V)=>{return V.tags.Adjective?"Adjective":V.tags.Noun?"Noun":V.tags.Verb?"Verb":null},_=(V,z,F)=>{for(let $=z;$<=F;$++)V.terms[$].tags.List=!0},B=(V,z)=>{let F=z,$=D(V.terms[z]),G=0,O=0,H=!1;for(++z;z{_.isAcronym()&&_.tag("Acronym","acronym-step")}),D}},{}],151:[function(E,C){"use strict";const N=E("./rules/emoji_regex"),D=E("./rules/emoticon_list"),_=(V)=>{return!(":"!==V.text.charAt(0))&&null!==V.text.match(/:.?$/)&&!V.text.match(" ")&&!(35{let z=V.text.replace(/^[:;]/,":");return D[z]!==void 0};C.exports=(V)=>{for(let z=0,F;z{return _[B]=!0,_},{});C.exports=function(_){if(_.has("#FirstName")){let B=_.match("#FirstName #Noun").ifNo("^#Possessive").ifNo("#ClauseEnd .");B.lastTerm().canBe("#LastName").tag("#LastName","firstname-noun"),_.match("#FirstName de #Noun").canBe("#Person").tag("#Person","firstname-de-noun"),_.match("#FirstName (bin|al) #Noun").canBe("#Person").tag("#Person","firstname-al-noun"),_.match("#FirstName #Acronym #TitleCase").tag("Person","firstname-acronym-titlecase"),_.match("#FirstName #FirstName #TitleCase").tag("Person","firstname-firstname-titlecase"),_.match("#Honorific #FirstName? #TitleCase").tag("Person","Honorific-TitleCase"),_.match("#FirstName #TitleCase #TitleCase?").match("#Noun+").tag("Person","firstname-titlecase"),_.match("#FirstName the #Adjective").tag("Person","correction-determiner5"),_.match("#FirstName (green|white|brown|hall|young|king|hill|cook|gray|price)").tag("#Person","firstname-maybe"),_.match("#FirstName #Acronym #Noun").ifNo("#Date").tag("#Person","n-acro-noun").lastTerm().tag("#LastName","n-acro-noun"),_.match("#FirstName (#Singular|#Possessive)").ifNo("#Date").tag("#Person","first-possessive").lastTerm().tag("#LastName","first-possessive")}_.has("#LastName")&&(_.match("#Noun #LastName").firstTerm().canBe("#FirstName").tag("#FirstName","noun-lastname"),_.match("(will|may|april|june|said|rob|wade|ray|rusty|drew|miles|jack|chuck|randy|jan|pat|cliff|bill) #LastName").firstTerm().tag("#FirstName","maybe-lastname"),_.match("#TitleCase #Acronym? #LastName").ifNo("#Date").tag("#Person","title-acro-noun").lastTerm().tag("#LastName","title-acro-noun")),_.has("#TitleCase")&&(_.match("#Acronym #TitleCase").canBe("#Person").tag("#Person","acronym-titlecase"),_.match("#TitleCase (van|al|bin) #TitleCase").tag("Person","correction-titlecase-van-titlecase"),_.match("#TitleCase (de|du) la? #TitleCase").tag("Person","correction-titlecase-van-titlecase"),_.match("#Person #TitleCase").match("#TitleCase #Noun").tag("Person","correction-person-titlecase"),_.match("(lady|queen|sister) #TitleCase").ifNo("#Date").tag("#FemaleName","lady-titlecase"),_.match("(king|pope|father) #TitleCase").ifNo("#Date").tag("#MaleName","correction-poe")),_.match("#Noun van der? #Noun").canBe("#Person").tag("#Person","von der noun"),_.match("(king|queen|prince|saint|lady) of? #Noun").canBe("#Person").tag("#Person","king-of-noun"),_.match("#Honorific #Acronym").tag("Person","Honorific-TitleCase"),_.match("#Person #Person the? #RomanNumeral").tag("Person","correction-roman-numeral");for(let B=0,j;B<_.terms.length-1;B++)j=_.terms[B],N[j.normal]&&_.terms[B+1]&&_.terms[B+1].tags.Person&&j.tag("Person","title-person");return _.match("^#Honorific$").unTag("Person","single-honorific"),_}},{"../paths":133}],153:[function(E,C){"use strict";const N=/^["'\u201B\u201C\u2033\u201F\u2018]/,D=/.["'\u201D\u2036\u2019]([;:,.])?$/,_=function(j,V,z){j.terms.slice(V,z+1).forEach((F)=>{F.tag("Quotation","quotation_step")})};C.exports=(j)=>{for(let V=0,z;V{for(let j=0,V;j{S[I]=M[I]})},$=function(M){const S=Object.keys(M);S.forEach((I)=>{M[I].downward=[];for(let q=0;q{M[S].enemy={};for(let I=0,q;IL!==S),q.forEach((L)=>{M[S].enemy[L]=!0}));M[S].enemy=Object.keys(M[S].enemy)})},O=function(M){Object.keys(M).forEach((S)=>{return z[S]?void(M[S].color=z[S]):M[S].is&&z[M[S].is]?void(M[S].color=z[M[S].is]):void(M[S].is&&M[M[S].is].color&&(M[S].color=M[M[S].is].color))})};C.exports=(()=>{let M={};return F(D,M),F(_,M),F(B,M),F(j,M),F(V,M),$(M),G(M),O(M),M})()},{"./conflicts":162,"./tags/dates":164,"./tags/misc":165,"./tags/nouns":166,"./tags/values":167,"./tags/verbs":168}],164:[function(E,C){C.exports={Date:{},Month:{is:"Date",also:"Singular"},WeekDay:{is:"Date",also:"Noun"},RelativeDay:{is:"Date"},Year:{is:"Date"},Duration:{is:"Date",also:"Noun"},Time:{is:"Date",also:"Noun"},Holiday:{is:"Date",also:"Noun"}}},{}],165:[function(E,C){C.exports={Adjective:{},Comparative:{is:"Adjective"},Superlative:{is:"Adjective"},Adverb:{},Currency:{},Determiner:{},Conjunction:{},Preposition:{},QuestionWord:{},Expression:{},Url:{},PhoneNumber:{},HashTag:{},Emoji:{},Email:{},Condition:{},Auxiliary:{},Negative:{},Contraction:{},TitleCase:{},CamelCase:{},UpperCase:{},Hyphenated:{},Acronym:{},ClauseEnd:{},Quotation:{}}},{}],166:[function(E,C){C.exports={Noun:{},Singular:{is:"Noun"},Person:{is:"Singular"},FirstName:{is:"Person"},MaleName:{is:"FirstName"},FemaleName:{is:"FirstName"},LastName:{is:"Person"},Honorific:{is:"Person"},Place:{is:"Singular"},Country:{is:"Place"},City:{is:"Place"},Address:{is:"Place"},Organization:{is:"Singular"},SportsTeam:{is:"Organization"},Company:{is:"Organization"},School:{is:"Organization"},Plural:{is:"Noun"},Pronoun:{is:"Noun"},Actor:{is:"Noun"},Unit:{is:"Noun"},Demonym:{is:"Noun"},Possessive:{is:"Noun"}}},{}],167:[function(E,C){C.exports={Value:{},Ordinal:{is:"Value"},Cardinal:{is:"Value"},RomanNumeral:{is:"Cardinal"},Fraction:{is:"Value"},TextValue:{is:"Value"},NumericValue:{is:"Value"},NiceNumber:{is:"Value"},Money:{is:"Value"},NumberRange:{is:"Value",also:"Contraction"}}},{}],168:[function(E,C){C.exports={Verb:{},PresentTense:{is:"Verb"},Infinitive:{is:"PresentTense"},Gerund:{is:"PresentTense"},PastTense:{is:"Verb"},PerfectTense:{is:"Verb"},FuturePerfect:{is:"Verb"},Pluperfect:{is:"Verb"},Copula:{is:"Verb"},Modal:{is:"Verb"},Participle:{is:"Verb"},Particle:{is:"Verb"},PhrasalVerb:{is:"Verb"}}},{}],169:[function(E,C){"use strict";const N=E("./paths").fns,D=E("./whitespace"),_=E("./makeUID"),B=E("./methods/normalize/normalize").addNormal,j=E("./methods/normalize/root"),V=function(z){this._text=N.ensureString(z),this.tags={};let F=D(this._text);this.whitespace=F.whitespace,this._text=F.text,this.parent=null,this.silent_term="",B(this),j(this),this.dirty=!1,this.uid=_(this.normal),Object.defineProperty(this,"text",{get:function(){return this._text},set:function($){$=$||"",this._text=$.trim(),this.dirty=!0,this._text!==$&&(this.whitespace=D($)),this.normalize()}}),Object.defineProperty(this,"isA",{get:function(){return"Term"}})};V.prototype.normalize=function(){return B(this),j(this),this},V.prototype.index=function(){let z=this.parentTerms;return z?z.terms.indexOf(this):null},V.prototype.clone=function(){let z=new V(this._text,null);return z.tags=N.copy(this.tags),z.whitespace=N.copy(this.whitespace),z.silent_term=this.silent_term,z},E("./methods/misc")(V),E("./methods/out")(V),E("./methods/tag")(V),E("./methods/case")(V),E("./methods/punctuation")(V),C.exports=V},{"./makeUID":170,"./methods/case":172,"./methods/misc":173,"./methods/normalize/normalize":175,"./methods/normalize/root":176,"./methods/out":178,"./methods/punctuation":180,"./methods/tag":182,"./paths":185,"./whitespace":186}],170:[function(E,C){"use strict";C.exports=(D)=>{let _="";for(let B=0;5>B;B++)_+=parseInt(9*Math.random(),10);return D+"-"+_}},{}],171:[function(E,C){"use strict";const N=E("../paths").tags,D={Auxiliary:1,Possessive:1,TitleCase:1,ClauseEnd:1,Comma:1,CamelCase:1,UpperCase:1,Hyphenated:1};C.exports=function(B){let j=Object.keys(B.tags);return j=j.sort(),j=j.sort((V,z)=>{return!D[z]&&N[V]&&N[z]?N[V].downward.length>N[z].downward.length?-1:1:-1}),j[0]}},{"../paths":185}],172:[function(E,C){"use strict";C.exports=(D)=>{const _={toUpperCase:function(){return this.text=this.text.toUpperCase(),this.tag("#UpperCase","toUpperCase"),this},toLowerCase:function(){return this.text=this.text.toLowerCase(),this.unTag("#TitleCase"),this.unTag("#UpperCase"),this},toTitleCase:function(){return this.text=this.text.replace(/^[a-z]/,(B)=>B.toUpperCase()),this.tag("#TitleCase","toTitleCase"),this},needsTitleCase:function(){const B=["Person","Place","Organization","Acronym","UpperCase","Currency","RomanNumeral","Month","WeekDay","Holiday","Demonym"];for(let V=0;V{D.prototype[B]=_[B]}),D}},{}],173:[function(E,C){"use strict";const N=E("./bestTag"),D=E("./normalize/isAcronym"),_=/[aeiouy]/i,B=/[a-z]/,j=/[0-9]/;C.exports=(z)=>{const F={bestTag:function(){return N(this)},isAcronym:function(){return D(this._text)},isWord:function(){let $=this;if($.silent_term)return!0;if(!1===/[a-z|A-Z|0-9]/.test($.text))return!1;if(1<$.normal.length&&!0===B.test($.normal)&&!1===_.test($.normal))return!1;if(!0===j.test($.normal)){if(!0===/[a-z][0-9][a-z]/.test($.normal))return!1;if(!1===/^([$-])*?([0-9,\.])*?([s\$%])*?$/.test($.normal))return!1}return!0}};return Object.keys(F).forEach(($)=>{z.prototype[$]=F[$]}),z}},{"./bestTag":171,"./normalize/isAcronym":174}],174:[function(E,C){"use strict";const N=/([A-Z]\.)+[A-Z]?$/,D=/^[A-Z]\.$/,_=/[A-Z]{3}$/;C.exports=function(j){return!(!0!==N.test(j))||!(!0!==D.test(j))||!(!0!==_.test(j))}},{}],175:[function(E,C,A){"use strict";const N=E("./unicode"),D=E("./isAcronym");A.normalize=function(_){return _=_||"",_=_.toLowerCase(),_=_.trim(),_=N(_),_=_.replace(/^[#@]/,""),_=_.replace(/[\u2018\u2019\u201A\u201B\u2032\u2035]+/g,"'"),_=_.replace(/[\u201C\u201D\u201E\u201F\u2033\u2036"]+/g,""),_=_.replace(/\u2026/g,"..."),_=_.replace(/\u2013/g,"-"),!1===/^[:;]/.test(_)&&(_=_.replace(/\.{3,}$/g,""),_=_.replace(/['",\.!:;\?\)]$/g,""),_=_.replace(/^['"\(]/g,"")),_},A.addNormal=function(_){let B=_._text||"";B=A.normalize(B),D(_._text)&&(B=B.replace(/\./g,"")),B=B.replace(/([0-9]),([0-9])/g,"$1$2"),_.normal=B}},{"./isAcronym":174,"./unicode":177}],176:[function(E,C){"use strict";C.exports=function(D){let _=D.normal||D.silent_term||"";_=_.replace(/'s\b/,""),_=_.replace(/'\b/,""),D.root=_}},{}],177:[function(E,C){"use strict";let N={"!":"\xA1","?":"\xBF\u0241",a:"\xAA\xC0\xC1\xC2\xC3\xC4\xC5\xE0\xE1\xE2\xE3\xE4\xE5\u0100\u0101\u0102\u0103\u0104\u0105\u01CD\u01CE\u01DE\u01DF\u01E0\u01E1\u01FA\u01FB\u0200\u0201\u0202\u0203\u0226\u0227\u023A\u0386\u0391\u0394\u039B\u03AC\u03B1\u03BB\u0410\u0414\u0430\u0434\u0466\u0467\u04D0\u04D1\u04D2\u04D3\u019B\u0245\xE6",b:"\xDF\xFE\u0180\u0181\u0182\u0183\u0184\u0185\u0243\u0392\u03B2\u03D0\u03E6\u0411\u0412\u042A\u042C\u0431\u0432\u044A\u044C\u0462\u0463\u048C\u048D\u0494\u0495\u01A5\u01BE",c:"\xA2\xA9\xC7\xE7\u0106\u0107\u0108\u0109\u010A\u010B\u010C\u010D\u0186\u0187\u0188\u023B\u023C\u037B\u037C\u037D\u03F2\u03F9\u03FD\u03FE\u03FF\u0404\u0421\u0441\u0454\u0480\u0481\u04AA\u04AB",d:"\xD0\u010E\u010F\u0110\u0111\u0189\u018A\u0221\u018B\u018C\u01F7",e:"\xC8\xC9\xCA\xCB\xE8\xE9\xEA\xEB\u0112\u0113\u0114\u0115\u0116\u0117\u0118\u0119\u011A\u011B\u018E\u018F\u0190\u01DD\u0204\u0205\u0206\u0207\u0228\u0229\u0246\u0247\u0388\u0395\u039E\u03A3\u03AD\u03B5\u03BE\u03F1\u03F5\u03F6\u0400\u0401\u0415\u042D\u0435\u0450\u0451\u04BC\u04BD\u04BE\u04BF\u04D6\u04D7\u04D8\u04D9\u04DA\u04DB\u04EC\u04ED",f:"\u0191\u0192\u03DC\u03DD\u04FA\u04FB\u0492\u0493\u04F6\u04F7\u017F",g:"\u011C\u011D\u011E\u011F\u0120\u0121\u0122\u0123\u0193\u01E4\u01E5\u01E6\u01E7\u01F4\u01F5",h:"\u0124\u0125\u0126\u0127\u0195\u01F6\u021E\u021F\u0389\u0397\u0402\u040A\u040B\u041D\u043D\u0452\u045B\u04A2\u04A3\u04A4\u04A5\u04BA\u04BB\u04C9\u04CA",I:"\xCC\xCD\xCE\xCF",i:"\xEC\xED\xEE\xEF\u0128\u0129\u012A\u012B\u012C\u012D\u012E\u012F\u0130\u0131\u0196\u0197\u0208\u0209\u020A\u020B\u038A\u0390\u03AA\u03AF\u03B9\u03CA\u0406\u0407\u0456\u0457",j:"\u0134\u0135\u01F0\u0237\u0248\u0249\u03F3\u0408\u0458",k:"\u0136\u0137\u0138\u0198\u0199\u01E8\u01E9\u039A\u03BA\u040C\u0416\u041A\u0436\u043A\u045C\u049A\u049B\u049C\u049D\u049E\u049F\u04A0\u04A1",l:"\u0139\u013A\u013B\u013C\u013D\u013E\u013F\u0140\u0141\u0142\u019A\u01AA\u01C0\u01CF\u01D0\u0234\u023D\u0399\u04C0\u04CF",m:"\u039C\u03FA\u03FB\u041C\u043C\u04CD\u04CE",n:"\xD1\xF1\u0143\u0144\u0145\u0146\u0147\u0148\u0149\u014A\u014B\u019D\u019E\u01F8\u01F9\u0220\u0235\u039D\u03A0\u03AE\u03B7\u03DE\u040D\u0418\u0419\u041B\u041F\u0438\u0439\u043B\u043F\u045D\u048A\u048B\u04C5\u04C6\u04E2\u04E3\u04E4\u04E5\u03C0",o:"\xD2\xD3\xD4\xD5\xD6\xD8\xF0\xF2\xF3\xF4\xF5\xF6\xF8\u014C\u014D\u014E\u014F\u0150\u0151\u019F\u01A0\u01A1\u01D1\u01D2\u01EA\u01EB\u01EC\u01ED\u01FE\u01FF\u020C\u020D\u020E\u020F\u022A\u022B\u022C\u022D\u022E\u022F\u0230\u0231\u038C\u0398\u039F\u03B8\u03BF\u03C3\u03CC\u03D5\u03D8\u03D9\u03EC\u03ED\u03F4\u041E\u0424\u043E\u0472\u0473\u04E6\u04E7\u04E8\u04E9\u04EA\u04EB\xA4\u018D\u038F",p:"\u01A4\u01BF\u03A1\u03C1\u03F7\u03F8\u03FC\u0420\u0440\u048E\u048F\xDE",q:"\u024A\u024B",r:"\u0154\u0155\u0156\u0157\u0158\u0159\u01A6\u0210\u0211\u0212\u0213\u024C\u024D\u0403\u0413\u042F\u0433\u044F\u0453\u0490\u0491",s:"\u015A\u015B\u015C\u015D\u015E\u015F\u0160\u0161\u01A7\u01A8\u0218\u0219\u023F\u03C2\u03DA\u03DB\u03DF\u03E8\u03E9\u0405\u0455",t:"\u0162\u0163\u0164\u0165\u0166\u0167\u01AB\u01AC\u01AD\u01AE\u021A\u021B\u0236\u023E\u0393\u03A4\u03C4\u03EE\u03EF\u0422\u0442\u0482\u04AC\u04AD",u:"\xB5\xD9\xDA\xDB\xDC\xF9\xFA\xFB\xFC\u0168\u0169\u016A\u016B\u016C\u016D\u016E\u016F\u0170\u0171\u0172\u0173\u01AF\u01B0\u01B1\u01B2\u01D3\u01D4\u01D5\u01D6\u01D7\u01D8\u01D9\u01DA\u01DB\u01DC\u0214\u0215\u0216\u0217\u0244\u03B0\u03BC\u03C5\u03CB\u03CD\u03D1\u040F\u0426\u0427\u0446\u045F\u04B4\u04B5\u04B6\u04B7\u04CB\u04CC\u04C7\u04C8",v:"\u03BD\u0474\u0475\u0476\u0477",w:"\u0174\u0175\u019C\u03C9\u03CE\u03D6\u03E2\u03E3\u0428\u0429\u0448\u0449\u0461\u047F",x:"\xD7\u03A7\u03C7\u03D7\u03F0\u0425\u0445\u04B2\u04B3\u04FC\u04FD\u04FE\u04FF",y:"\xDD\xFD\xFF\u0176\u0177\u0178\u01B3\u01B4\u0232\u0233\u024E\u024F\u038E\u03A5\u03AB\u03B3\u03C8\u03D2\u03D3\u03D4\u040E\u0423\u0443\u0447\u045E\u0470\u0471\u04AE\u04AF\u04B0\u04B1\u04EE\u04EF\u04F0\u04F1\u04F2\u04F3",z:"\u0179\u017A\u017B\u017C\u017D\u017E\u01A9\u01B5\u01B6\u0224\u0225\u0240\u0396\u03B6"},D={};Object.keys(N).forEach(function(B){N[B].split("").forEach(function(j){D[j]=B})});C.exports=(B)=>{let j=B.split("");return j.forEach((V,z)=>{D[V]&&(j[z]=D[V])}),j.join("")}},{}],178:[function(E,C){"use strict";const N=E("./renderHtml"),D=E("../../paths").fns,_={text:function(j){return j.whitespace.before+j._text+j.whitespace.after},normal:function(j){return j.normal},root:function(j){return j.root||j.normal},html:function(j){return N(j)},tags:function(j){return{text:j.text,normal:j.normal,tags:Object.keys(j.tags)}},debug:function(j){let V=Object.keys(j.tags).map(($)=>{return D.printTag($)}).join(", "),z=j.text;z="'"+D.yellow(z||"-")+"'";let F="";j.silent_term&&(F="["+j.silent_term+"]"),z=D.leftPad(z,25),z+=D.leftPad(F,5),console.log(" "+z+" - "+V)}};C.exports=(j)=>{return j.prototype.out=function(V){return _[V]||(V="text"),_[V](this)},j}},{"../../paths":185,"./renderHtml":179}],179:[function(E,C){"use strict";const N=(B)=>{const j={"<":"<",">":">","&":"&","\"":""","'":"'"," ":" "};return B.replace(/[<>&"' ]/g,function(V){return j[V]})},D=(B)=>{const V=/<(?:!--(?:(?:-*[^->])*--+|-?)|script\b(?:[^"'>]|"[^"]*"|'[^']*')*>[\s\S]*?<\/script\s*|style\b(?:[^"'>]|"[^"]*"|'[^']*')*>[\s\S]*?<\/style\s*|\/?[a-z](?:[^"'>]|"[^"]*"|'[^']*')*)>/gi;let z;do z=B,B=B.replace(V,"");while(B!==z);return B.replace(/"Term"!==F);j=j.map((F)=>"nl-"+F),j=j.join(" ");let V=D(B.text);V=N(V);let z=""+V+"";return N(B.whitespace.before)+z+N(B.whitespace.after)}},{}],180:[function(E,C){"use strict";const N=/([a-z])([,:;\/.(\.\.\.)\!\?]+)$/i;C.exports=(_)=>{const B={endPunctuation:function(){let j=this.text.match(N);if(j){if(void 0!=={",":"comma",":":"colon",";":"semicolon",".":"period","...":"elipses","!":"exclamation","?":"question"}[j[2]])return j[2]}return null},setPunctuation:function(j){return this.killPunctuation(),this.text+=j,this},hasComma:function(){return"comma"===this.endPunctuation()},killPunctuation:function(){return this.text=this._text.replace(N,"$1"),this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{}],181:[function(E,C){"use strict";const N=E("../../paths"),D=N.tags,_=function(B,j){if(D[j]===void 0)return!0;let V=D[j].enemy||[];for(let z=0;z{const V={tag:function(z,F){N(this,z,F)},unTag:function(z,F){D(this,z,F)},canBe:function(z){return z=z||"",z=z.replace(/^#/,""),_(this,z)}};return Object.keys(V).forEach((z)=>{j.prototype[z]=V[z]}),j}},{"./canBe":181,"./setTag":183,"./unTag":184}],183:[function(E,C){"use strict";const N=E("../../paths"),D=N.log,_=N.tags,B=N.fns,j=E("./unTag"),V=(F,$,G)=>{if(($=$.replace(/^#/,""),!0!==F.tags[$])&&(F.tags[$]=!0,D.tag(F,$,G),_[$])){let O=_[$].enemy;for(let H=0;H "+$)}}};C.exports=function(F,$,G){return F&&$?B.isArray($)?void $.forEach((O)=>V(F,O,G)):void(V(F,$,G),_[$]&&_[$].also!==void 0&&V(F,_[$].also,G)):void 0}},{"../../paths":185,"./unTag":184}],184:[function(E,C){"use strict";const N=E("../../paths"),D=N.log,_=N.tags,B=(V,z,F)=>{if(V.tags[z]&&(D.unTag(V,z,F),delete V.tags[z],_[z])){let $=_[z].downward;for(let G=0;G<$.length;G++)B(V,$[G]," - - - ")}};C.exports=(V,z,F)=>{if(V&&z){if("*"===z)return void(V.tags={});B(V,z,F)}}},{"../../paths":185}],185:[function(E,C){C.exports={fns:E("../fns"),log:E("../log"),tags:E("../tagset")}},{"../fns":21,"../log":23,"../tagset":163}],186:[function(E,C){"use strict";const N=/^(\s|-+|\.\.+)+/,D=/(\s+|-+|\.\.+)$/;C.exports=(B)=>{let j={before:"",after:""},V=B.match(N);return null!==V&&(j.before=V[0],B=B.replace(N,"")),V=B.match(D),null!==V&&(B=B.replace(D,""),j.after=V[0]),{whitespace:j,text:B}}},{}],187:[function(E,C){"use strict";const N=E("../term"),D=/^([a-z]+)(-)([a-z0-9].*)/i,_=/\S/,B={"-":!0,"\u2013":!0,"--":!0,"...":!0};C.exports=function(V){let z=[],F=[];V=V||"","number"==typeof V&&(V=""+V);const $=V.split(/(\S+)/);for(let O=0;O<$.length;O++){const H=$[O];if(!0===D.test(H)){const M=H.split("-");for(let S=0;Snew N(O))}},{"../term":169}],188:[function(E,C){C.exports={parent:{get:function(){return this.refText||this},set:function(N){return this.refText=N,this}},parentTerms:{get:function(){return this.refTerms||this},set:function(N){return this.refTerms=N,this}},dirty:{get:function(){for(let N=0;N{D.dirty=N})}},refTerms:{get:function(){return this._refTerms||this},set:function(N){return this._refTerms=N,this}},found:{get:function(){return 0{return this.firstTerm().whitespace.before=N,this},after:(N)=>{return this.lastTerm().whitespace.after=N,this}}}}}},{}],189:[function(E,C){"use strict";const N=E("./build"),D=E("./getters"),_=function(B,j,V,z){this.terms=B,this.lexicon=j,this.refText=V,this._refTerms=z,this._cacheWords={},this.count=void 0,this.get=($)=>{return this.terms[$]};let F=Object.keys(D);for(let $=0;${F.parentTerms=z}),z},E("./match")(_),E("./methods/loops")(_),E("./match/not")(_),E("./methods/delete")(_),E("./methods/insert")(_),E("./methods/misc")(_),E("./methods/out")(_),E("./methods/replace")(_),E("./methods/split")(_),E("./methods/transform")(_),E("./methods/lump")(_),C.exports=_},{"./build":187,"./getters":188,"./match":190,"./match/not":197,"./methods/delete":198,"./methods/insert":199,"./methods/loops":200,"./methods/lump":202,"./methods/misc":203,"./methods/out":204,"./methods/replace":205,"./methods/split":206,"./methods/transform":207}],190:[function(E,C){"use strict";const N=E("./lib/syntax"),D=E("./lib/startHere"),_=E("../../result"),B=E("./lib");C.exports=(V)=>{const z={match:function(F,$){if(0===this.terms.length)return new _([],this.lexicon,this.parent);if(!F)return new _([],this.lexicon,this.parent);let G=B(this,F,$);return G=G.map((O)=>{return new V(O,this.lexicon,this.refText,this.refTerms)}),new _(G,this.lexicon,this.parent)},matchOne:function(F){if(0===this.terms.length)return null;let $=N(F);for(let G=0,O;G{V.prototype[F]=z[F]}),V}},{"../../result":26,"./lib":192,"./lib/startHere":195,"./lib/syntax":196}],191:[function(E,C){"use strict";C.exports=(D,_)=>{for(let B=0;B<_.length;B++){let j=_[B],V=!1;if(!0!==j.optional&&!0!==j.negative){if(void 0!==j.normal){for(let z=0;z{if("string"==typeof V&&(V=N(V)),!V||0===V.length)return[];if(!0===_(j,V,z))return[];let F=[];for(let $=0,G;${if(!_||!B)return!1;if(!0===B.anyOne)return!0;if(void 0!==B.tag)return _.tags[B.tag];if(void 0!==B.normal)return B.normal===_.normal||B.normal===_.silent_term;if(void 0!==B.oneOf){for(let j=0;j{let V=N(_,B,j);return B.negative&&(V=!!!V),V}},{}],194:[function(E,C,A){arguments[4][89][0].apply(A,arguments)},{"../../paths":209,dup:89}],195:[function(E,C){"use strict";const N=E("./isMatch"),D=(j,V,z)=>{for(V=V;V{for(V=V;V{let $=V;for(let G=0;GI.max)return null;$=S+1,G+=1;continue}if(!0===H.optional){let S=z[G+1];$=_(j,$,H,S);continue}if(N(O,H,F)){if($+=1,!0===H.consecutive){let S=z[G+1];$=_(j,$,H,S)}continue}if(O.silent_term&&!O.normal){if(0===G)return null;$+=1,G-=1;continue}if(!0!==H.optional)return null}return j.terms.slice(V,$)}},{"./isMatch":193}],196:[function(E,C){"use strict";const N=E("./paths").fns,D=function(V){return V.substr(1,V.length)},_=function(V){return V.substring(0,V.length-1)},B=function(V){V=V||"",V=V.trim();let z={};if("!"===V.charAt(0)&&(V=D(V),z.negative=!0),"^"===V.charAt(0)&&(V=D(V),z.starting=!0),"$"===V.charAt(V.length-1)&&(V=_(V),z.ending=!0),"?"===V.charAt(V.length-1)&&(V=_(V),z.optional=!0),"+"===V.charAt(V.length-1)&&(V=_(V),z.consecutive=!0),"#"===V.charAt(0)&&(V=D(V),z.tag=N.titleCase(V),V=""),"("===V.charAt(0)&&")"===V.charAt(V.length-1)){V=_(V),V=D(V);let F=V.split(/\|/g);z.oneOf={terms:{},tagArr:[]},F.forEach(($)=>{if("#"===$.charAt(0)){let G=$.substr(1,$.length);G=N.titleCase(G),z.oneOf.tagArr.push(G)}else z.oneOf.terms[$]=!0}),V=""}if("{"===V.charAt(0)&&"}"===V.charAt(V.length-1)){let F=V.match(/\{([0-9]+), ?([0-9]+)\}/);z.minMax={min:parseInt(F[1],10),max:parseInt(F[2],10)},V=""}return"."===V&&(z.anyOne=!0,V=""),"*"===V&&(z.astrix=!0,V=""),""!==V&&(z.normal=V.toLowerCase()),z};C.exports=function(V){return V=V||"",V=V.split(/ +/),V.map(B)}},{"./paths":194}],197:[function(E,C){"use strict";const N=E("./lib/syntax"),D=E("./lib/startHere"),_=E("../../result");C.exports=(j)=>{const V={notObj:function(z,F){let $=[],G=[];return z.terms.forEach((O)=>{F.hasOwnProperty(O.normal)?(G.length&&$.push(G),G=[]):G.push(O)}),G.length&&$.push(G),$=$.map((O)=>{return new j(O,z.lexicon,z.refText,z.refTerms)}),new _($,z.lexicon,z.parent)},notString:function(z,F,$){let G=[],O=N(F),H=[];for(let M=0,S;M{return new j(M,z.lexicon,z.refText,z.refTerms)}),new _(G,z.lexicon,z.parent)}};return V.notArray=function(z,F){let $=F.reduce((G,O)=>{return G[O]=!0,G},{});return V.notObj(z,$)},j.prototype.not=function(z,F){if("object"==typeof z){let $=Object.prototype.toString.call(z);if("[object Array]"===$)return V.notArray(this,z,F);if("[object Object]"===$)return V.notObj(this,z,F)}return"string"==typeof z?V.notString(this,z,F):this},j}},{"../../result":26,"./lib/startHere":195,"./lib/syntax":196}],198:[function(E,C){"use strict";const N=E("../mutate");C.exports=(_)=>{return _.prototype.delete=function(B){if(!this.found)return this;if(!B)return this.parentTerms=N.deleteThese(this.parentTerms,this),this;let j=this.match(B);if(j.found){let V=N.deleteThese(this,j);return V}return this.parentTerms},_}},{"../mutate":208}],199:[function(E,C){"use strict";const N=E("../mutate"),D=(B,j)=>{return B.terms.length&&B.terms[j]?(B.terms[j].whitespace.before=" ",B):B};C.exports=(B)=>{const j=function(z){if("Terms"===z.isA)return z;if("Term"===z.isA)return new B([z]);let F=B.fromString(z);return F.tagger(),F},V={insertBefore:function(z,F){let $=this.terms.length,G=j(z);F&&G.tag(F);let O=this.index();return D(this.parentTerms,O),0z&&(z=0);let G=this.terms.length,O=j(F);return $&&O.tag($),0{B.prototype[z]=V[z]}),B}},{"../mutate":208}],200:[function(E,C){"use strict";C.exports=(D)=>{return[["tag"],["unTag"],["toUpperCase","UpperCase"],["toLowerCase"],["toTitleCase","TitleCase"]].forEach((B)=>{let j=B[0],V=B[1];D.prototype[j]=function(){let F=arguments;return this.terms.forEach(($)=>{$[j].apply($,F)}),V&&this.tag(V,j),this}}),D}},{}],201:[function(E,C){"use strict";const N=E("../../../term"),D=(B,j)=>{let V=B.whitespace.before+B.text+B.whitespace.after;return V+=j.whitespace.before+j.text+j.whitespace.after,V};C.exports=function(B,j){let V=B.terms[j],z=B.terms[j+1];if(z){let F=D(V,z);return B.terms[j]=new N(F,V.context),B.terms[j].normal=V.normal+" "+z.normal,B.terms[j].parentTerms=B.terms[j+1].parentTerms,B.terms[j+1]=null,void(B.terms=B.terms.filter(($)=>null!==$))}}},{"../../../term":169}],202:[function(E,C){"use strict";const N=E("./combine"),D=E("../../mutate"),_=function(j,V){let z=j.terms.length;for(let $=0;${return j.prototype.lump=function(){let V=this.index(),z={};if(this.terms.forEach(($)=>{Object.keys($.tags).forEach((G)=>z[G]=!0)}),this.parentTerms===this){let $=_(this,z);return this.terms=[$],this}this.parentTerms=D.deleteThese(this.parentTerms,this);let F=_(this,z);return this.parentTerms.terms=D.insertAt(this.parentTerms.terms,V,F),this},j}},{"../../mutate":208,"./combine":201}],203:[function(E,C){"use strict";const N=E("../../tagger");C.exports=(_)=>{const B={tagger:function(){return N(this),this},firstTerm:function(){return this.terms[0]},lastTerm:function(){return this.terms[this.terms.length-1]},all:function(){return this.parent},data:function(){return{text:this.out("text"),normal:this.out("normal")}},term:function(j){return this.terms[j]},first:function(){let j=this.terms[0];return new _([j],this.lexicon,this.refText,this.refTerms)},last:function(){let j=this.terms[this.terms.length-1];return new _([j],this.lexicon,this.refText,this.refTerms)},slice:function(j,V){let z=this.terms.slice(j,V);return new _(z,this.lexicon,this.refText,this.refTerms)},endPunctuation:function(){return this.last().terms[0].endPunctuation()},index:function(){let j=this.parentTerms,V=this.terms[0];if(!j||!V)return null;for(let z=0;z{return j+=V.whitespace.before.length,j+=V.text.length,j+=V.whitespace.after.length,j},0)},wordCount:function(){return this.terms.length},canBe:function(j){let V=this.terms.filter((z)=>z.canBe(j));return new _(V,this.lexicon,this.refText,this.refTerms)},toCamelCase:function(){return this.toTitleCase(),this.terms.forEach((j,V)=>{0!==V&&(j.whitespace.before=""),j.whitespace.after=""}),this.tag("#CamelCase","toCamelCase"),this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{"../../tagger":129}],204:[function(E,C){"use strict";const N=E("../paths").fns,D={text:function(B){return B.terms.reduce((j,V)=>{return j+=V.out("text"),j},"")},normal:function(B){let j=B.terms.filter((V)=>{return V.text});return j=j.map((V)=>{return V.normal}),j.join(" ")},grid:function(B){var j=" ";return j+=B.terms.reduce((V,z)=>{return V+=N.leftPad(z.text,11),V},""),j+"\n\n"},color:function(B){return B.terms.reduce((j,V)=>{return j+=N.printTerm(V),j},"")},root:function(B){return B.terms.filter((j)=>j.text).map((j)=>j.root).join(" ").toLowerCase()},html:function(B){return B.terms.map((j)=>j.render.html()).join(" ")},debug:function(B){B.terms.forEach((j)=>{j.out("debug")})}};D.plaintext=D.text,D.normalize=D.normal,D.normalized=D.normal,D.colors=D.color,D.tags=D.terms;C.exports=(B)=>{return B.prototype.out=function(j){return D[j]?D[j](this):D.text(this)},B.prototype.debug=function(){return D.debug(this)},B}},{"../paths":209}],205:[function(E,C){"use strict";const N=E("../mutate");C.exports=(_)=>{const B={replace:function(j,V){return void 0===V?this.replaceWith(j):(this.match(j).replaceWith(V),this)},replaceWith:function(j,V){let z=_.fromString(j);z.tagger(),V&&z.tag(V,"user-given");let F=this.index();return this.parentTerms=N.deleteThese(this.parentTerms,this),this.parentTerms.terms=N.insertAt(this.parentTerms.terms,F,z),this.terms=z.terms,this}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_}},{"../mutate":208}],206:[function(E,C,A){"use strict";const N=(_,B)=>{let j=B.terms[0],V=B.terms.length;for(let z=0;z<_.length;z++)if(_[z]===j)return{before:_.slice(0,z),match:_.slice(z,z+V),after:_.slice(z+V,_.length)};return{after:_}},D=(_)=>{const B={splitAfter:function(j,V){let z=this.match(j,V),F=this.terms,$=[];return z.list.forEach((G)=>{let O=N(F,G);O.before&&O.match&&$.push(O.before.concat(O.match)),F=O.after}),F.length&&$.push(F),$=$.map((G)=>{let O=this.refText;return new _(G,this.lexicon,O,this.refTerms)}),$},splitOn:function(j,V){let z=this.match(j,V),F=this.terms,$=[];return z.list.forEach((G)=>{let O=N(F,G);O.before&&$.push(O.before),O.match&&$.push(O.match),F=O.after}),F.length&&$.push(F),$=$.filter((G)=>G&&G.length),$=$.map((G)=>new _(G,G.lexicon,G.refText,this.refTerms)),$},splitBefore:function(j,V){let z=this.match(j,V),F=this.terms,$=[];z.list.forEach((G)=>{let O=N(F,G);O.before&&$.push(O.before),O.match&&$.push(O.match),F=O.after}),F.length&&$.push(F);for(let G=0;G<$.length;G++)for(let O=0;OG&&G.length),$=$.map((G)=>new _(G,G.lexicon,G.refText,this.refTerms)),$}};return Object.keys(B).forEach((j)=>{_.prototype[j]=B[j]}),_};C.exports=D,A=D},{}],207:[function(E,C){"use strict";C.exports=(D)=>{const _={clone:function(){let B=this.terms.map((j)=>{return j.clone()});return new D(B,this.lexicon,this.refText,null)},hyphenate:function(){return this.terms.forEach((B,j)=>{j!==this.terms.length-1&&(B.whitespace.after="-"),0!==j&&(B.whitespace.before="")}),this},dehyphenate:function(){return this.terms.forEach((B)=>{"-"===B.whitespace.after&&(B.whitespace.after=" ")}),this}};return Object.keys(_).forEach((B)=>{D.prototype[B]=_[B]}),D}},{}],208:[function(E,C,A){"use strict";const N=(D)=>{let _=[];return"Terms"===D.isA?_=D.terms:"Text"===D.isA?_=D.flatten().list[0].terms:"Term"===D.isA&&(_=[D]),_};A.deleteThese=(D,_)=>{let B=N(_);return D.terms=D.terms.filter((j)=>{for(let V=0;V{B.dirty=!0;let j=N(B);return 0<_&&j[0]&&!j[0].whitespace.before&&(j[0].whitespace.before=" "),Array.prototype.splice.apply(D,[_,0].concat(j)),D}},{}],209:[function(E,C){C.exports={data:E("../data"),lexicon:E("../data"),fns:E("../fns"),Term:E("../term")}},{"../data":6,"../fns":21,"../term":169}],210:[function(E,C){C.exports="0:68;1:5A;2:6A;3:4I;4:5K;5:5N;6:62;7:66;a5Yb5Fc51d4Le49f3Vg3Ih35i2Tj2Rk2Ql2Fm27n1Zo1Kp13qu11r0Vs05tYuJvGw8year1za1D;arEeDholeCiBo9r8;o4Hy;man1o8u5P;d5Rzy;ck0despr63ly,ry;!sa3;a4Gek1lco1C;p0y;a9i8ola3W;b6Fol4K;gabo5Hin,nilla,rio5B;g1lt3ZnDpArb4Ms9tter8;!mo6;ed,u2;b1Hp9s8t19;ca3et,tairs;er,i3R;authorFdeDeCfair,ivers2known,like1precedMrAs9ti5w8;iel5ritt5C;ig1Kupervis0;e8u1;cognBgul5Il5I;v58xpect0;cid0r8;!grou53stood;iz0;aCeBiAo9r8;anqu4Jen5i4Doubl0ue;geth4p,rp5H;dy,me1ny;en57st0;boo,l8n,wd3R;ent0;aWca3PeUhTiRkin0FlOmNnobb42oKpIqueam42tCu8ymb58;bAdd4Wp8r3F;er8re0J;!b,i1Z;du0t3;aCeAi0Nr9u8yl3X;p56r5;aightfor4Vip0;ad8reotyp0;fa6y;nda5Frk;a4Si8lend51rig0V;cy,r19;le9mb4phist1Lr8u13vi3J;d4Yry;!mn;el1ug;e9i8y;ck,g09my;ek,nd4;ck,l1n8;ce4Ig3;a5e4iTut,y;c8em1lf3Fni1Fre1Eve4Gxy;o11r38;cr0int1l2Lme,v1Z;aCeAi9o8;bu6o2Csy,y2;ght0Ytzy,v2;a8b0Ucondi3Emo3Epublic37t1S;dy,l,r;b4Hci6gg0nd3S;a8icke6;ck,i4V;aKeIhoHicayu13lac4EoGr9u8;bl4Amp0ny;eDiAo8;!b02f8p4;ou3Su7;c9m8or;a2Le;ey,k1;ci7mi14se4M;li30puli6;ny;r8ti2Y;fe4Cv2J;in1Lr8st;allel0t8;-ti8i2;me;bKffIi1kHnGpFrg0Yth4utEv8;al,er8;!aBn9t,w8;e8roug9;ig8;ht;ll;do0Ger,g1Ysi0E;en,posi2K;g1Wli0D;!ay;b8li0B;eat;e7s8;ce08ole2E;aEeDiBo8ua3M;b3n9rLsy,t8;ab3;descri3Qstop;g8mb3;ht1;arby,cessa1Pighbor1xt;ive,k0;aDeBiAo8ultip3;bi3dern,l5n1Jo8st;dy,t;ld,nX;a8di04re;s1ty;cab2Vd1genta,in,jUkeshift,le,mmo8ny;th;aHeCiAo8;f0Zne1u8ve1w1y2;sy,t1Q;ke1m8ter2ve1;it0;ftBg9th2v8wd;el;al,e8;nda17;!-Z;ngu2Sst,tt4;ap1Di0EnoX;agg0ol1u8;i1ZniFstifi0veni3;cy,de2gno33llImFn8;br0doDiGn4sAt8;a2Wen7ox8;ic2F;a9i8;de;ne;or;men7p8;ar8erfe2Port0rop4;ti2;!eg2;aHeEiCoBu8;ge,m8rt;b3dr8id;um;me1ne6ok0s03ur1;ghfalut1Bl1sp8;an23;a9f03l8;l0UpO;dy,ven1;l9n5rro8;wi0A;f,low0;aIener1WhGid5loFoDr9u8;ard0;aAey,is1o8;o8ss;vy;tis,y;ld,ne,o8;d,fy;b2oI;a8o8;st1;in8u5y;ful;aIeGiElag21oArie9u8;n,rY;nd1;aAol09r8ul;e8m4;gPign;my;erce ,n8t;al,i09;ma3r8;ti3;bl0ke,l7n0Lr,u8vori06;l8x;ty;aEerie,lDnti0ZtheCvBx8;a1Hcess,pe9t8ube1M;ra;ct0rt;eryday,il;re2;dLiX;rBs8;t,yg8;oi8;ng;th1;aLeHiCoArea9u8;e,mb;ry;ne,ub3;le;dact0Officu0Xre,s9v8;er7;cre9eas0gruntl0hone6ord8tress0;er1;et;adpAn7rang0t9vo8;ut;ail0ermin0;an;i1mag0n8pp4;ish;agey,ertaKhIivHlFoAr8udd1;a8isp,owd0;mp0vZz0;loBm9ncre8rZst1vert,ward1zy;te;mon,ple8;te,x;ni2ss2;ev4o8;s0u5;il;eesy,i8;ef,l1;in;aLeIizarTlFoBrAu8;r1sy;ly;isk,okK;gAld,tt9un8;cy;om;us;an9iCo8;nd,o5;d,k;hi9lov0nt,st,tt4yo9;er;nd;ckBd,ld,nkArr9w5;dy;en;ruW;!wards;bRctu2dKfraJgain6hHlEntiquDpCrab,sleep,verBw8;a9k8;waU;re;age;pareUt;at0;coh8l,oof;ol8;ic;ead;st;id;eHuCv8;a9er7;se;nc0;ed;lt;al;erElDoBruAs8;eEtra8;ct;pt;a8ve;rd;aze,e;ra8;nt"},{}],211:[function(E,C){C.exports="a06by 04d00eXfShQinPjustOkinda,mMnKoFpDquite,rAs6t3up2very,w1ye0;p,s;ay,ell; to,wards5;h1o0wiN;o,t6ward;en,us;everal,o0uch;!me1on,rt0; of;hVtimes,w05;a1e0;alQ;ndomPthL;ar excellCer0oint blank; Khaps;f3n0;ce0ly;! 0;agYmoS; courFten;ewHo0; longCt withstanding;aybe,eanwhi9ore0;!ovA;! aboR;deed,steS;en0;ce;or1urther0;!moH; 0ev3;examp0good,suF;le;n mas1v0;er;se;amn,e0irect1; 1finite0;ly;ju7trop;far,n0;ow; CbroBd nauseam,gAl5ny2part,side,t 0w3;be5l0mo5wor5;arge,ea4;mo1w0;ay;re;l 1mo0one,ready,so,ways;st;b1t0;hat;ut;ain;ad;lot,posteriori"},{}],212:[function(E,C){C.exports="aCbBcAd9f8h7i6jfk,kul,l4m3ord,p1s0yyz;fo,yd;ek,h0;l,x;co,ia,uc;a0gw,hr;s,x;ax,cn,st;kg,nd;co,ra;en,fw,xb;dg,gk,lt;cn,kk;ms,tl"},{}],213:[function(E,C){C.exports="a2Tb23c1Td1Oe1Nf1Lg1Gh18i16jakar2Ek0Xl0Rm0En0Ao08pXquiWrTsJtAu9v6w3y1z0;agreb,uri1W;ang1Qe0okohama;katerin1Frev31;ars1ellingt1Oin0rocl1;nipeg,terth0V;aw;a1i0;en2Glni2Y;lenc2Tncouv0Gr2F;lan bat0Dtrecht;a6bilisi,e5he4i3o2rondheim,u0;nVr0;in,ku;kyo,ronIulouC;anj22l13miso2Ira29; haJssaloni0X;gucigalpa,hr2Nl av0L;i0llinn,mpe2Angi07rtu;chu21n2LpT;a3e2h1kopje,t0ydney;ockholm,uttga11;angh1Eenzh1W;o0KvZ;int peters0Ul3n0ppo1E; 0ti1A;jo0salv2;se;v0z0Q;adU;eykjavik,i1o0;me,sario,t24;ga,o de janei16;to;a8e6h5i4o2r0ueb1Pyongya1M;a0etor23;gue;rt0zn23; elizabe3o;ls1Frae23;iladelph1Ynom pe07oenix;r0tah tik18;th;lerJr0tr0Z;is;dessa,s0ttawa;a1Glo;a2ew 0is;delTtaip0york;ei;goya,nt0Tpl0T;a5e4i3o1u0;mb0Kni0H;nt0scH;evideo,real;l1Ln01skolc;dell\xEDn,lbour0R;drid,l5n3r0;ib1se0;ille;or;chest0dalay,i0Y;er;mo;a4i1o0uxembou1FvAy00;ndZs angel0E;ege,ma0nz,sbYverpo1;!ss0;ol; pla0Husan0E;a5hark4i3laipeda,o1rak0uala lump2;ow;be,pavog0sice;ur;ev,ng8;iv;b3mpa0Jndy,ohsiu0Gra0un02;c0j;hi;ncheLstanb0\u0307zmir;ul;a5e3o0; chi mi1ms,u0;stH;nh;lsin0rakliF;ki;ifa,m0noi,va09;bu0RiltC;dan3en2hent,iza,othen1raz,ua0;dalaj0Fngzhou,tema05;bu0O;eToa;sk;es,rankfu0;rt;dmont4indhovU;a1ha01oha,u0;blRrb0Eshanbe;e0kar,masc0FugavpiJ;gu,je0;on;a7ebu,h2o0raioJuriti01;lo0nstanJpenhagNrk;gFmbo;enn3i1ristchur0;ch;ang m1c0ttagoL;ago;ai;i0lgary,pe town,rac4;ro;aHeBirminghWogoAr5u0;char3dap3enos air2r0sZ;g0sa;as;es;est;a2isba1usse0;ls;ne;silPtisla0;va;ta;i3lgrade,r0;g1l0n;in;en;ji0rut;ng;ku,n3r0sel;celo1ranquil0;la;na;g1ja lu0;ka;alo0kok;re;aBb9hmedabad,l7m4n2qa1sh0thens,uckland;dod,gabat;ba;k0twerp;ara;m5s0;terd0;am;exandr0maty;ia;idj0u dhabi;an;lbo1rh0;us;rg"},{}],214:[function(E,C){C.exports="0:39;1:2M;a2Xb2Ec22d1Ye1Sf1Mg1Bh19i13j11k0Zl0Um0Gn05om3DpZqat1JrXsKtCu6v4wal3yemTz2;a25imbabwe;es,lis and futu2Y;a2enezue32ietnam;nuatu,tican city;.5gTkraiZnited 3ruXs2zbeE;a,sr;arab emirat0Kkingdom,states2;! of am2Y;k.,s.2; 28a.;a7haBimor-les0Bo6rinidad4u2;nis0rk2valu;ey,me2Ys and caic1U; and 2-2;toba1K;go,kel0Ynga;iw2Wji2nz2S;ki2U;aCcotl1eBi8lov7o5pa2Cri lanka,u4w2yr0;az2ed9itzerl1;il1;d2Rriname;lomon1Wmal0uth 2;afr2JkLsud2P;ak0en0;erra leoEn2;gapo1Xt maart2;en;negKrb0ychellY;int 2moa,n marino,udi arab0;hele25luc0mart20;epublic of ir0Com2Duss0w2;an26;a3eHhilippinTitcairn1Lo2uerto riM;l1rtugE;ki2Cl3nama,pua new0Ura2;gu6;au,esti2;ne;aAe8i6or2;folk1Hth3w2;ay; k2ern mariana1C;or0N;caragua,ger2ue;!ia;p2ther19w zeal1;al;mib0u2;ru;a6exi5icro0Ao2yanm04;ldova,n2roc4zamb9;a3gol0t2;enegro,serrat;co;c9dagascZl6r4urit3yot2;te;an0i15;shall0Wtin2;ique;a3div2i,ta;es;wi,ys0;ao,ed01;a5e4i2uxembourg;b2echtenste11thu1F;er0ya;ban0Hsotho;os,tv0;azakh1Ee2iriba03osovo,uwait,yrgyz1E;eling0Knya;a2erFord1D;ma16p1C;c6nd5r3s2taly,vory coast;le of m1Arael;a2el1;n,q;ia,oJ;el1;aiTon2ungary;dur0Ng kong;aBeAha0Qibralt9re7u2;a5ern4inea2ya0P;!-biss2;au;sey;deloupe,m,tema0Q;e2na0N;ce,nl1;ar;org0rmany;bTmb0;a6i5r2;ance,ench 2;guia0Dpoly2;nes0;ji,nl1;lklandTroeT;ast tim6cu5gypt,l salv5ngl1quatorial3ritr4st2thiop0;on0; guin2;ea;ad2;or;enmark,jibou4ominica3r con2;go;!n B;ti;aAentral african 9h7o4roat0u3yprQzech2; 8ia;ba,racao;c3lo2morPngo-brazzaville,okFsta r03te d'ivoiK;mb0;osD;i2ristmasF;le,na;republic;m2naTpe verde,yman9;bod0ero2;on;aFeChut00o8r4u2;lgar0r2;kina faso,ma,undi;azil,itish 2unei;virgin2; is2;lands;liv0nai4snia and herzegoviGtswaGuvet2; isl1;and;re;l2n7rmuF;ar2gium,ize;us;h3ngladesh,rbad2;os;am3ra2;in;as;fghaFlCmAn5r3ustr2zerbaijH;al0ia;genti2men0uba;na;dorra,g4t2;arct6igua and barbu2;da;o2uil2;la;er2;ica;b2ger0;an0;ia;ni2;st2;an"},{}],215:[function(E,C){C.exports="0:17;a0Wb0Mc0Bd09e08f06g03h01iXjUkSlOmKnHomGpCqatari,rAs6t4u3v2wel0Qz1;am0Eimbabwe0;enezuel0ietnam0G;g8krai11;aiwShai,rinida0Hu1;ni0Prkmen;a3cot0Je2ingapoNlovak,oma0Tpa04udQw1y0X;edi0Jiss;negal0Ar07;mo0uT;o5us0Kw1;and0;a2eru0Ghilipp0Po1;li0Drtugu05;kist2lesti0Qna1raguay0;ma0P;ani;amiYi1orweO;caragu0geri1;an,en;a2ex0Mo1;ngo0Erocc0;cedo0Ila1;gasy,y07;a3eb8i1;b1thua0F;e0Dy0;o,t01;azakh,eny0o1uwaiti;re0;a1orda0A;ma0Bp1;anM;celandic,nd3r1sraeli,ta02vo06;a1iS;ni0qi;i0oneU;aiCin1ondur0unM;di;amCe1hanai0reek,uatemal0;or1rm0;gi0;i1ren6;lipino,n3;cuadoVgyp5ngliIstoWthiopi0urope0;a1ominXut3;niG;a8h5o3roa2ub0ze1;ch;ti0;lom1ngol4;bi0;a5i1;le0n1;ese;liforLm1na2;bo1erooK;di0;a9el7o5r2ul1;gaG;aziBi1;ti1;sh;li1sD;vi0;aru1gi0;si0;ngladeshi,sque;f9l6merAngol0r4si0us1;sie,tr1;a1i0;li0;gent1me4;ine;ba2ge1;ri0;ni0;gh0r1;ic0;an"},{}],216:[function(E,C){C.exports="aZbYdTeRfuck,gQhKlHmGnFoCpAsh9u7voi01w3y0;a1eKu0;ck,p;!a,hoo,y;h1ow,t0;af,f;e0oa;e,w;gh,h0;! huh,-Oh,m;eesh,hh,it;ff,hew,l0sst;ease,z;h1o0w,y;h,o,ps;!h;ah,ope;eh,mm;m1ol0;!s;ao,fao;a3e1i,mm,urr0;ah;e,ll0y;!o;ha0i;!ha;ah,ee,oodbye,rr;e0h,t cetera,ww;k,p;'3a0uh;m0ng;mit,n0;!it;oh;ah,oo,ye; 1h0rgh;!em;la"},{}],217:[function(E,C){C.exports="0:81;1:7E;2:7G;3:7Y;4:65;5:7P;6:7T;7:7O;8:7U;9:7C;A:6K;B:7R;C:6X;D:79;a78b6Pc5Ud5Ce4Rf4Jg47h3Zi3Uj38k2Sl21m1An14o12p0Ur0FsYtNursu9vIwGyEza7;olan2vE;etDon5Z;an2enMhi6PilE;a,la,ma;aHeFiE;ctor1o9rgin1vi3B;l4VrE;a,na,oniA;len5Ones7N;aLeJheIi3onHrE;acCiFuE;dy;c1na,s8;i4Vya;l4Nres0;o3GrE;e1Oi,ri;bit8mEn29ra,s8;a7iEmy;!ka;aTel4HhLiKoItHuFyE;b7Tlv1;e,sEzV;an17i;acCel1H;f1nEph1;d7ia,ja,ya;lv1mon0;aHeEi24;e3i9lFrE;i,yl;ia,ly;nFrEu3w3;i,on;a,ia,nEon;a,on;b24i2l5Ymant8nd7raB;aPeLhon2i5oFuE;by,th;bIch4Pn2sFxE;an4W;aFeE;ma2Ut5;!lind;er5yn;bFnE;a,ee;a,eE;cAkaB;chEmo3qu3I;a3HelEi2;!e,le;aHeGhylFriE;scil0Oyamva2;is,lis;arl,t7;ige,mGrvati,tricFulE;a,etDin0;a,e,ia;!e9;f4BlE;ga,iv1;aIelHiForE;a,ma;cEkki,na;ho2No2N;!l;di6Hi36o0Qtas8;aOeKiHonFrignayani,uri2ZyrE;a,na,t2J;a,iE;ca,q3G;ch3SlFrE;an2iam;dred,iA;ag1DgGliFrE;ced63edi36;n2s5Q;an,han;bSdel4e,gdale3li59nRrHtil2uGvFx4yE;a,ra;is;de,re6;cMgKiGl3Fs8tFyanE;!n;a,ha,i3;aFb2Hja,l2Ena,sEtza;a,ol,sa;!nE;!a,e,n0;arEo,r4AueriD;et4Ai5;elLia;dakran5on,ue9;el,le;aXeSiOoKuGyE;d1nE;!a,da,e4Vn1D;ciGelFiEpe;sa;a,la;a,l3Un2;is,la,rEui2Q;aFeEna,ra4;n0t5;!in0;lGndEsa;a,sE;ay,ey,i,y;a,i0Fli0F;aHiGla,nFoEslCt1M;la,na;a,o7;gh,la;!h,n07;don2Hna,ra,tHurFvern0xE;mi;a,eE;l,n;as8is8oE;nEya;ya;aMeJhadija,iGrE;istEy2G;a,en,in0M;mErst6;!beE;rlC;is8lFnd7rE;i,ri;ey,i,lCy;nyakumari,rItFvi5yE;!la;aFe,hEi3Cri3y;ar4er4le6r12;ri3;a,en,iEla;!ma,n;aTeNilKoGuE;anEdi1Fl1st4;a,i5;!anGcel0VdFhan1Rl3Eni,seEva3y37;fi3ph4;i32y;!a,e,n02;!iFlE;!iE;an;anHle3nFri,sE;iAsiA;a,if3LnE;a,if3K;a,e3Cin0nE;a,e3Bin0;cHde,nEsm4vie7;a,eFiE;ce,n0s;!l2At2G;l0EquelE;in0yn;da,mog2Vngrid,rHsEva;abelFiE;do7;!a,e,l0;en0ma;aIeGilE;aEda,laE;ry;ath33i26lenEnriet5;!a,e;nFrE;i21ri21;aBnaB;aMeKiJlHrFwenE;!dolY;acEetch6;e,ie9;adys,enEor1;a,da,na;na,seH;nevieve,orgi0OrE;ald4trude;brielFil,le,yE;le;a,e,le;aKeIlorHrE;ancEe2ie2;es,iE;n0sA;a,en1V;lErn;ic1;tiPy1P;dWile6k5lPmOrMstJtHuGvE;a,elE;yn;gen1la,ni1O;hEta;el;eEh28;lEr;a,e,l0;iEma,nest4;ca,ka,n;ma;a4eIiFl6ma,oiVsa,vE;a,i7;sEzaF;aEe;!beH;anor,nE;!a;iEna;th;aReKiJoE;lHminiqGnPrE;a,e6is,othE;ea,y;ue;ly,or24;anWna;anJbIe,lGnEsir1Z;a,iE;se;a,ia,la,orE;es,is;oraBra;a,na;m1nFphn0rlE;a,en0;a,iE;el08;aYeVhSlOoHrEynth1;isFyE;stal;ti3;lJnsHrEur07;a,inFnE;el1;a,e,n0;tanEuelo;ce,za;e6le6;aEeo;ire,rFudE;etDia;a,i0A;arl0GeFloe,ristE;a,in0;ls0Qryl;cFlE;esDi1D;el1il0Y;itlin,milMndLrIsHtE;ali3hE;er4le6y;in0;a0Usa0U;a,la,meFolE;!e,in0yn;la,n;aViV;e,le;arbVeMiKlKoni5rE;anIen2iEooke;dgFtE;tnC;etE;!te;di;anA;ca;atriLcky,lin2rItFulaBverE;ly;h,tE;e,yE;!e;nEt8;adOiE;ce;ce,z;a7ra;biga0Kd0Egn0Di08lZmVnIrGshlCudrEva;a,ey,i,y;ey,i,y;lEpi5;en0;!a,dNeLgelJiIja,nGtoE;inEn1;etD;!a,eIiE;ka;ka,ta;a,iE;a,ca,n0;!tD;te;je9rE;ea;la;an2bFel1i3y;ia;er;da;ber5exaJiGma,ta,yE;a,sE;a,sa;cFsE;a,ha,on;e,ia;nd7;ra;ta;c8da,le6mFshaB;!h;ee;en;ha;es;a,elGriE;a3en0;na;e,iE;a,n0;a,e;il"},{}],218:[function(E,C){C.exports="aJblair,cHdevGguadalupe,jBk9l8m5r2sh0trinity;ay,e0iloh;a,lby;e1o0;bin,sario;ag1g1ne;ar1el,org0;an;ion,lo;ashawn,ee;asAe0;ls9nyatta,rry;a1e0;an,ss2;de,ime,m0n;ie,m0;ie;an,on;as0heyenne;ey,sidy;lexis,ndra,ubr0;ey"},{}],219:[function(E,C){C.exports="0:1P;1:1Q;a1Fb1Bc12d0Ye0Of0Kg0Hh0Di09june07kwanzaa,l04m00nYoVpRrPsEt8v6w4xm03y2;om 2ule;hasho16kippur;hit2int0Xomens equalit7; 0Ss0T;aGe2ictor1E;r1Bteran0;-1ax 1h6isha bav,rinityNu2; b3rke2;y 1;ish2she2;vat;a0Ye prophets birth1;a6eptember15h4imchat tor0Vt 3u2;kk4mmer U;a9p8s7valentines day ;avu2mini atzeret;ot;int 2mhain;a5p4s3va2;lentine0;tephen0;atrick0;ndrew0;amadan,ememberanc0Yos2;a park0h hashana;a3entecost,reside0Zur2;im,ple heart 1;lm2ssovE; s04;rthodox 2stara;christma0easter2goOhoJn0C;! m07;ational 2ew years09;freedom 1nurse0;a2emorial 1lHoOuharram;bMr2undy thurs1;ch0Hdi gr2tin luther k0B;as;a2itRughnassadh;bour 1g baom2ilat al-qadr;er; 2teenth;soliU;d aJmbolc,n2sra and miraj;augurGd2;ependen2igenous people0;c0Bt0;a3o2;ly satur1;lloween,nukkUrvey mil2;k 1;o3r2;ito de dolores,oundhoW;odW;a4east of 2;our lady of guadalupe,the immaculate concepti2;on;ther0;aster8id 3lectYmancip2piphany;atX;al-3u2;l-f3;ad3f2;itr;ha;! 2;m8s2;un1;ay of the dead,ecemb3i2;a de muertos,eciseis de septiembre,wali;er sol2;stice;anad8h4inco de mayo,o3yber m2;on1;lumbu0mmonwealth 1rpus christi;anuk4inese n3ristmas2;! N;ew year;ah;a 1ian tha2;nksgiving;astillCeltaine,lack4ox2;in2;g 1; fri1;dvent,ll 9pril fools,rmistic8s6u2;stral4tum2;nal2; equinox;ia 1;cens2h wednes1sumption of mary;ion 1;e 1;hallows 6s2;ai2oul0t0;nt0;s 1;day;eve"},{}],220:[function(E,C){C.exports="0:2S;1:38;2:36;3:2B;4:2W;5:2Y;a38b2Zc2Ld2Be28f23g1Yh1Ni1Ij1Ck15l0Xm0Ln0Ho0Ep04rXsMtHvFwCxBy8zh6;a6ou,u;ng,o;a6eun2Roshi1Iun;ma6ng;da,guc1Xmo24sh1ZzaQ;iao,u;a7eb0il6o4right,u;li39s2;gn0lk0ng,tanabe;a6ivaldi;ssilj35zqu1;a9h8i2Do7r6sui,urn0;an,ynisI;lst0Nrr2Sth;at1Romps2;kah0Tnaka,ylor;aDchCeBhimizu,iAmi9o8t7u6zabo;ar1lliv27zuD;al21ein0;sa,u4;rn3th;lva,mmo22ngh;mjon3rrano;midt,neid0ulz;ito,n7sa6to;ki;ch1dKtos,z;amBeag1Xi9o7u6;bio,iz,s2L;b6dri1KgHj0Sme22osevelt,sZux;erts,ins2;c6ve0E;ci,hards2;ir1os;aDe9h7ic6ow1Z;as2Ehl0;a6illips;m,n1S;ders5et8r7t6;e0Or3;ez,ry;ers;h20rk0t6vl3;el,te0K;baBg0Blivei01r6;t6w1O;ega,iz;a6eils2guy5ix2owak,ym1D;gy,ka6var1J;ji6muW;ma;aEeCiBo8u6;ll0n6rr0Cssolini,\xF16;oz;lina,oKr6zart;al1Me6r0T;au,no;hhail3ll0;rci0s6y0;si;eWmmad3r6tsu08;in6tin1;!o;aCe8i6op1uo;!n6u;coln,dholm;e,fe7n0Pr6w0I;oy;bv6v6;re;rs5u;aBennedy,imuAle0Ko8u7wo6;k,n;mar,znets3;bay6vacs;asY;ra;hn,rl9to,ur,zl3;aAen9ha4imen1o6u4;h6n0Yu4;an6ns2;ss2;ki0Ds5;cks2nsse0C;glesi9ke8noue,shik7to,vano6;u,v;awa;da;as;aCe9it8o7u6;!a4b0gh0Nynh;a4ffmann,rvat;chcock,l0;mingw7nde6rL;rs2;ay;ns5rrOs7y6;asCes;an3hi6;moH;a8il,o7rub0u6;o,tierr1;m1nzal1;nd6o,rcia;hi;er9is8lor08o7uj6;ita;st0urni0;ch0;nand1;d7insteHsposi6vaL;to;is2wards;aCeBi9omin8u6;bo6rand;is;gu1;az,mitr3;ov;lgado,vi;rw7vi6;es,s;in;aFhBlarkAo6;h5l6op0x;em7li6;ns;an;!e;an8e7iu,o6ristens5u4we;i,ng,u4w,y;!n,on6u4;!g;mpb8rt0st6;ro;er;ell;aBe8ha4lanco,oyko,r6yrne;ooks,yant;ng;ck7ethov5nnett;en;er,ham;ch,h7iley,rn6;es;k,ng;dEl9nd6;ers6rB;en,on,s2;on;eks8iy9on7var1;ez;so;ej6;ev;ams"},{}],221:[function(E,C){C.exports="0:A8;1:9I;2:9Z;3:9Q;4:93;5:7V;6:9B;7:9W;8:8K;9:7H;A:9V;a96b8Kc7Sd6Ye6Af5Vg5Gh4Xi4Nj3Rk3Jl33m25n1Wo1Rp1Iqu1Hr0Xs0EtYusm0vVwLxavi3yDzB;aBor0;cha52h1E;ass2i,oDuB;sEuB;ma,to;nEsDusB;oBsC;uf;ef;at0g;aIeHiCoB;lfga05odrow;lBn16;bDfr9IlBs1;a8GiB;am2Qe,s;e6Yur;i,nde7Zsl8;de,lBrr7y6;la5t3;an5ern1iB;cBha0nce2Wrg7Sva0;ente,t4I;aPeKhJimIoErCyB;!l3ro6s1;av6OeBoy;nt,v4E;bDdd,mBny;!as,mBoharu;a93ie,y;i9y;!my,othy;eodo0Nia6Aom9;dErB;en5rB;an5eBy;ll,n5;!dy;ic84req,ts3Myl42;aNcottMeLhIiHoFpenc3tBur1Fylve76zym1;anDeBua6A;f0ph8OrliBve4Hwa69;ng;!islaw,l8;lom1uB;leyma6ta;dn8m1;aCeB;ld1rm0;h02ne,qu0Hun,wn;an,basti0k1Nl3Hrg3Gth;!y;lEmDntBq3Yul;iBos;a5Ono;!m7Ju4;ik,vaB;d3JtoY;aQeMicKoEuCyB;an,ou;b7dBf67ssel5X;ol2Fy;an,bFcky,dEel,geDh0landAm0n5Dosevelt,ry,sCyB;!ce;coe,s;l31r;e43g3n8o8Gri5C;b7Ie88;ar4Xc4Wha6YkB;!ey,y;gCub7x,yBza;ansh,nal4U;g7DiB;na79s;chDfa4l22mCndBpha4ul,y58;al5Iol21;i7Yon;id;ent2int1;aIeEhilDierCol,reB;st1;re;!ip,lip;d7RrDtB;ar,eB;!r;cy,ry;bLt3Iul;liv3m7KrDsCtBum78w7;is,to;ama,c76;i,l3NvB;il4H;athanIeHiDoB;aBel,l0ma0r2G;h,m;cDiCkB;h5Oola;lo;hol9k,ol9;al,d,il,ls1;!i4;aUeSiKoFuByr1;hamDrCstaB;fa,pha;ad,ray;ed,mF;dibo,e,hamDntCrr4EsBussa;es,he;e,y;ad,ed,mB;ad,ed;cFgu4kDlCnBtche5C;a5Yik;an,os,t1;e,olB;aj;ah,hBk8;a4eB;al,l;hBlv2r3P;di,met;ck,hLlKmMnu4rGs1tCuri5xB;!imilianA;eo,hCi9tB;!eo,hew,ia;eBis;us,w;cDio,kAlCsha4WtBv2;i21y;in,on;!el,oIus;colm,ik;amBdi,moud;adB;ou;aMeJiIl2AoEuBy39;c9is,kBth3;aBe;!s;g0nn5HrenDuBwe4K;!iB;e,s;!zo;am,on4;evi,i,la3YoBroy,st3vi,w3C;!nB;!a4X;mCn5r0ZuBwB;ren5;ar,oB;nt;aGeChaled,irBrist40u36y2T;k,ollos;i0Vlv2nBrmit,v2;!dCnBt;e0Ty;a43ri3T;na50rBthem;im,l;aYeRiPoDuB;an,liBni0Nst2;an,o,us;aqu2eKhnJnGrEsB;eChB;!ua;!ph;dBge;an,i;!aB;s,thB;an,on;!ath0n4A;!l,sBy;ph;an,e,mB;!m46;ffFrCsB;s0Vus;a4BemCmai6oBry;me,ni0H;i5Iy;!e01rB;ey,y;cGd7kFmErDsCvi3yB;!d7;on,p3;ed,r1G;al,es;e,ob,ub;kBob;!s1;an,brahJchika,gHk3lija,nuGrEsDtBv0;ai,sB;uki;aac,ha0ma4;a,vinB;!g;k,nngu3X;nacBor;io;im;aKeFina3SoDuByd42;be1RgBmber3GsD;h,o;m3ra5sBwa35;se2;aEctDitDnCrB;be1Mm0;ry;or;th;bIlHmza,ns,o,rCsBya37;an,s0;lEo3CrDuBv8;hi34ki,tB;a,o;is1y;an,ey;!im;ib;aLeIilbe3YlenHord1rDuB;illerBstavo;mo;aDegBov3;!g,orB;io,y;dy,h43nt;!n;ne,oCraB;ld,rdA;ffr8rge;brielDrB;la1IrBy;eZy;!e;aOeLiJlIorr0CrB;anDedB;!d2GeBri1K;ri1J;cCkB;!ie,l2;esco,isB;!co,zek;oyd;d4lB;ip;liCng,rnB;anX;pe,x;bi0di;arWdRfra2it0lNmGnFrCsteb0th0uge6vBym7;an,ereH;gi,iCnBv2w2;estAie;c02k;rique,zo;aGiDmB;aFeB;tt;lCrB;!h0;!io;nu4;be02d1iDliCm3t1v2woB;od;ot1Bs;!as,j34;!d1Xg28mEuCwB;a1Din;arB;do;o0Fu0F;l,nB;est;aSeKieJoDrag0uCwByl0;ay6ight;a6st2;minEnDugCyB;le;!l9;!a1Hn1K;go,icB;!k;go;an,j0lbeHmetriYnFrEsDvCwBxt3;ay6ey;en,in;moZ;ek,ri05;is,nB;is;rt;lKmJnIrDvB;e,iB;!d;iEne08rBw2yl;eBin,yl;lBn;!l;n,us;!e,i4ny;i1Fon;e,l9;as;aXeVhOlFoCraig,urtB;!is;dy,l2nrad,rB;ey,neliBy;us;aEevelaDiByG;fBnt;fo06t1;nd;rDuCyB;!t1;de;en5k;ce;aFeErisCuB;ck;!tB;i0oph3;st3;d,rlBse;es,ie;cBdric,s0M;il;lEmer1rB;ey,lCroBt3;ll;!os,t1;eb,v2;arVePilOlaNobMrCuByr1;ddy,rt1;aGeDi0uCyB;anDce,on;ce,no;nCtB;!t;d0t;dBnd1;!foCl8y;ey;rd;!by;i6ke;al,lF;nDrBshoi;at,naBt;rdA;!iCjam2nB;ie,y;to;ry,t;ar0Pb0Hd0Egu0Chme0Bid7jani,lUmSnLputsiKrCsaBu0Cya0ziz;hi;aHchGi4jun,maEnCon,tBy0;hur,u04;av,oB;ld;an,ndA;el;ie;ta;aq;dFgelAtB;hony,oB;i6nB;!iA;ne;reBy;!a,s,w;ir,mBos;ar;!an,beOeIfFi,lEonDt1vB;aMin;on;so,zo;an,en;onCrB;edA;so;jEksandDssExB;!and3is;er;ar,er;andB;ro;rtA;!o;en;d,t;st2;in;amCoBri0vik;lfo;!a;dDel,rahCuB;!bakr,lfazl;am;allEel,oulaye,ulB;lCrahm0;an;ah,o;ah;av,on"},{}],222:[function(E,C){C.exports="ad hominPbKcJdGeEfCgBh8kittNlunchDn7othersDp5roomQs3t0us dollarQ;h0icPragedM;ereOing0;!sA;tu0uper bowlMystL;dAffL;a0roblJurpo4;rtJt8;othGumbA;ead startHo0;meGu0;seF;laci6odErand slamE;l oz0riendDundB;!es;conom8ggBnerg8v0xamp7;entA;eath9inn1o0;gg5or8;er7;anar3eil4it3ottage6redit card6;ank3o0reakfast5;d1tt0;le3;ies,y;ing1;em0;!s"},{}],223:[function(E,C){C.exports="0:2Q;1:20;2:2I;a2Db24c1Ad11e0Uf0Tg0Qh0Kin0Djourn1l07mWnewsVoTpLquartet,rIs7t5u3worke1K;ni3tilG;on,vA;ele3im2Oribun1v;communica1Jgraph,vi1L;av0Hchool,eBo8t4ubcommitt1Ny3;ndic0Pstems;a3ockV;nda22te 3;poli2univ3;ersi27;ci3ns;al club,et3;e,y;cur3rvice0;iti2C;adio,e3;gionRs3;er19ourc29tauraX;artners9e7harmac6izza,lc,o4r3;ess,oduc13;l3st,wer;i2ytechnic;a0Jeutical0;ople's par1Ttrol3;!eum;!hip;bservLffi2il,ptic1r3;chestra,ganiza22;! servi2;a9e7i5o4use3;e,um;bi10tor0;lita1Bnist3;e08ry;dia,mori1rcantile3; exchange;ch1Ogazi5nage06r3;i4ket3;i0Cs;ne;ab6i5oc3;al 3;aIheaH;beration ar1Fmited;or3s;ato0Y;c,dustri1Gs6ter5vest3;me3o08;nt0;nation1sI;titut3u14;!e3;! of technoloIs;e5o3;ld3sp0Itel0;ings;a3ra6;lth a3;uth0T;a4ir09overnJroup,ui3;ld;s,zet0P;acul0Qede12inanci1m,ounda13und;duca12gli0Blectric8n5s4t3veningH;at;ta0L;er4semb01ter3;prise0tainB;gy;!i0J;a9e4i3rilliG;rectora0FviP;part3sign,velop6;e5ment3;! sto3s;re;ment;ily3ta; news;aSentQhNircus,lLo3rew;!ali0LffJlleHm9n4rp3unc7;o0Js;fe6s3taine9;e4ulti3;ng;il;de0Eren2;m5p3;any,rehensiAute3;rs;i5uni3;ca3ty;tions;s3tt6;si08;cti3ge;ve;ee;ini3ub;c,qK;emica4oir,ronic3urch;le;ls;er,r3;al bank,e;fe,is5p3re,thedr1;it1;al;se;an9o7r4u3;ilding socieEreau;ands,ewe4other3;hood,s;ry;a3ys;rd;k,q3;ue;dministIgencFirDrCss7ut3viaJ;h4ori3;te;ori3;ty;oc5u3;ran2;ce;!iat3;es,iB;my;craft,l3ways;in4;e0i3y;es;!s;ra3;ti3;on"},{}],224:[function(E,C){C.exports="0:42;1:40;a38b2Pc29d21e1Yf1Ug1Mh1Hi1Ej1Ak18l14m0Tn0Go0Dp07qu06rZsStFuBv8w3y2;amaha,m0Youtu2Rw0Y;a4e2orld trade organizati1;lls fargo,st2;fie23inghou18;l2rner br3B;-m13gree30l street journ25m13;an halOeriz1isa,o2;dafo2Gl2;kswagMvo;bs,n3ps,s2;a tod2Qps;es33i2;lev2Wted natio2T; mobi2Jaco beQd bNeBgi fridaAh4im horto2Smz,o2witt2V;shiba,y2;ota,s r Z;e 2in lizzy;b4carpen31daily ma2Vguess w3holli0rolling st1Ns2w3;mashing pumpki2Nuprem0;ho;ea2lack eyed pe3Dyrds;ch bo2tl0;ys;l3s2;co,la m14;efoni09us;a7e5ieme2Fo3pice gir6ta2ubaru;rbucks,to2L;ny,undgard2;en;a2Px pisto2;ls;few24insbu25msu1W;.e.m.,adiohead,b7e4oyal 2yan2V;b2dutch she5;ank;/max,aders dige1Ed 2vl1;bu2c1Thot chili peppe2Ilobst27;ll;c,s;ant2Tizno2D;an6bs,e4fiz23hilip morrCi3r2;emier25octer & gamb1Qudenti14;nk floyd,zza hut;psi26tro2uge0A;br2Ochina,n2O; 3ason1Wda2E;ld navy,pec,range juli3xf2;am;us;aBbAe6fl,h5i4o2sa,wa;kia,tre dame,vart2;is;ke,ntendo,ss0L;l,s;stl4tflix,w2; 2sweek;kids on the block,york0A;e,\xE9;a,c;nd1Rs3t2;ional aca2Co,we0P;a,cZd0N;aBcdonaldAe6i4lb,o2tv,yspace;b1Knsanto,ody blu0t2;ley crue,or0N;crosoft,t2;as,subisP;dica4rcedes3talli2;ca;!-benz;id,re;'s,s;c's milk,tt11z1V;'ore08a4e2g,ittle caesa1H;novo,x2;is,mark; pres6-z-boy;atv,fc,kk,m2od1H;art;iffy lu0Jo4pmorgan2sa;! cha2;se;hnson & johns1y d1O;bm,hop,n2tv;g,te2;l,rpol; & m,asbro,ewlett-packaSi4o2sbc,yundai;me dep2n1G;ot;tac2zbollah;hi;eneral 7hq,l6o3reen d0Gu2;cci,ns n ros0;ldman sachs,o2;dye2g09;ar;axo smith kliYencore;electr0Gm2;oto0S;a4bi,da,edex,i2leetwood mac,oFrito-l08;at,nancial2restoU; tim0;cebook,nnie mae;b04sa,u,xxon2; m2m2;ob0E;aiml09e6isney,o4u2;nkin donuts,po0Uran dur2;an;j,w j2;on0;a,f leppa3ll,peche mode,r spiegYstiny's chi2;ld;rd;aFbc,hCiAnn,o4r2;aigsli6eedence clearwater reviv2;al;ca c6l5m2o09st04;ca3p2;aq;st;dplMgate;ola;a,sco2tigroup;! systems;ev3i2;ck fil-a,na daily;r1y;dbury,pital o2rl's jr;ne;aGbc,eCfAl6mw,ni,o2p;ei4mbardiKston 2;glo2pizza;be;ng;ack & deckGo3ue c2;roX;ckbuster video,omingda2;le; g2g2;oodriN;cht4e ge0n & jer3rkshire hathaw2;ay;ryH;el;nana republ4s2xt6y6;f,kin robbi2;ns;ic;bXcSdidRerosmith,ig,lLmFnheuser-busEol,ppleAr7s4t&t,v3y2;er;is,on;hland2sociated G; o2;il;by5g3m2;co;os; compu3bee2;'s;te2;rs;ch;c,d,erican4t2;!r2;ak; ex2;pre2;ss; 5catel3t2;air;!-luce2;nt;jazeera,qae2;da;as;/dc,a4er,t2;ivisi1;on;demy of scienc0;es;ba,c"},{}],225:[function(E,C){C.exports="0:71;1:6P;2:7D;3:73;4:6I;5:7G;6:75;7:6O;8:6B;9:6C;A:5H;B:70;C:6Z;a7Gb62c5Cd59e57f45g3Nh37iron0j33k2Yl2Km2Bn29o27p1Pr1Es09tQuOvacuum 1wGyammerCzD;eroAip EonD;e0k0;by,up;aJeGhFiEorDrit52;d 1k2Q;mp0n49pe0r8s8;eel Bip 7K;aEiD;gh 06rd0;n Br 3C;it 5Jk8lk6rm 0Qsh 73t66v4O;rgeCsD;e 9herA;aRePhNiJoHrFuDype 0N;ckArn D;d2in,o3Fup;ade YiDot0y 32;ckle67p 79;ne66p Ds4C;d2o6Kup;ck FdEe Dgh5Sme0p o0Dre0;aw3ba4d2in,up;e5Jy 1;by,o6U;ink Drow 5U;ba4ov7up;aDe 4Hll4N;m 1r W;ckCke Elk D;ov7u4N;aDba4d2in,o30up;ba4ft7p4Sw3;a0Gc0Fe09h05i02lYmXnWoVpSquare RtJuHwD;earFiD;ngEtch D;aw3ba4o6O; by;ck Dit 1m 1ss0;in,up;aIe0RiHoFrD;aigh1LiD;ke 5Xn2X;p Drm1O;by,in,o6A;r 1tc3H;c2Xmp0nd Dr6Gve6y 1;ba4d2up;d2o66up;ar2Uell0ill4TlErDurC;ingCuc8;a32it 3T;be4Brt0;ap 4Dow B;ash 4Yoke0;eep EiDow 9;c3Mp 1;in,oD;ff,v7;gn Eng2Yt Dz8;d2o5up;in,o5up;aFoDu4E;ot Dut0w 5W;aw3ba4f36o5Q;c2EdeAk4Rve6;e Hll0nd GtD; Dtl42;d2in,o5upD;!on;aw3ba4d2in,o1Xup;o5to;al4Kout0rap4K;il6v8;at0eKiJoGuD;b 4Dle0n Dstl8;aDba4d2in52o3Ft2Zu3D;c1Ww3;ot EuD;g2Jnd6;a1Wf2Qo5;ng 4Np6;aDel6inAnt0;c4Xd D;o2Su0C;aQePiOlMoKrHsyc29uD;ll Ft D;aDba4d2in,o1Gt33up;p38w3;ap37d2in,o5t31up;attleCess EiGoD;p 1;ah1Gon;iDp 52re3Lur44wer 52;nt0;ay3YuD;gAmp 9;ck 52g0leCn 9p3V;el 46ncilA;c3Oir 2Hn0ss FtEy D;ba4o4Q; d2c1X;aw3ba4o11;pDw3J;e3It B;arrow3Serd0oD;d6te3R;aJeHiGoEuD;ddl8ll36;c16p 1uth6ve D;al3Ad2in,o5up;ss0x 1;asur8lt 9ss D;a19up;ke Dn 9r2Zs1Kx0;do,o3Xup;aOeMiHoDuck0;a16c36g 0AoDse0;k Dse34;aft7ba4d2forw2Ain3Vov7uD;nd7p;e GghtFnEsDv1T;ten 4D;e 1k 1; 1e2Y;ar43d2;av1Ht 2YvelD; o3L;p 1sh DtchCugh6y1U;in3Lo5;eEick6nock D;d2o3H;eDyA;l2Hp D;aw3ba4d2fSin,o05to,up;aFoEuD;ic8mpA;ke2St2W;c31zz 1;aPeKiHoEuD;nker2Ts0U;lDneArse2O;d De 1;ba4d2oZup;de Et D;ba4on,up;aw3o5;aDlp0;d Fr Dt 1;fDof;rom;in,oO;cZm 1nDve it;d Dg 27kerF;d2in,o5;aReLive Jloss1VoFrEunD; f0M;in39ow 23; Dof 0U;aEb17it,oDr35t0Ou12;ff,n,v7;bo5ft7hJw3;aw3ba4d2in,oDup,w3;ff,n,ut;a17ek0t D;aEb11d2oDr2Zup;ff,n,ut,v7;cEhDl1Pr2Xt,w3;ead;ross;d aEnD;g 1;bo5;a08e01iRlNoJrFuD;cDel 1;k 1;eEighten DownCy 1;aw3o2L;eDshe1G; 1z8;lFol D;aDwi19;bo5r2I;d 9;aEeDip0;sh0;g 9ke0mDrD;e 2K;gLlJnHrFsEzzD;le0;h 2H;e Dm 1;aw3ba4up;d0isD;h 1;e Dl 11;aw3fI;ht ba4ure0;eInEsD;s 1;cFd D;fDo1X;or;e B;dQl 1;cHll Drm0t0O;apYbFd2in,oEtD;hrough;ff,ut,v7;a4ehi1S;e E;at0dge0nd Dy8;o1Mup;o09rD;ess 9op D;aw3bNin,o15;aShPlean 9oDross But 0T;me FoEuntD; o1M;k 1l6;aJbIforGin,oFtEuD;nd7;ogeth7;ut,v7;th,wD;ard;a4y;pDr19w3;art;eDipA;ck BeD;r 1;lJncel0rGsFtch EveA; in;o16up;h Bt6;ry EvD;e V;aw3o12;l Dm02;aDba4d2o10up;r0Vw3;a0He08l01oSrHuD;bbleFcklTilZlEndlTrn 05tDy 10zz6;t B;k 9; ov7;anMeaKiDush6;ghHng D;aEba4d2forDin,o5up;th;bo5lDr0Lw3;ong;teD;n 1;k D;d2in,o5up;ch0;arKgJil 9n8oGssFttlEunce Dx B;aw3ba4;e 9; ar0B;k Bt 1;e 1;d2up; d2;d 1;aIeed0oDurt0;cFw D;aw3ba4d2o5up;ck;k D;in,oK;ck0nk0st6; oJaGef 1nd D;d2ov7up;er;up;r0t D;d2in,oDup;ff,ut;ff,nD;to;ck Jil0nFrgEsD;h B;ainCe B;g BkC; on;in,o5; o5;aw3d2o5up;ay;cMdIsk Fuction6; oD;ff;arDo5;ouD;nd;d D;d2oDup;ff,n;own;t D;o5up;ut"},{}],226:[function(E,C){C.exports="'o,-,aLbIcHdGexcept,from,inFmidQnotwithstandiRoDpSqua,sCt7u4v2w0;/o,hereNith0;!in,oR;ersus,i0;a,s-a-vis;n1p0;!on;like,til;h1ill,o0;!wards;an,r0;ough0u;!oH;ans,ince,o that;',f0n1ut;!f;!to;espite,own,u3;hez,irca;ar1e0y;low,sides,tween;ri6;',bo7cross,ft6lo5m3propos,round,s1t0;!op;! long 0;as;id0ong0;!st;ng;er;ut"},{}],227:[function(E,C){C.exports="aLbIcHdEengineKfCgBhAinstructRjournalNlawyKm9nurse,o8p5r3s1t0;echnEherapM;ailPcientLecretary,oldiIu0;pervMrgeon;e0oofG;ceptionIsearE;hotographElumbEoli1r0sychologH;actitionDesideMogrammD;cem8t7;fficBpeH;echanic,inistAus5;airdress9ousekeep9;arden8uard;arm7ire0;fight6m2;eputy,iet0;ici0;an;arpent2lerk;ricklay1ut0;ch0;er;ccoun6d2ge7r0ssis6ttenda7;chitect,t0;ist;minist1v0;is1;rat0;or;ta0;nt"},{}],228:[function(E,C){C.exports="0:1M;1:1T;2:1U;a1Rb1Dc0Zd0Qfc dallas,g0Nhouston 0Mindiana0Ljacksonville jagua0k0Il0Fm02newVoRpKqueens parkJrIsAt5utah jazz,vancouver whitecaps,w3yY;ashington 3est ham0Xh16;natio21redski1wizar12;ampa bay 6e5o3;ronto 3ttenham hotspur;blu1Hrapto0;nnessee tita1xasD;buccanee0ra1G;a7eattle 5heffield0Qporting kansas13t3;. louis 3oke12;c1Srams;mari02s3;eah1IounI;cramento Sn 3;antonio spu0diego 3francisco gi0Bjose earthquak2;char0EpaB;eal salt lake,o04; ran0C;a8h5ittsburgh 4ortland t3;imbe0rail blaze0;pirat2steele0;il3oenix su1;adelphia 3li2;eagl2philNunE;dr2;akland 4klahoma city thunder,r3;i10lando magic;athle0Trai3;de0; 3castle05;england 6orleans 5york 3;city fc,giUje0Lkn02me0Lred bul19y3;anke2;pelica1sain0J;patrio0Irevolut3;ion;aBe9i3ontreal impact;ami 7lwaukee b6nnesota 3;t4u0Rvi3;kings;imberwolv2wi1;re0Cuc0W;dolphi1heat,marli1;mphis grizz3ts;li2;nchester 5r3vN;i3li1;ne0;c00u0H;a4eicesterYos angeles 3;clippe0dodFlaA; galaxy,ke0;ansas city 3nH;chiefs,ro3;ya0M; pace0polis colX;astr0Edynamo,rockeWtexa1;i4olden state warrio0reen bay pac3;ke0;anT;.c.Aallas 7e3i0Cod5;nver 5troit 3;lio1pisto1ti3;ge0;bronc06nuggeO;cowboUmav3;er3;ic06; uX;arCelNh8incinnati 6leveland 5ol3;orado r3umbus crew sc;api5ocki2;brow1cavalie0india1;benga03re3;ds;arlotte horCicago 3;b4cubs,fire,wh3;iteE;ea0ulY;di3olina panthe0;ff3naW; c3;ity;altimore ElAoston 7r3uffalo bilT;av2e5ooklyn 3;ne3;ts;we0;cel4red3; sox;tics;ackburn rove0u3;e ja3;ys;rs;ori3rave1;ol2;rizona Ast8tlanta 3;brav2falco1h4u3;nited;aw9;ns;es;on villa,r3;os;c5di3;amondbac3;ks;ardi3;na3;ls"},{}],229:[function(E,C){C.exports="0:1I;a1Nb1Hc18e11f0Ug0Qh0Ki0Hj0Gk0El09m00nZoYpSrPsCt8vi7w1;a5ea0Ci4o1;o2rld1;! seJ;d,l;ldlife,ne;rmth,t0;neg7ol0C;e3hund0ime,oothpaste,r1una;affTou1;ble,sers,t;a,nnis;aBceWeAh9il8now,o7p4te3u1;g1nshi0Q;ar;am,el;ace2e1;ciPed;!c16;ap,cc0ft0E;k,v0;eep,opp0T;riK;d0Afe0Jl1nd;m0Vt;aQe1i10;c1laxa0Hsearch;ogni0Grea0G;a5e3hys0JlastAo2r1;ess02ogre05;rk,w0;a1pp0trol;ce,nT;p0tiM;il,xygen;ews,oi0G;a7ea5i4o3u1;mps,s1;ic;nJo0C;lk,st;sl1t;es;chi1il,themat04;neF;aught0e3i2u1;ck,g0B;ghtn03quid,teratK;a1isJ;th0;elv1nowled08;in;ewel7usti09;ce,mp1nformaQtself;ati1ortan07;en06;a4ertz,isto3o1;ck1mework,n1spitaliL;ey;ry;ir,lib1ppi9;ut;o2r1um,ymnastL;a7ound;l1ssip;d,f;ahrenhe6i5lour,o2ru6urnit1;ure;od,rgive1wl;ne1;ss;c8sh;it;conomAduca6lectrici5n3quip4thAvery1;body,o1thC;ne;joy1tertain1;ment;ty;tiC;a8elcius,h4iv3loth6o1urrency;al,ffee,n1ttA;duct,fusi9;ics;aos,e1;e2w1;ing;se;ke,sh;a3eef,is2lood,read,utt0;er;on;g1ss;ga1;ge;dvi2irc1rt;raft;ce"},{}],230:[function(E,C){"use strict";const N=36,D="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ",_=D.split("").reduce(function(I,q,L){return I[q]=L,I},{});var V={toAlphaCode:function(I){if(D[I]!==void 0)return D[I];let q=1,L=N,W="";for(;I>=L;I-=L,q++,L*=N);for(;q--;){const K=I%N;W=String.fromCharCode((10>K?48:55)+K)+W,I=(I-K)/N}return W},fromAlphaCode:function(I){if(_[I]!==void 0)return _[I];let q=0,L=1,W=N,K=1;for(;L=q.length)&&(1===L?I===q[0]:q.slice(0,L)===I)},$=function(I){let q={};const L=function(W,K){let J=I.nodes[W];"!"===J[0]&&(q[K]=!0,J=J.slice(1));let R=J.split(/([A-Z0-9,]+)/g);for(let U=0;U{D[z]=N(D[z]),D[z].cache()}),Object.keys(_).forEach((z)=>{_[z]=N(_[z]),_[z].cache()});C.exports={lookup:function(z){if(_.uncountable.has(z))return"Noun";if(_.orgWords.has(z))return"Noun";for(let F=0;F{let $=D[F]._cache;const G=Object.keys($);for(let O=0;O (http://spencermounta.in)",name:"compromise",description:"natural language processing in the browser",version:"9.0.0",main:"./builds/compromise.js",repository:{type:"git",url:"git://github.com/nlp-compromise/compromise.git"},scripts:{test:"node ./scripts/test.js",browsertest:"node ./scripts/browserTest.js",build:"node ./scripts/build/index.js",demo:"node ./scripts/demo.js",watch:"node ./scripts/watch.js",filesize:"node ./scripts/filesize.js",coverage:"node ./scripts/coverage.js",lint:"node ./scripts/prepublish/linter.js"},files:["builds/","docs/"],dependencies:{},devDependencies:{"babel-preset-es2015":"^6.24.0",babelify:"7.3.0",babili:"0.0.11",browserify:"13.0.1","browserify-glob":"^0.2.0","bundle-collapser":"^1.2.1",chalk:"^1.1.3","codacy-coverage":"^2.0.0",derequire:"^2.0.3",efrt:"0.0.6",eslint:"^3.1.1",gaze:"^1.1.1","http-server":"0.9.0","nlp-corpus":"latest",nyc:"^8.4.0",shelljs:"^0.7.2","tap-min":"^1.1.0","tap-spec":"4.1.1",tape:"4.6.0","uglify-js":"2.7.0"},license:"MIT"}},{}],2:[function(e,t,r){"use strict";var n=e("../fns"),i={erate:"degen,delib,desp,lit,mod",icial:"artif,benef,off,superf",ntial:"esse,influe,pote,substa",teful:"gra,ha,tas,was",stant:"con,di,in,resi",hing:"astonis,das,far-reac,refres,scat,screec,self-loat,soot",eful:"car,grac,peac,sham,us,veng",ming:"alar,cal,glea,unassu,unbeco,upco",cial:"commer,cru,finan,ra,so,spe",ure:"insec,miniat,obsc,premat,sec,s",uent:"congr,fl,freq,subseq",rate:"accu,elabo,i,sepa",ific:"horr,scient,spec,terr",rary:"arbit,contempo,cont,tempo",ntic:"authe,fra,giga,roma",nant:"domi,malig,preg,reso",nent:"emi,immi,perma,promi",iant:"brill,def,g,luxur",ging:"dama,encoura,han,lon",iate:"appropr,immed,inappropr,intermed",rect:"cor,e,incor,indi",zing:"agoni,ama,appeti,free",ine:"div,femin,genu,mascul,prist,rout",ute:"absol,ac,c,m,resol",ern:"east,north,south,st,west",tful:"deligh,doub,fre,righ,though,wis",ant:"abund,arrog,eleg,extravag,exult,hesit,irrelev,miscre,nonchal,obeis,observ,pl,pleas,redund,relev,reluct,signific,vac,verd",ing:"absorb,car,coo,liv,lov,ly,menac,perplex,shock,stand,surpris,tell,unappeal,unconvinc,unend,unsuspect,vex,want",ate:"adequ,delic,fortun,inadequ,inn,intim,legitim,priv,sed,ultim"},a=["absurd","aggressive","alert","alive","angry","attractive","awesome","beautiful","big","bitter","black","blue","bored","boring","brash","brave","brief","brown","calm","charming","cheap","check","clean","clear","close","cold","cool","cruel","curly","cute","dangerous","dear","dirty","drunk","dry","dull","eager","early","easy","efficient","empty","even","extreme","faint","fair","fanc","feeble","few","fierce","fine","firm","forgetful","formal","frail","free","full","funny","gentle","glad","glib","glad","grand","green","gruesome","handsome","happy","harsh","heavy","high","hollow","hot","hungry","impolite","important","innocent","intellegent","interesting","keen","kind","lame","large","late","lean","little","long","loud","low","lucky","lush","macho","mature","mean","meek","mellow","mundane","narrow","near","neat","new","nice","noisy","normal","odd","old","orange","pale","pink","plain","poor","proud","pure","purple","rapid","rare","raw","rich","rotten","round","rude","safe","scarce","scared","shallow","shrill","simple","slim","slow","small","smooth","solid","soon","sore","sour","square","stale","steep","strange","strict","strong","swift","tall","tame","tart","tender","tense","thin","thirsty","tired","true","vague","vast","vulgar","warm","weird","wet","wild","windy","wise","yellow","young"];t.exports=n.uncompress_suffixes(a,i)},{"../fns":5}],3:[function(e,t,r){"use strict";t.exports=["bright","broad","coarse","damp","dark","dead","deaf","deep","fast","fat","flat","fresh","great","hard","light","loose","mad","moist","quick","quiet","red","ripe","rough","sad","sharp","short","sick","smart","soft","stiff","straight","sweet","thick","tight","tough","weak","white","wide"]},{}],4:[function(e,t,r){"use strict";var n,i,a,s,o,u=["january","february","april","june","july","august","september","october","november","december","jan","feb","mar","apr","jun","jul","aug","sep","oct","nov","dec","sept","sep"],l=["monday","tuesday","wednesday","thursday","friday","saturday","sunday","mon","tues","wed","thurs","fri","sat","sun"];for(n=0;6>=n;n++)l.push(l[n]+"s");for(i=["millisecond","minute","hour","day","week","month","year","decade"],a=i.length,s=0;a>s;s++)i.push(i[s]),i.push(i[s]+"s");i.push("century"),i.push("centuries"),i.push("seconds"),o=["yesterday","today","tomorrow","weekend","tonight"],t.exports={days:l,months:u,durations:i,relative:o}},{}],5:[function(e,t,r){"use strict";r.extendObj=function(e,t){return Object.keys(t).forEach(function(r){e[r]=t[r]}),e},r.uncompress_suffixes=function(e,t){var r,n,i,a=Object.keys(t),s=a.length;for(r=0;s>r;r++)for(n=t[a[r]].split(","),i=0;ir;r++)l[e[r]]=t},m=i.units.words.filter(function(e){return e.length>1});h(m,"Unit"),h(i.dates.durations,"Duration"),c(i.abbreviations),n=i.numbers.ordinal,h(Object.keys(n.ones),"Ordinal"),h(Object.keys(n.teens),"Ordinal"),h(Object.keys(n.tens),"Ordinal"),h(Object.keys(n.multiples),"Ordinal"),n=i.numbers.cardinal,h(Object.keys(n.ones),"Cardinal"),h(Object.keys(n.teens),"Cardinal"),h(Object.keys(n.tens),"Cardinal"),h(Object.keys(n.multiples),"Cardinal"),h(Object.keys(i.numbers.prefixes),"Cardinal"),h(Object.keys(i.irregular_plurals.toPlural),"Singular"),h(Object.keys(i.irregular_plurals.toSingle),"Plural"),h(i.dates.days,"WeekDay"),h(i.dates.months,"Month"),h(i.dates.relative,"RelativeDay"),Object.keys(i.irregular_verbs).forEach(function(e){var t,r;l[e]="Infinitive",t=i.irregular_verbs[e],Object.keys(t).forEach(function(e){t[e]&&(l[t[e]]=e)}),r=u(e),Object.keys(r).forEach(function(e){r[e]&&!l[r[e]]&&(l[r[e]]=e)})}),i.verbs.forEach(function(e){var t=u(e);Object.keys(t).forEach(function(e){t[e]&&!l[t[e]]&&(l[t[e]]=e)}),l[o(e)]="Adjective"}),i.superlatives.forEach(function(e){l[s.toNoun(e)]="Noun",l[s.toAdverb(e)]="Adverb",l[s.toSuperlative(e)]="Superlative",l[s.toComparative(e)]="Comparative"}),i.verbConverts.forEach(function(e){var t,r;l[s.toNoun(e)]="Noun",l[s.toAdverb(e)]="Adverb",l[s.toSuperlative(e)]="Superlative",l[s.toComparative(e)]="Comparative",t=s.toVerb(e),l[t]="Verb",r=u(t),Object.keys(r).forEach(function(e){r[e]&&!l[r[e]]&&(l[r[e]]=e)})}),h(i.notable_people.female,"FemaleName"),h(i.notable_people.male,"MaleName"),h(i.titles,"Singular"),h(i.verbConverts,"Adjective"),h(i.superlatives,"Adjective"),h(i.currencies,"Currency"),c(i.misc),delete l[""],delete l[" "],delete l[null],t.exports=l},{"../result/subset/adjectives/methods":42,"../result/subset/verbs/methods/conjugate/faster":104,"../result/subset/verbs/methods/toAdjective":114,"./fns":5,"./index":6}],8:[function(e,t,r){"use strict";t.exports=["this","any","enough","each","whatever","every","these","another","plenty","whichever","neither","an","a","least","own","few","both","those","the","that","various","either","much","some","else","la","le","les","des","de","du","el"]},{}],9:[function(e,t,r){"use strict";var n,i,a,s={here:"Noun",better:"Comparative",earlier:"Superlative","make sure":"Verb","keep tabs":"Verb",gonna:"Verb",cannot:"Verb",has:"Verb",sounds:"PresentTense",taken:"PastTense",msg:"Verb","a few":"Value","years old":"Unit",not:"Negative",non:"Negative",never:"Negative",no:"Negative","no doubt":"Noun","not only":"Adverb","how's":"QuestionWord"},o={Organization:["20th century fox","3m","7-eleven","g8","motel 6","vh1"],Adjective:["so called","on board","vice versa","en route","upside down","up front","in front","in situ","in vitro","ad hoc","de facto","ad infinitum","for keeps","a priori","off guard","spot on","ipso facto","fed up","brand new","old fashioned","bona fide","well off","far off","straight forward","hard up","sui generis","en suite","avant garde","sans serif","gung ho","super duper","bourgeois"],Verb:["lengthen","heighten","worsen","lessen","awaken","frighten","threaten","hasten","strengthen","given","known","shown","seen","born"],Place:["new england","new hampshire","new jersey","new mexico","united states","united kingdom","great britain","great lakes","pacific ocean","atlantic ocean","indian ocean","arctic ocean","antarctic ocean","everglades"],Conjunction:["yet","therefore","or","while","nor","whether","though","tho","because","cuz","but","for","and","however","before","although","how","plus","versus","otherwise","as far as","as if","in case","provided that","supposing","no matter","yet"],Time:["noon","midnight","now","morning","evening","afternoon","night","breakfast time","lunchtime","dinnertime","ago","sometime","eod","oclock","all day","at night"],Date:["eom","standard time","daylight time"],Condition:["if","unless","notwithstanding"],PastTense:["said","had","been","began","came","did","meant","went"],Gerund:["going","being","according","resulting","developing","staining"],Copula:["is","are","was","were","am"],Determiner:e("./determiners"),Modal:["can","may","could","might","will","ought to","would","must","shall","should","ought","shant","lets"],Possessive:["mine","something","none","anything","anyone","theirs","himself","ours","his","my","their","yours","your","our","its","herself","hers","themselves","myself","her"],Pronoun:["it","they","i","them","you","she","me","he","him","ourselves","us","we","thou","il","elle","yourself","'em","he's","she's"],QuestionWord:["where","why","when","who","whom","whose","what","which"],Person:["father","mother","mom","dad","mommy","daddy","sister","brother","aunt","uncle","grandfather","grandmother","cousin","stepfather","stepmother","boy","girl","man","woman","guy","dude","bro","gentleman","someone"]},u=Object.keys(o);for(n=0;nn;n++)s[a[n]]?a.push(s[a[n]]):a.push(a[n]+"s");t.exports=i.concat(a)},{}],15:[function(e,t,r){"use strict";var n={ones:{zero:0,one:1,two:2,three:3,four:4,five:5,six:6,seven:7,eight:8,nine:9},teens:{ten:10,eleven:11,twelve:12,thirteen:13,fourteen:14,fifteen:15,sixteen:16,seventeen:17,eighteen:18,nineteen:19},tens:{twenty:20,thirty:30,forty:40,fifty:50,sixty:60,seventy:70,eighty:80,ninety:90},multiples:{hundred:100,thousand:1e3,grand:1e3,million:1e6,billion:1e9,trillion:1e12,quadrillion:1e15,quintillion:1e18,sextillion:1e21,septillion:1e24}},i={ones:{zeroth:0,first:1,second:2,third:3,fourth:4,fifth:5,sixth:6,seventh:7,eighth:8,ninth:9},teens:{tenth:10,eleventh:11,twelfth:12,thirteenth:13,fourteenth:14,fifteenth:15,sixteenth:16,seventeenth:17,eighteenth:18,nineteenth:19},tens:{twentieth:20,thirtieth:30,fourtieth:40,fiftieth:50,sixtieth:60,seventieth:70,eightieth:80,ninetieth:90},multiples:{hundredth:100,thousandth:1e3,millionth:1e6,billionth:1e9,trillionth:1e12,quadrillionth:1e15,quintillionth:1e18,sextillionth:1e21,septillionth:1e24}},a={yotta:1,zetta:1,exa:1,peta:1,tera:1,giga:1,mega:1,kilo:1,hecto:1,deka:1,deci:1,centi:1,milli:1,micro:1,nano:1,pico:1,femto:1,atto:1,zepto:1,yocto:1,square:1,cubic:1,quartic:1};t.exports={cardinal:n,ordinal:i,prefixes:a}},{}],16:[function(e,t,r){"use strict";var n=e("./numbers"),i={},a={};Object.keys(n.ordinal).forEach(function(e){var t,r=Object.keys(n.ordinal[e]),s=Object.keys(n.cardinal[e]);for(t=0;t1&&(i[t]=!0);var r=n[e][t];i[r]=!0,i[r+"s"]=!0})}),i=Object.keys(i),t.exports={words:i,units:n}},{}],18:[function(e,t,r){"use strict";var n=e("./participles"),i={take:{PerfectTense:"have taken",pluPerfectTense:"had taken",FuturePerfect:"will have taken"},can:{Gerund:"",PresentTense:"can",PastTense:"could",FutureTense:"can",PerfectTense:"could",pluPerfectTense:"could",FuturePerfect:"can",Actor:""},free:{Gerund:"freeing",Actor:""},puke:{Gerund:"puking"},arise:{PastTense:"arose",Participle:"arisen"},babysit:{PastTense:"babysat",Actor:"babysitter"},be:{PastTense:"was",Participle:"been",PresentTense:"is",Actor:"",Gerund:"am"},is:{PastTense:"was",PresentTense:"is",Actor:"",Gerund:"being"},beat:{Gerund:"beating",Actor:"beater",Participle:"beaten"},begin:{Gerund:"beginning",PastTense:"began"},ban:{PastTense:"banned",Gerund:"banning",Actor:""},bet:{Actor:"better"},bite:{Gerund:"biting",PastTense:"bit"},bleed:{PastTense:"bled"},breed:{PastTense:"bred"},bring:{PastTense:"brought"},broadcast:{PastTense:"broadcast"},build:{PastTense:"built"},buy:{PastTense:"bought"},choose:{Gerund:"choosing",PastTense:"chose"},cost:{PastTense:"cost"},deal:{PastTense:"dealt"},die:{PastTense:"died",Gerund:"dying"},dig:{Gerund:"digging",PastTense:"dug"},draw:{PastTense:"drew"},drink:{PastTense:"drank",Participle:"drunk"},drive:{Gerund:"driving",PastTense:"drove"},eat:{Gerund:"eating",PastTense:"ate",Actor:"eater",Participle:"eaten"},fall:{PastTense:"fell"},feed:{PastTense:"fed"},feel:{PastTense:"felt",Actor:"feeler"},fight:{PastTense:"fought"},find:{PastTense:"found"},fly:{PastTense:"flew",Participle:"flown"},blow:{PastTense:"blew",Participle:"blown"},forbid:{PastTense:"forbade"},forget:{Gerund:"forgeting",PastTense:"forgot"},forgive:{Gerund:"forgiving",PastTense:"forgave"},freeze:{Gerund:"freezing",PastTense:"froze"},get:{PastTense:"got"},give:{Gerund:"giving",PastTense:"gave"},go:{PastTense:"went",PresentTense:"goes"},hang:{PastTense:"hung"},have:{Gerund:"having",PastTense:"had",PresentTense:"has"},hear:{PastTense:"heard"},hide:{PastTense:"hid"},hold:{PastTense:"held"},hurt:{PastTense:"hurt"},lay:{PastTense:"laid"},lead:{PastTense:"led"},leave:{PastTense:"left"},lie:{Gerund:"lying",PastTense:"lay"},light:{PastTense:"lit"},lose:{Gerund:"losing",PastTense:"lost"},make:{PastTense:"made"},mean:{PastTense:"meant"},meet:{Gerund:"meeting",PastTense:"met",Actor:"meeter"},pay:{PastTense:"paid"},read:{PastTense:"read"},ring:{PastTense:"rang"},rise:{PastTense:"rose",Gerund:"rising",pluPerfectTense:"had risen",FuturePerfect:"will have risen"},run:{Gerund:"running",PastTense:"ran"},say:{PastTense:"said"},see:{PastTense:"saw"},sell:{PastTense:"sold"},shine:{PastTense:"shone"},shoot:{PastTense:"shot"},show:{PastTense:"showed"},sing:{PastTense:"sang",Participle:"sung"},sink:{PastTense:"sank",pluPerfectTense:"had sunk"},sit:{PastTense:"sat"},slide:{PastTense:"slid"},speak:{PastTense:"spoke",PerfectTense:"have spoken",pluPerfectTense:"had spoken",FuturePerfect:"will have spoken"},spin:{Gerund:"spinning",PastTense:"spun"},stand:{PastTense:"stood"},steal:{PastTense:"stole",Actor:"stealer"},stick:{PastTense:"stuck"},sting:{PastTense:"stung"},stream:{Actor:"streamer"},strike:{Gerund:"striking",PastTense:"struck"},swear:{PastTense:"swore"},swim:{PastTense:"swam",Gerund:"swimming"},swing:{PastTense:"swung"},teach:{PastTense:"taught",PresentTense:"teaches"},tear:{PastTense:"tore"},tell:{PastTense:"told"},think:{PastTense:"thought"},understand:{PastTense:"understood"},wake:{PastTense:"woke"},wear:{PastTense:"wore"},win:{Gerund:"winning",PastTense:"won"},withdraw:{PastTense:"withdrew"},write:{Gerund:"writing",PastTense:"wrote",Participle:"written"},tie:{Gerund:"tying",PastTense:"tied"},ski:{PastTense:"skiied"},boil:{Actor:"boiler"},miss:{PresentTense:"miss"},act:{Actor:"actor"},compete:{Gerund:"competing",PastTense:"competed",Actor:"competitor"},being:{Gerund:"are",PastTense:"were",PresentTense:"are"},imply:{PastTense:"implied",PresentTense:"implies"},ice:{Gerund:"icing",PastTense:"iced"},develop:{PastTense:"developed",Actor:"developer",Gerund:"developing"},wait:{Gerund:"waiting",PastTense:"waited",Actor:"waiter"},aim:{Actor:"aimer"},spill:{PastTense:"spilt"},drop:{Gerund:"dropping",PastTense:"dropped"},log:{Gerund:"logging",PastTense:"logged"},rub:{Gerund:"rubbing",PastTense:"rubbed"},smash:{PresentTense:"smashes"},suit:{Gerund:"suiting",PastTense:"suited",Actor:"suiter"}},a=[["break",{PastTense:"broke"}],["catch",{PastTense:"caught"}],["do",{PastTense:"did",PresentTense:"does"}],["bind",{PastTense:"bound"}],["spread",{PastTense:"spread"}]];a.forEach(function(e){i[e[0]]=e[1]}),Object.keys(n).forEach(function(e){i[e]?i[e].Participle=n[e]:i[e]={Participle:n[e]}}),t.exports=i},{"./participles":19}],19:[function(e,t,r){"use strict";t.exports={become:"become",begin:"begun",bend:"bent",bet:"bet",bite:"bitten",bleed:"bled",brake:"broken",bring:"brought",build:"built",burn:"burned",burst:"burst",buy:"bought",choose:"chosen",cling:"clung",come:"come",creep:"crept",cut:"cut",deal:"dealt",dig:"dug",dive:"dived",draw:"drawn",dream:"dreamt",drive:"driven",eat:"eaten",fall:"fallen",feed:"fed",fight:"fought",flee:"fled",fling:"flung",forget:"forgotten",forgive:"forgiven",freeze:"frozen",got:"gotten",give:"given",go:"gone",grow:"grown",hang:"hung",have:"had",hear:"heard",hide:"hidden",hit:"hit",hold:"held",hurt:"hurt",keep:"kept",kneel:"knelt",know:"known",lay:"laid",lead:"led",leap:"leapt",leave:"left",lend:"lent",light:"lit",loose:"lost",make:"made",mean:"meant",meet:"met",pay:"paid",prove:"proven",put:"put",quit:"quit",read:"read",ride:"ridden",ring:"rung",rise:"risen",run:"run",say:"said",see:"seen",seek:"sought",sell:"sold",send:"sent",set:"set",sew:"sewn",shake:"shaken",shave:"shaved",shine:"shone",shoot:"shot",shut:"shut",seat:"sat",slay:"slain",sleep:"slept",slide:"slid",sneak:"snuck",speak:"spoken",speed:"sped",spend:"spent",spill:"spilled",spin:"spun",spit:"spat",split:"split",spring:"sprung",stink:"stunk",strew:"strewn",sware:"sworn",sweep:"swept",thrive:"thrived",undergo:"undergone",upset:"upset",weave:"woven",weep:"wept",wind:"wound",wring:"wrung"}},{}],20:[function(e,t,r){"use strict";var n=e("../fns"),i={prove:",im,ap,disap",serve:",de,ob,re",ress:"exp,p,prog,st,add,d",lect:"ref,se,neg,col,e",sist:"in,con,per,re,as",tain:"ob,con,main,s,re",mble:"rese,gru,asse,stu",ture:"frac,lec,tor,fea",port:"re,sup,ex,im",ate:"rel,oper,indic,cre,h,activ,estim,particip,d,anticip,evalu",use:",ca,over,ref,acc,am,pa",ive:"l,rece,d,arr,str,surv,thr,rel",are:"prep,c,comp,sh,st,decl,d,sc",ine:"exam,imag,determ,comb,l,decl,underm,def",nce:"annou,da,experie,influe,bou,convi,enha",ain:"tr,rem,expl,dr,compl,g,str",ent:"prev,repres,r,res,rel,inv",age:"dam,mess,man,encour,eng,discour",rge:"su,cha,eme,u,me",ise:"ra,exerc,prom,surpr,pra",ect:"susp,dir,exp,def,rej",ter:"en,mat,cen,ca,al",end:",t,dep,ext,att",est:"t,sugg,prot,requ,r",ock:"kn,l,sh,bl,unl",nge:"cha,excha,ra,challe,plu",ase:"incre,decre,purch,b,ce",ish:"establ,publ,w,fin,distingu",mit:"per,ad,sub,li",ure:"fig,ens,end,meas",der:"won,consi,mur,wan",ave:"s,sh,w,cr",ire:"requ,des,h,ret",tch:"scra,swi,ma,stre",ack:"att,l,p,cr",ion:"ment,quest,funct,envis",ump:"j,l,p,d",ide:"dec,prov,gu,s",ush:"br,cr,p,r",eat:"def,h,tr,ch",ash:"sm,spl,w,fl",rry:"ca,ma,hu,wo",ear:"app,f,b,disapp",er:"answ,rememb,off,suff,cov,discov,diff,gath,deliv,both,empow,with",le:"fi,sett,hand,sca,whist,enab,smi,ming,ru,sprink,pi",st:"exi,foreca,ho,po,twi,tru,li,adju,boa,contra,boo",it:"vis,ed,depos,sp,awa,inhib,cred,benef,prohib,inhab",nt:"wa,hu,pri,poi,cou,accou,confro,warra,pai",ch:"laun,rea,approa,sear,tou,ar,enri,atta",ss:"discu,gue,ki,pa,proce,cro,glo,dismi",ll:"fi,pu,ki,ca,ro,sme,reca,insta",rn:"tu,lea,conce,retu,bu,ea,wa,gove",ce:"redu,produ,divor,noti,for,repla",te:"contribu,uni,tas,vo,no,constitu,ci",rt:"sta,comfo,exe,depa,asse,reso,conve",ck:"su,pi,che,ki,tri,wre",ct:"intera,restri,predi,attra,depi,condu",ke:"sta,li,bra,overta,smo,disli",se:"collap,suppo,clo,rever,po,sen",nd:"mi,surrou,dema,remi,expa,comma",ve:"achie,invol,remo,lo,belie,mo",rm:"fo,perfo,confi,confo,ha",or:"lab,mirr,fav,monit,hon",ue:"arg,contin,val,iss,purs",ow:"all,foll,sn,fl,borr",ay:"pl,st,betr,displ,portr",ze:"recogni,reali,snee,ga,emphasi",ip:"cl,d,gr,sl,sk",re:"igno,sto,interfe,sco",ng:"spri,ba,belo,cli",ew:"scr,vi,revi,ch",gh:"cou,lau,outwei,wei",ly:"app,supp,re,multip",ge:"jud,acknowled,dod,alle",en:"list,happ,threat,strength",ee:"fors,agr,disagr,guarant",et:"budg,regr,mark,targ",rd:"rega,gua,rewa,affo",am:"dre,j,sl,ro",ry:"va,t,c,bu"},a=["abandon","accept","add","added","adopt","aid","appeal","applaud","archive","ask","assign","associate","assume","attempt","avoid","ban","become","bomb","cancel","claim","claw","come","control","convey","cook","copy","cut","deem","defy","deny","describe","design","destroy","die","divide","do","doubt","drag","drift","drop","echo","embody","enjoy","envy","excel","fall","fail","fix","float","flood","focus","fold","get","goes","grab","grasp","grow","happen","head","help","hold fast","hope","include","instruct","invest","join","keep","know","learn","let","lift","link","load","loan","look","make due","mark","melt","minus","multiply","need","occur","overcome","overlap","overwhelm","owe","pay","plan","plug","plus","pop","pour","proclaim","put","rank","reason","reckon","relax","repair","reply","reveal","revel","risk","rub","ruin","sail","seek","seem","send","set","shout","sleep","sneak","sort","spoil","stem","step","stop","study","take","talk","thank","took","trade","transfer","trap","travel","tune","undergo","undo","uplift","walk","watch","win","wipe","work","yawn","yield"];t.exports=n.uncompress_suffixes(a,i)},{"../fns":5}],21:[function(e,t,r){"use strict";var n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},i=e("./tagset"),a={reset:"",red:"",green:"",yellow:"",blue:"",magenta:"",cyan:"",black:""};void 0===t&&Object.keys(a).forEach(function(e){a[e]=""}),r.ensureString=function(e){return"string"==typeof e?e:"number"==typeof e?""+e:""},r.ensureObject=function(e){return"object"!==(void 0===e?"undefined":n(e))?{}:null===e||e instanceof Array?{}:e},r.titleCase=function(e){return e.charAt(0).toUpperCase()+e.substr(1)},r.copy=function(e){var t={};return e=r.ensureObject(e),Object.keys(e).forEach(function(r){t[r]=e[r]}),t},r.extend=function(e,t){var n,i;for(e=r.copy(e),n=Object.keys(t),i=0;i "+i.printTag(t),n=i.leftPad(n,54),console.log(" "+n+"("+i.cyan(r||"")+")")}},unTag:function(e,t,r){if(a===!0||"tagger"===a){var n="-"+e.normal+"-";n=i.red(n),n=i.leftPad(n,20),n+=" ~* "+i.red(t),n=i.leftPad(n,54), -console.log(" "+n+"("+i.red(r||"")+")")}}}},{"../fns":21}],24:[function(e,t,r){"use strict";var n=e("./index"),i=e("./tokenize"),a=e("./paths"),s=a.Terms,o=a.fns,u=e("../term/methods/normalize/normalize").normalize,l=function(e){return e=e||{},Object.keys(e).reduce(function(t,r){t[r]=e[r];var n=u(r);return n=n.replace(/\s+/," "),n=n.replace(/[.\?\!]/g,""),r!==n&&(t[n]=e[r]),t},{})},c=function(e,t){var r,a,u=[];return o.isArray(e)?u=e:(e=o.ensureString(e),u=i(e)),t=l(t),r=u.map(function(e){return s.fromString(e,t)}),a=new n(r,t),a.list.forEach(function(e){e.refText=a}),a};t.exports=c},{"../term/methods/normalize/normalize":175,"./index":26,"./paths":38,"./tokenize":120}],25:[function(e,t,r){"use strict";t.exports={found:function(){return this.list.length>0},parent:function(){return this.reference||this},length:function(){return this.list.length},isA:function(){return"Text"},whitespace:function(){var e=this;return{before:function(t){return e.list.forEach(function(e){e.whitespace.before(t)}),e},after:function(t){return e.list.forEach(function(e){e.whitespace.after(t)}),e}}}}},{}],26:[function(e,t,r){"use strict";function n(e,t,r){var n,i;for(this.list=e||[],this.lexicon=t,this.reference=r,n=Object.keys(a),i=0;i0?r.whitespace.before=" ":0===t&&(r.whitespace.before=""),r.whitespace.after=""}),e},case:function(e){return e.list.forEach(function(e){e.terms.forEach(function(t,r){0===r||t.tags.Person||t.tags.Place||t.tags.Organization?e.toTitleCase():e.toLowerCase()})}),e},numbers:function(e){return e.values().toNumber()},punctuation:function(e){return e.list.forEach(function(e){var t,r,n;for(e.terms[0]._text=e.terms[0]._text.replace(/^¿/,""),t=0;t"},"");return" "+e+"\n"},terms:function(e){var t=[];return e.list.forEach(function(e){e.terms.forEach(function(e){t.push({text:e.text,normal:e.normal,tags:Object.keys(e.tags)})})}),t},debug:function(e){return console.log("===="),e.list.forEach(function(e){console.log(" --"),e.debug()}),e},topk:function(e){return i(e)}};o.plaintext=o.text,o.normalized=o.normal,o.colors=o.color,o.tags=o.terms,o.offset=o.offsets,o.idexes=o.index,o.frequency=o.topk,o.freq=o.topk,o.arr=o.array,n=function(e){return e.prototype.out=function(e){return o[e]?o[e](this):o.text(this)},e.prototype.debug=function(){return o.debug(this)},e},t.exports=n},{"./indexes":32,"./offset":33,"./topk":34}],32:[function(e,t,r){"use strict";var n=function(e){var t,r,n=[],i={};return e.terms().list.forEach(function(e){i[e.terms[0].uid]=!0}),t=0,r=e.all(),r.list.forEach(function(e,r){e.terms.forEach(function(e,a){void 0!==i[e.uid]&&n.push({text:e.text,normal:e.normal,term:t,sentence:r,sentenceTerm:a}),t+=1})}),n};t.exports=n},{}],33:[function(e,t,r){"use strict";var n=function(e,t){var r,n,i,a=0;for(r=0;rt.count?-1:1}),t&&(r=r.splice(0,t)),r};t.exports=n},{}],35:[function(e,t,r){"use strict";var n=e("./methods"),i=function(e){var t={sort:function(t){return t=t||"alphabetical",t=t.toLowerCase(),t&&"alpha"!==t&&"alphabetical"!==t?"chron"===t||"chronological"===t?n.chron(this,e):"length"===t?n.lengthFn(this,e):"freq"===t||"frequency"===t?n.freq(this,e):"wordcount"===t?n.wordCount(this,e):this:n.alpha(this,e)},reverse:function(){return this.list=this.list.reverse(),this},unique:function(){var e={};return this.list=this.list.filter(function(t){var r=t.out("root");return!e[r]&&(e[r]=!0,!0)}),this}};return e.addMethods(e,t),e};t.exports=i},{"./methods":36}],36:[function(e,t,r){"use strict";var n=function(e){return e=e.sort(function(e,t){return e.index>t.index?1:e.index===t.index?0:-1}),e.map(function(e){return e.ts})};r.alpha=function(e){return e.list.sort(function(e,t){if(e===t)return 0;if(e.terms[0]&&t.terms[0]){if(e.terms[0].root>t.terms[0].root)return 1;if(e.terms[0].roott.out("root")?1:-1}),e},r.chron=function(e){var t=e.list.map(function(e){return{ts:e,index:e.termIndex()}});return e.list=n(t),e},r.lengthFn=function(e){var t=e.list.map(function(e){return{ts:e,index:e.chars()}});return e.list=n(t).reverse(),e},r.wordCount=function(e){var t=e.list.map(function(e){return{ts:e,index:e.length}});return e.list=n(t),e},r.freq=function(e){var t,r={};return e.list.forEach(function(e){var t=e.out("root");r[t]=r[t]||0,r[t]+=1}),t=e.list.map(function(e){var t=r[e.out("root")]||0;return{ts:e,index:t*-1}}),e.list=n(t),e}},{}],37:[function(e,t,r){"use strict";var n=function(e){var t={splitAfter:function(e,t){var r=[];return this.list.forEach(function(n){n.splitAfter(e,t).forEach(function(e){r.push(e)})}),this.list=r,this},splitBefore:function(e,t){var r=[];return this.list.forEach(function(n){n.splitBefore(e,t).forEach(function(e){r.push(e)})}),this.list=r,this},splitOn:function(e,t){var r=[];return this.list.forEach(function(n){n.splitOn(e,t).forEach(function(e){r.push(e)})}),this.list=r,this}};return e.addMethods(e,t),e};t.exports=n},{}],38:[function(e,t,r){"use strict";t.exports={fns:e("../fns"),data:e("../data"),Terms:e("../terms"),tags:e("../tagset")}},{"../data":6,"../fns":21,"../tagset":163,"../terms":189}],39:[function(e,t,r){"use strict";var n=e("../../index"),i={data:function(){return this.terms().list.map(function(e){var t=e.terms[0],r=t.text.toUpperCase().replace(/\./g).split("");return{periods:r.join("."),normal:r.join(""),text:t.text}})}},a=function(e,t){return e=e.match("#Acronym"),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(i,a)},{"../../index":26}],40:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./methods"),a={data:function(){var e=this;return this.list.map(function(t){var r=t.out("normal");return{comparative:i.toComparative(r),superlative:i.toSuperlative(r),adverbForm:i.toAdverb(r),nounForm:i.toNoun(r),verbForm:i.toVerb(r),normal:r,text:e.out("text")}})}},s=function(e,t){return e=e.match("#Adjective"),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./methods":42}],41:[function(e,t,r){"use strict";var n=e("../../../../data"),i={};n.superlatives=n.superlatives||[],n.superlatives.forEach(function(e){i[e]=!0}),n.verbConverts=n.verbConverts||[],n.verbConverts.forEach(function(e){i[e]=!0}),t.exports=i},{"../../../../data":6}],42:[function(e,t,r){"use strict";t.exports={toNoun:e("./toNoun"),toSuperlative:e("./toSuperlative"),toComparative:e("./toComparative"),toAdverb:e("./toAdverb"),toVerb:e("./toVerb")}},{"./toAdverb":43,"./toComparative":44,"./toNoun":45,"./toSuperlative":46,"./toVerb":47}],43:[function(e,t,r){"use strict";var n=function(e){var t,r,n={idle:"idly",public:"publicly",vague:"vaguely",day:"daily",icy:"icily",single:"singly",female:"womanly",male:"manly",simple:"simply",whole:"wholly",special:"especially",straight:"straight",wrong:"wrong",fast:"fast",hard:"hard",late:"late",early:"early",well:"well",good:"well",little:"little",long:"long",low:"low",best:"best",latter:"latter",bad:"badly"},i={foreign:1,black:1,modern:1,next:1,difficult:1,degenerate:1,young:1,awake:1,back:1,blue:1,brown:1,orange:1,complex:1,cool:1,dirty:1,done:1,empty:1,fat:1,fertile:1,frozen:1,gold:1,grey:1,gray:1,green:1,medium:1,parallel:1,outdoor:1,unknown:1,undersized:1,used:1,welcome:1,yellow:1,white:1,fixed:1,mixed:1,super:1,guilty:1,tiny:1,able:1,unable:1,same:1,adult:1},a=[{reg:/al$/i,repl:"ally"},{reg:/ly$/i,repl:"ly"},{reg:/(.{3})y$/i,repl:"$1ily"},{reg:/que$/i,repl:"quely"},{reg:/ue$/i,repl:"uly"},{reg:/ic$/i,repl:"ically"},{reg:/ble$/i,repl:"bly"},{reg:/l$/i,repl:"ly"}],s=[/airs$/,/ll$/,/ee.$/,/ile$/];if(1===i[e])return null;if(void 0!==n[e])return n[e];if(e.length<=3)return null;for(t=0;te&&e>0)},o=function(e){return!!(e&&e>1e3&&3e3>e)},u=function(e){var t,r,u,l,c,h,m={month:null,date:null,weekday:null,year:null,named:null,time:null},f=e.match("(#Holiday|today|tomorrow|yesterday)");return f.found&&(m.named=f.out("normal")),f=e.match("#Month"),f.found&&(m.month=a.index(f.list[0].terms[0])),f=e.match("#WeekDay"),f.found&&(m.weekday=i.index(f.list[0].terms[0])),f=e.match("#Time"),f.found&&(m.time=n(e),e.not("#Time")),f=e.match("#Month #Value #Year"),f.found&&(t=f.values().numbers(),s(t[0])&&(m.date=t[0]),r=parseInt(e.match("#Year").out("normal"),10),o(r)&&(m.year=r)),f.found||(f=e.match("#Month #Value"),f.found&&(u=f.values().numbers(),l=u[0],s(l)&&(m.date=l)),f=e.match("#Month #Year"),f.found&&(c=parseInt(e.match("#Year").out("normal"),10),o(c)&&(m.year=c))),f=e.match("#Value of #Month"),f.found&&(h=f.values().numbers()[0],s(h)&&(m.date=h)),m};t.exports=u},{"./month":58,"./parseTime":60,"./weekday":62}],60:[function(e,t,r){"use strict";var n=/([12]?[0-9]) ?(am|pm)/i,i=/([12]?[0-9]):([0-9][0-9]) ?(am|pm)?/i,a=function(e){return!!(e&&e>0&&25>e)},s=function(e){return!!(e&&e>0&&60>e)},o=function(e){var t,r={logic:null,hour:null,minute:null,second:null,timezone:null},o=e.match("(by|before|for|during|at|until|after) #Time").firstTerm();return o.found&&(r.logic=o.out("normal")),t=e.match("#Time"),t.terms().list.forEach(function(e){var t=e.terms[0],o=t.text.match(n);null!==o&&(r.hour=parseInt(o[1],10),"pm"===o[2]&&(r.hour+=12),a(r.hour)===!1&&(r.hour=null)),o=t.text.match(i),null!==o&&(r.hour=parseInt(o[1],10),r.minute=parseInt(o[2],10),s(r.minute)||(r.minute=null),"pm"===o[3]&&(r.hour+=12),a(r.hour)===!1&&(r.hour=null))}),r};t.exports=o},{}],61:[function(e,t,r){"use strict";r.longDays={sunday:0,monday:1,tuesday:2,wednesday:3,thursday:4,friday:5,saturday:6},r.shortDays={sun:0,mon:1,tues:2,wed:3,thurs:4,fri:5,sat:6}},{}],62:[function(e,t,r){"use strict";var n=e("./data"),i=n.shortDays,a=n.longDays;t.exports={index:function(e){if(e.tags.WeekDay){if(void 0!==a[e.normal])return a[e.normal];if(void 0!==i[e.normal])return i[e.normal]}return null},toShortForm:function(e){if(e.tags.WeekDay&&void 0!==a[e.normal]){var t=Object.keys(i);e.text=t[a[e.normal]]}return e},toLongForm:function(e){if(e.tags.WeekDay&&void 0!==i[e.normal]){var t=Object.keys(a);e.text=t[i[e.normal]]}return e}}},{"./data":61}],63:[function(e,t,r){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function i(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function a(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var s=function(){function e(e,t){var r,n;for(r=0;rt.count?-1:e.count===t.count&&(e.size>t.size||e.key.length>t.key.length)?-1:1}),e},s={data:function(){return this.list.map(function(e){return{normal:e.out("normal"),count:e.count,size:e.size}})},unigrams:function(){return this.list=this.list.filter(function(e){return 1===e.size}),this},bigrams:function(){return this.list=this.list.filter(function(e){return 2===e.size}),this},trigrams:function(){return this.list=this.list.filter(function(e){return 3===e.size}),this},sort:function(){return a(this)}},o=function(e,t,r){var s,o={size:[1,2,3,4]};return r&&(o.size=[r]),s=i(e,o),e=new n(s),e=a(e),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(s,o)},{"../../index":26,"./getGrams":64}],67:[function(e,t,r){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function i(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function a(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var s=function(){function e(e,t){var r,n;for(r=0;r3};t.exports=l},{"../../../data":6,"./methods/data/indicators":72}],71:[function(e,t,r){"use strict";var n={hour:"an",heir:"an",heirloom:"an",honest:"an",honour:"an",honor:"an",uber:"an"},i={a:!0,e:!0,f:!0,h:!0,i:!0,l:!0,m:!0,n:!0,o:!0,r:!0,s:!0,x:!0},a=[/^onc?e/i,/^u[bcfhjkqrstn][aeiou]/i,/^eul/i],s=function(e){var t,r,s=e.normal;if(n.hasOwnProperty(s))return n[s];if(t=s.substr(0,1),e.isAcronym()&&i.hasOwnProperty(t))return"an";for(r=0;r1){var a=this.not("(#Acronym|#Honorific)");this.firstName=a.first(),this.lastName=a.last()}return this};s.prototype=Object.create(i.prototype),n={data:function(){return{text:this.out("text"),normal:this.out("normal"),firstName:this.firstName.out("normal"),middleName:this.middleName.out("normal"),lastName:this.lastName.out("normal"),genderGuess:this.guessGender(),pronoun:this.pronoun(),honorifics:this.honorifics.out("array")}},guessGender:function(){if(this.honorifics.match("(mr|mister|sr|sir|jr)").found)return"Male";if(this.honorifics.match("(mrs|miss|ms|misses|mme|mlle)").found)return"Female";if(this.firstName.match("#MaleName").found)return"Male";if(this.firstName.match("#FemaleName").found)return"Female";var e=this.firstName.out("normal");return a(e)},pronoun:function(){var e=this.firstName.out("normal"),t=this.guessGender(e);return"Male"===t?"he":"Female"===t?"she":"they"},root:function(){var e=this.firstName.out("root"),t=this.lastName.out("root");return e&&t?e+" "+t:t||e||this.out("root")}},Object.keys(n).forEach(function(e){s.prototype[e]=n[e]}),t.exports=s},{"../../paths":38,"./guessGender":78}],81:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./sentence"),a={toPastTense:function(){return this.list=this.list.map(function(e){return e=e.toPastTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toPresentTense:function(){return this.list=this.list.map(function(e){return e=e.toPresentTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toFutureTense:function(){return this.list=this.list.map(function(e){return e=e.toFutureTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toNegative:function(){return this.list=this.list.map(function(e){return e=e.toNegative(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toPositive:function(){return this.list=this.list.map(function(e){return e=e.toPositive(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},isPassive:function(){return this.list=this.list.filter(function(e){return e.isPassive()}),this},prepend:function(e){return this.list=this.list.map(function(t){return t.prepend(e)}),this},append:function(e){return this.list=this.list.map(function(t){return t.append(e)}),this},toExclamation:function(){return this.list.forEach(function(e){e.setPunctuation("!")}),this},toQuestion:function(){return this.list.forEach(function(e){e.setPunctuation("?")}),this},toStatement:function(){return this.list.forEach(function(e){e.setPunctuation(".")}),this}},s=function(e,t){return e=e.all(),"number"==typeof t&&(e=e.get(t)),e.list=e.list.map(function(e){return new i(e.terms,e.lexicon,e.refText,e.refTerms)}),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./sentence":82}],82:[function(e,t,r){"use strict";var n=e("../../paths").Terms,i=e("./toNegative"),a=e("./toPositive"),s=e("../verbs/verb"),o=e("./smartInsert"),u={toSingular:function(){var e=this.match("#Noun").match("!#Pronoun").firstTerm();return e.things().toSingular(),this},toPlural:function(){var e=this.match("#Noun").match("!#Pronoun").firstTerm();return e.things().toPlural(),this},mainVerb:function(){var e=this.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb");return e.found?(e=e.list[0].terms,new s(e,this.lexicon,this.refText,this.refTerms)):null},toPastTense:function(){var e,t,r,n=this.mainVerb();return n?(e=n.out("normal"),n.toPastTense(),t=n.out("normal"),r=this.parentTerms.replace(e,t)):this},toPresentTense:function(){var e,t,r=this.mainVerb();return r?(e=r.out("normal"),r.toPresentTense(),t=r.out("normal"),this.parentTerms.replace(e,t)):this},toFutureTense:function(){var e,t,r=this.mainVerb();return r?(e=r.out("normal"),r.toFutureTense(),t=r.out("normal"),this.parentTerms.replace(e,t)):this},isNegative:function(){return 1===this.match("#Negative").list.length},toNegative:function(){return this.isNegative()?this:i(this)},toPositive:function(){return this.isNegative()?a(this):this},append:function(e){return o.append(this,e)},prepend:function(e){return o.prepend(this,e)},setPunctuation:function(e){var t=this.terms[this.terms.length-1];t.setPunctuation(e)},getPunctuation:function(){var e=this.terms[this.terms.length-1];return e.getPunctuation()},isPassive:function(){return this.match("was #Adverb? #PastTense #Adverb? by").found}},l=function(e,t,r,i){n.call(this,e,t,r,i),this.t=this.terms[0]};l.prototype=Object.create(n.prototype),Object.keys(u).forEach(function(e){l.prototype[e]=u[e]}),t.exports=l},{"../../paths":38,"../verbs/verb":118,"./smartInsert":83,"./toNegative":84,"./toPositive":85}],83:[function(e,t,r){"use strict";var n=/^[A-Z]/,i=function(e,t){var r,i=e.terms[0];return e.insertAt(0,t),n.test(i.text)&&(i.needsTitleCase()===!1&&i.toLowerCase(),r=e.terms[0],r.toTitleCase()),e},a=function(e,t){var r,n=e.terms[e.terms.length-1],i=n.endPunctuation();return i&&n.killPunctuation(),e.insertAt(e.terms.length,t),r=e.terms[e.terms.length-1],i&&(r.text+=i),n.whitespace.after&&(r.whitespace.after=n.whitespace.after,n.whitespace.after=""),e};t.exports={append:a,prepend:i}},{}],84:[function(e,t,r){"use strict";var n={everyone:"no one",everybody:"nobody",someone:"no one",somebody:"nobody",always:"never"},i=function(e){var t,r,i=e.match("(everyone|everybody|someone|somebody|always)").first();return i.found&&n[i.out("normal")]?(t=i.out("normal"),e=e.match(t).replaceWith(n[t]).list[0],e.parentTerms):(r=e.mainVerb(),r&&r.toNegative(),e)};t.exports=i},{}],85:[function(e,t,r){"use strict";var n={never:"always",nothing:"everything"},i=function(e){var t,r=e.match("(never|nothing)").first();return r.found&&(t=r.out("normal"),n[t])?(e=e.match(t).replaceWith(n[t]).list[0],e.parentTerms):(e.delete("#Negative"),e)};t.exports=i},{}],86:[function(e,t,r){"use strict";var n=e("../../index"),i=e("../../paths").Terms,a={data:function(){return this.list.map(function(e){var t=e.terms[0];return{spaceBefore:t.whitespace.before,text:t.text,spaceAfter:t.whitespace.after,normal:t.normal,implicit:t.silent_term,bestTag:t.bestTag(),tags:Object.keys(t.tags)}})}},s=function(e,t){var r=[];return e.list.forEach(function(t){t.terms.forEach(function(n){r.push(new i([n],t.lexicon,e))})}),e=new n(r,e.lexicon,e.parent),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"../../paths":38}],87:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./value"),a={noDates:function(){return this.not("#Date")},numbers:function(){return this.list.map(function(e){return e.number()})},toNumber:function(){return this.list=this.list.map(function(e){return e.toNumber()}),this},toTextValue:function(){return this.list=this.list.map(function(e){return e.toTextValue()}),this},toCardinal:function(){return this.list=this.list.map(function(e){return e.toCardinal()}),this},toOrdinal:function(){return this.list=this.list.map(function(e){return e.toOrdinal()}),this},toNiceNumber:function(){return this.list=this.list.map(function(e){return e.toNiceNumber()}),this}},s=function(e,t){return e=e.match("#Value+"),e.splitOn("#Year"),"number"==typeof t&&(e=e.get(t)),e.list=e.list.map(function(e){return new i(e.terms,e.lexicon,e.refText,e.refTerms)}),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./value":99}],88:[function(e,t,r){"use strict";var n=e("../toNumber"),i=function(e){var t,r,i,a,s=n(e);return s||0===s?(t=s%100,t>10&&20>t?""+s+"th":(r={0:"th",1:"st",2:"nd",3:"rd"},i=""+s,a=i.slice(i.length-1,i.length),i+=r[a]?r[a]:"th")):null};t.exports=i},{"../toNumber":94}],89:[function(e,t,r){"use strict";t.exports=e("../../paths")},{"../../paths":38}],90:[function(e,t,r){"use strict";var n=e("../toNumber"),i=e("../toText"),a=e("../../../paths").data.ordinalMap.toOrdinal,s=function(e){var t=n(e),r=i(t),s=r[r.length-1];return r[r.length-1]=a[s]||s,r.join(" ")};t.exports=s},{"../../../paths":38,"../toNumber":94,"../toText":98}],91:[function(e,t,r){"use strict";var n=function(e){var t,r,n,i;if(!e&&0!==e)return null;for(e=""+e,t=e.split("."),r=t[0],n=t.length>1?"."+t[1]:"",i=/(\d+)(\d{3})/;i.test(r);)r=r.replace(i,"$1,$2");return r+n};t.exports=n},{}],92:[function(e,t,r){"use strict";var n=e("../paths"),i=n.data.numbers,a=n.fns,s=a.extend(i.ordinal.ones,i.cardinal.ones),o=a.extend(i.ordinal.teens,i.cardinal.teens),u=a.extend(i.ordinal.tens,i.cardinal.tens),l=a.extend(i.ordinal.multiples,i.cardinal.multiples);t.exports={ones:s,teens:o,tens:u,multiples:l}},{"../paths":89}],93:[function(e,t,r){"use strict";var n=function(e){var t,r=[{reg:/^(minus|negative)[\s\-]/i,mult:-1},{reg:/^(a\s)?half[\s\-](of\s)?/i,mult:.5}];for(t=0;tx?(f+=(c(m)||1)*x,r=x,m={}):(f+=c(m),r=x,f=(f||1)*x,m={})}}}else d=!0;return f+=c(m),f*=t.amount,f*=d?-1:1,0===f?null:f};t.exports=m},{"./data":92,"./findModifiers":93,"./parseDecimals":95,"./parseNumeric":96,"./validate":97}],95:[function(e,t,r){"use strict";var n=e("./data"),i=function(e){var t,r,i="0.";for(t=0;tn[0]){var i=Math.floor(t/n[0]);t-=i*n[0],i&&r.push({unit:n[1],count:i})}}),r},i=function(e){var t,r=[["ninety",90],["eighty",80],["seventy",70],["sixty",60],["fifty",50],["forty",40],["thirty",30],["twenty",20]],n=["","one","two","three","four","five","six","seven","eight","nine","ten","eleven","twelve","thirteen","fourteen","fifteen","sixteen","seventeen","eighteen","nineteen"],i=[];for(t=0;te&&(o.push("negative"),e=Math.abs(e)),t=n(e),r=0;r1&&o.push("and")),o=o.concat(i(t[r].count)),o.push(s);return o=o.concat(a(e)),o=o.filter(function(e){return e}),0===o.length&&(o[0]="zero"),o};t.exports=s},{}],99:[function(e,t,r){"use strict";var n,i,a,s,o=e("../../paths"),u=o.Terms,l=e("./toNumber"),c=e("./toText"),h=e("./toNiceNumber"),m=e("./numOrdinal"),f=e("./textOrdinal"),d=function(e,t,r,n){u.call(this,e,t,r,n),this.val=this.match("#Value+").list[0],this.unit=this.match("#Unit$").list[0]};d.prototype=Object.create(u.prototype),n=function(e){var t=e.terms[e.terms.length-1];return!!t&&t.tags.Ordinal===!0},i=function(e){for(var t=0;ta[s].length)return n[a[s]];return null};t.exports=a},{"./suffix_rules":113}],113:[function(e,t,r){"use strict";var n,i,a,s={Gerund:["ing"],Actor:["erer"],Infinitive:["ate","ize","tion","rify","then","ress","ify","age","nce","ect","ise","ine","ish","ace","ash","ure","tch","end","ack","and","ute","ade","ock","ite","ase","ose","use","ive","int","nge","lay","est","ain","ant","ent","eed","er","le","own","unk","ung","en"],PastTense:["ed","lt","nt","pt","ew","ld"],PresentTense:["rks","cks","nks","ngs","mps","tes","zes","ers","les","acks","ends","ands","ocks","lays","eads","lls","els","ils","ows","nds","ays","ams","ars","ops","ffs","als","urs","lds","ews","ips","es","ts","ns","s"]},o={},u=Object.keys(s),l=u.length;for(n=0;l>n;n++)for(i=s[u[n]].length,a=0;i>a;a++)o[s[u[n]][a]]=u[n];t.exports=o},{}],114:[function(e,t,r){"use strict";var n=[[/y$/,"i"],[/([aeiou][n])$/,"$1n"]],i={collect:!0,exhaust:!0,convert:!0,digest:!0,discern:!0,dismiss:!0,reverse:!0,access:!0,collapse:!0,express:!0 -},a={eat:"edible",hear:"audible",see:"visible",defend:"defensible",write:"legible",move:"movable",divide:"divisible",perceive:"perceptible"},s=function(e){var t,r;if(a[e])return a[e];for(t=0;t0&&(t.push(h),r[c]="");return 0===t.length?[e]:t};t.exports=l},{"../data":6}],121:[function(e,t,r){"use strict";var n=e("./fix"),i={wanna:["want","to"],gonna:["going","to"],im:["i","am"],alot:["a","lot"],dont:["do","not"],dun:["do","not"],ive:["i","have"],"won't":["will","not"],wont:["will","not"],"can't":["can","not"],cant:["can","not"],cannot:["can","not"],aint:["is","not"],"ain't":["is","not"],"shan't":["should","not"],imma:["I","will"],"where'd":["where","did"],whered:["where","did"],"when'd":["when","did"],whend:["when","did"],"how'd":["how","did"],howd:["how","did"],"what'd":["what","did"],whatd:["what","did"],"let's":["let","us"],dunno:["do","not","know"],brb:["be","right","back"],gtg:["got","to","go"],irl:["in","real","life"],tbh:["to","be","honest"],imo:["in","my","opinion"],til:["today","i","learned"],rn:["right","now"]},a=function(e){var t,r,a,s=Object.keys(i);for(t=0;t0&&" - "===r.whitespace.before)return a=new i(""),a.silent_term="to",e.insertAt(t,a),e.terms[t-1].tag("NumberRange"),e.terms[t].tag("NumberRange"),e.terms[t].whitespace.before="",e.terms[t].whitespace.after="",e.terms[t+1].tag("NumberRange"),e;r.tags.NumberRange&&(s=r.text.split(/(-)/),s[1]="to",e=n(e,s,t),e.terms[t].tag("NumberRange"),e.terms[t+1].tag("NumberRange"),e.terms[t+2].tag("NumberRange"),t+=2)}return e};t.exports=a},{"../../term":169,"./fix":125}],125:[function(e,t,r){"use strict";var n=e("../../term"),i={not:"Negative",will:"Verb",would:"Modal",have:"Verb",are:"Copula",is:"Copula",am:"Verb"},a=function(e){i[e.silent_term]&&e.tag(i[e.silent_term])},s=function(e,t,r){var i,s,o=e.terms[r];return o.silent_term=t[0],o.tag("Contraction","tagger-contraction"),i=new n(""),i.silent_term=t[1],i.tag("Contraction","tagger-contraction"),e.insertAt(r+1,i),i.whitespace.before="",i.whitespace.after="",a(i),t[2]&&(s=new n(""),s.silent_term=t[2],e.insertAt(r+2,s),s.tag("Contraction","tagger-contraction"),a(s)),e};t.exports=s},{"../../term":169}],126:[function(e,t,r){"use strict";var n=e("./01-irregulars"),i=e("./02-hardOne"),a=e("./03-easyOnes"),s=e("./04-numberRange"),o=function(e){return e=n(e),e=i(e),e=a(e),e=s(e)};t.exports=o},{"./01-irregulars":121,"./02-hardOne":122,"./03-easyOnes":123,"./04-numberRange":124}],127:[function(e,t,r){"use strict";var n=/^([a-z]+)'([a-z][a-z]?)$/i,i=/[a-z]s'$/i,a={re:1,ve:1,ll:1,t:1,s:1,d:1,m:1},s=function(e){var t=e.text.match(n);return t&&t[1]&&1===a[t[2]]?("t"===t[2]&&t[1].match(/[a-z]n$/)&&(t[1]=t[1].replace(/n$/,""),t[2]="n't"),e.tags.TitleCase===!0&&(t[1]=t[1].replace(/^[a-z]/,function(e){return e.toUpperCase()})),{start:t[1],end:t[2]}):i.test(e.text)===!0?{start:e.normal.replace(/s'?$/,""),end:""}:null};t.exports=s},{}],128:[function(e,t,r){"use strict";var n=function(e){if(e.has("so")&&(e.match("so #Adjective").match("so").tag("Adverb","so-adv"),e.match("so #Noun").match("so").tag("Conjunction","so-conj"),e.match("do so").match("so").tag("Noun","so-noun")),e.has("#Determiner")&&(e.match("the #Verb #Preposition .").match("#Verb").tag("Noun","correction-determiner1"),e.match("the #Verb").match("#Verb").tag("Noun","correction-determiner2"),e.match("the #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner3"),e.match("the #Adverb #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner4"),e.match("#Determiner #Infinitive #Adverb? #Verb").term(1).tag("Noun","correction-determiner5"),e.match("#Determiner #Verb of").term(1).tag("Noun","the-verb-of"),e.match("#Determiner #Noun of #Verb").match("#Verb").tag("Noun","noun-of-noun")),e.has("like")&&(e.match("just like").term(1).tag("Preposition","like-preposition"),e.match("#Noun like #Noun").term(1).tag("Preposition","noun-like"),e.match("#Verb like").term(1).tag("Adverb","verb-like"),e.match("#Adverb like").term(1).tag("Adverb","adverb-like")),e.has("#Value")&&(e.match("half a? #Value").tag("Value","half-a-value"),e.match("#Value and a (half|quarter)").tag("Value","value-and-a-half"),e.match("#Value").match("!#Ordinal").tag("#Cardinal","not-ordinal"),e.match("#Value+ #Currency").tag("Money","value-currency"),e.match("#Money and #Money #Currency?").tag("Money","money-and-money")),e.has("#Noun")&&(e.match("more #Noun").tag("Noun","more-noun"),e.match("second #Noun").term(0).unTag("Unit").tag("Ordinal","second-noun"),e.match("#Noun #Adverb #Noun").term(2).tag("Verb","correction"),e.match("#Possessive #FirstName").term(1).unTag("Person","possessive-name"),e.has("#Organization")&&(e.match("#Organization of the? #TitleCase").tag("Organization","org-of-place"),e.match("#Organization #Country").tag("Organization","org-country"),e.match("(world|global|international|national|#Demonym) #Organization").tag("Organization","global-org"))),e.has("#Verb")){e.match("still #Verb").term(0).tag("Adverb","still-verb"),e.match("u #Verb").term(0).tag("Pronoun","u-pronoun-1"),e.match("is no #Verb").term(2).tag("Noun","is-no-verb"),e.match("#Verb than").term(0).tag("Noun","correction"),e.match("#Possessive #Verb").term(1).tag("Noun","correction-possessive"),e.match("#Copula #Adjective to #Verb").match("#Adjective to").tag("Verb","correction"),e.match("how (#Copula|#Modal|#PastTense)").term(0).tag("QuestionWord","how-question");var t="(#Adverb|not)+?";e.has(t)&&(e.match("(has|had) "+t+" #PastTense").not("#Verb$").tag("Auxiliary","had-walked"),e.match("#Copula "+t+" #Gerund").not("#Verb$").tag("Auxiliary","copula-walking"),e.match("(be|been) "+t+" #Gerund").not("#Verb$").tag("Auxiliary","be-walking"),e.match("(#Modal|did) "+t+" #Verb").not("#Verb$").tag("Auxiliary","modal-verb"),e.match("#Modal "+t+" have "+t+" had "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-have"),e.match("(#Modal) "+t+" be "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-be"),e.match("(#Modal|had|has) "+t+" been "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-be"))}return e.has("#Adjective")&&(e.match("still #Adjective").match("still").tag("Adverb","still-advb"),e.match("#Adjective #PresentTense").term(1).tag("Noun","adj-presentTense"),e.match("will #Adjective").term(1).tag("Verb","will-adj")),e.match("(foot|feet)").tag("Noun","foot-noun"),e.match("#Value (foot|feet)").term(1).tag("Unit","foot-unit"),e.match("#Conjunction u").term(1).tag("Pronoun","u-pronoun-2"),e.match("#TitleCase (ltd|co|inc|dept|assn|bros)").tag("Organization","org-abbrv"),e.match("(a|an) (#Duration|#Value)").ifNo("#Plural").term(0).tag("Value","a-is-one"),e.match("holy (shit|fuck|hell)").tag("Expression","swears-expression"),e.match("#Determiner (shit|damn|hell)").term(1).tag("Noun","swears-noun"),e.match("(shit|damn|fuck) (#Determiner|#Possessive|them)").term(0).tag("Verb","swears-verb"),e.match("#Copula fucked up?").not("#Copula").tag("Adjective","swears-adjective"),e};t.exports=n},{}],129:[function(e,t,r){"use strict";var n={punctuation_step:e("./steps/01-punctuation_step"),lexicon_step:e("./steps/02-lexicon_step"),capital_step:e("./steps/03-capital_step"),web_step:e("./steps/04-web_step"),suffix_step:e("./steps/05-suffix_step"),neighbour_step:e("./steps/06-neighbour_step"),noun_fallback:e("./steps/07-noun_fallback"),date_step:e("./steps/08-date_step"),auxiliary_step:e("./steps/09-auxiliary_step"),negation_step:e("./steps/10-negation_step"),phrasal_step:e("./steps/12-phrasal_step"),comma_step:e("./steps/13-comma_step"),possessive_step:e("./steps/14-possessive_step"),value_step:e("./steps/15-value_step"),acronym_step:e("./steps/16-acronym_step"),emoji_step:e("./steps/17-emoji_step"),person_step:e("./steps/18-person_step"),quotation_step:e("./steps/19-quotation_step"),organization_step:e("./steps/20-organization_step"),plural_step:e("./steps/21-plural_step"),lumper:e("./lumper"),lexicon_lump:e("./lumper/lexicon_lump"),contraction:e("./contraction")},i=e("./corrections"),a=e("./phrase"),s=function(e){return e=n.punctuation_step(e),e=n.emoji_step(e),e=n.lexicon_step(e),e=n.lexicon_lump(e),e=n.web_step(e),e=n.suffix_step(e),e=n.neighbour_step(e),e=n.capital_step(e),e=n.noun_fallback(e),e=n.contraction(e),e=n.date_step(e),e=n.auxiliary_step(e),e=n.negation_step(e),e=n.phrasal_step(e),e=n.comma_step(e),e=n.possessive_step(e),e=n.value_step(e),e=n.acronym_step(e),e=n.person_step(e),e=n.quotation_step(e),e=n.organization_step(e),e=n.plural_step(e),e=n.lumper(e),e=i(e),e=a(e)};t.exports=s},{"./contraction":126,"./corrections":128,"./lumper":131,"./lumper/lexicon_lump":132,"./phrase":135,"./steps/01-punctuation_step":136,"./steps/02-lexicon_step":137,"./steps/03-capital_step":138,"./steps/04-web_step":139,"./steps/05-suffix_step":140,"./steps/06-neighbour_step":141,"./steps/07-noun_fallback":142,"./steps/08-date_step":143,"./steps/09-auxiliary_step":144,"./steps/10-negation_step":145,"./steps/12-phrasal_step":146,"./steps/13-comma_step":147,"./steps/14-possessive_step":148,"./steps/15-value_step":149,"./steps/16-acronym_step":150,"./steps/17-emoji_step":151,"./steps/18-person_step":152,"./steps/19-quotation_step":153,"./steps/20-organization_step":154,"./steps/21-plural_step":155}],130:[function(e,t,r){"use strict";var n=function(e){var t={};return e.forEach(function(e){Object.keys(e).forEach(function(r){var n,i,a=r.split(" ");a.length>1&&(n=a[0],t[n]=t[n]||{},i=a.slice(1).join(" "),t[n][i]=e[r])})}),t};t.exports=n},{}],131:[function(e,t,r){"use strict";var n=function(e){return e.match("#Noun (&|n) #Noun").lump().tag("Organization","Noun-&-Noun"),e.match("1 #Value #PhoneNumber").lump().tag("Organization","Noun-&-Noun"),e.match("#Holiday (day|eve)").lump().tag("Holiday","holiday-day"),e.match("#Noun #Actor").lump().tag("Actor","thing-doer"),e.match("(standard|daylight|summer|eastern|pacific|central|mountain) standard? time").lump().tag("Time","timezone"),e.match("#Demonym #Currency").lump().tag("Currency","demonym-currency"),e.match("#NumericValue #PhoneNumber").lump().tag("PhoneNumber","(800) PhoneNumber"),e};t.exports=n},{}],132:[function(e,t,r){"use strict";var n=e("../paths"),i=n.lexicon,a=n.tries,s=e("./firstWord"),o=s([i,a.multiples()]),u=function(e,t,r){var n=t+1;return r[e.slice(n,n+1).out("root")]?n+1:r[e.slice(n,n+2).out("root")]?n+2:r[e.slice(n,n+3).out("root")]?n+3:null},l=function(e,t){var r,n,i,a,s;for(r=0;r1&&a.test(e.text)===!0&&e.canBe("RomanNumeral")},o={a:!0,i:!0,u:!0,r:!0,c:!0,k:!0},u=function(e){return e.terms.forEach(function(e){var t,r,a=e.text;for(i.test(a)===!0&&e.tag("TitleCase","punct-rule"),a=a.replace(/[,\.\?]$/,""),t=0;t1&&(s=o(a[a.length-1],e))&&r.tag(s,"multiword-lexicon")))));return e};t.exports=u},{"../../tries":231,"../contraction/split":127,"../paths":133}],138:[function(e,t,r){"use strict";var n=function(e){var t,r,n;for(t=1;ta||(a=n-1),t=a;t>1;t-=1)if(r=e.normal.substr(n-t,n),void 0!==i[t][r])return i[t][r];return null},o=function(e){var t,r,i=e.normal.charAt(e.normal.length-1);if(void 0===n[i])return null;for(t=n[i],r=0;r1e3&&3e3>r&&e.terms[0].tag("Year",t)})},l=function(e,t){e.list.forEach(function(e){var r=parseInt(e.terms[0].normal,10);r&&r>1990&&2030>r&&e.terms[0].tag("Year",t)})},c=function(e){if(e.has(n)&&(e.match(n+" (#Determiner|#Value|#Date)").term(0).tag("Month","correction-may"),e.match("#Date "+n).term(1).tag("Month","correction-may"),e.match(i+" "+n).term(1).tag("Month","correction-may"),e.match("(next|this|last) "+n).term(1).tag("Month","correction-may")),e.has("#Month")&&(e.match("#Month #DateRange+").tag("Date","correction-numberRange"),e.match("#Value of? #Month").tag("Date","value-of-month"),e.match("#Cardinal #Month").tag("Date","cardinal-month"),e.match("#Month #Value to #Value").tag("Date","value-to-value"),e.match("#Month #Value #Cardinal").tag("Date","month-value-cardinal")),e.match("in the (night|evening|morning|afternoon|day|daytime)").tag("Time","in-the-night"),e.match("(#Value|#Time) (am|pm)").tag("Time","value-ampm"),e.has("#Value")&&(e.match("#Value #Abbreviation").tag("Value","value-abbr"),e.match("a #Value").tag("Value","a-value"),e.match("(minus|negative) #Value").tag("Value","minus-value"),e.match("#Value grand").tag("Value","value-grand"),e.match("(half|quarter) #Ordinal").tag("Value","half-ordinal"),e.match("(hundred|thousand|million|billion|trillion) and #Value").tag("Value","magnitude-and-value"),e.match("#Value point #Value").tag("Value","value-point-value"),e.match(i+"? #Value #Duration").tag("Date","value-duration"),e.match("#Date #Value").tag("Date","date-value"),e.match("#Value #Date").tag("Date","value-date"),e.match("#Value #Duration #Conjunction").tag("Date","val-duration-conjunction")),e.has("#Time")&&(e.match("#Cardinal #Time").tag("Time","value-time"),e.match("(by|before|after|at|@|about) #Time").tag("Time","preposition-time"),e.match("#Time (eastern|pacific|central|mountain)").term(1).tag("Time","timezone"),e.match("#Time (est|pst|gmt)").term(1).tag("Time","timezone abbr")),e.has(o)&&(e.match(i+"? "+a+" "+o).tag("Date","thisNext-season"),e.match("the? "+s+" of "+o).tag("Date","section-season")),e.has("#Date")&&(e.match("#Date the? #Ordinal").tag("Date","correction-date"),e.match(a+" #Date").tag("Date","thisNext-date"),e.match("due? (by|before|after|until) #Date").tag("Date","by-date"),e.match("#Date (by|before|after|at|@|about) #Cardinal").not("^#Date").tag("Time","date-before-Cardinal"),e.match("#Date (am|pm)").term(1).unTag("Verb").unTag("Copula").tag("Time","date-am"),e.match("(last|next|this|previous|current|upcoming|coming|the) #Date").tag("Date","next-feb"),e.match("#Date #Preposition #Date").tag("Date","date-prep-date"),e.match("the? "+s+" of #Date").tag("Date","section-of-date"),e.match("#Ordinal #Duration in #Date").tag("Date","duration-in-date"),e.match("(early|late) (at|in)? the? #Date").tag("Time","early-evening")),e.has("#Cardinal")){var t=e.match("#Date #Value #Cardinal").lastTerm();t.found&&u(t,"date-value-year"),t=e.match("#Date+ #Cardinal").lastTerm(),t.found&&u(t,"date-year"),t=e.match("#Month #Value #Cardinal").lastTerm(),t.found&&u(t,"month-value-year"),t=e.match("#Month #Value to #Value #Cardinal").lastTerm(),t.found&&u(t,"month-range-year"),t=e.match("(in|of|by|during|before|starting|ending|for|year) #Cardinal").lastTerm(),t.found&&u(t,"in-year"),t=e.match("#Cardinal !#Plural").firstTerm(),t.found&&l(t,"year-unsafe")}return e};t.exports=c},{}],144:[function(e,t,r){"use strict";var n={do:!0,"don't":!0,does:!0,"doesn't":!0,will:!0,wont:!0,"won't":!0,have:!0,"haven't":!0,had:!0,"hadn't":!0,not:!0},i=function(e){var t,r,i;for(t=0;t=n;n++)e.terms[n].tags.List=!0},s=function(e,t){var r,n=t,s=i(e.terms[t]),o=0,u=0,l=!1;for(t+=1;t0&&r.tags.Conjunction)l=!0;else{if(r.tags[s]){if(r.tags.Comma){u+=1,o=0;continue}if(u>0&&l)return a(e,n,t),!0}if(o+=1,o>5)return!1}return!1},o=function(e){var t,r,i,a,o;for(t=0;t=s;s++)if(i.test(e.terms[t+s].text)===!0){a(e,t,s+t),t+=s;break}return e};t.exports=s},{}],154:[function(e,t,r){"use strict";var n=e("../paths").tries.utils.orgWords,i=function(e){return!(!e.tags.Noun||e.tags.Pronoun||e.tags.Comma||e.tags.Possessive||e.tags.Place||!(e.tags.TitleCase||e.tags.Organization||e.tags.Acronym))},a=function(e){var t,r,a,s;for(t=0;tt;t++)r+=parseInt(9*Math.random(),10);return e+"-"+r};t.exports=n},{}],171:[function(e,t,r){"use strict";var n=e("../paths").tags,i={Auxiliary:1,Possessive:1,TitleCase:1,ClauseEnd:1,Comma:1,CamelCase:1,UpperCase:1,Hyphenated:1},a=function(e){var t=Object.keys(e.tags);return t=t.sort(),t=t.sort(function(e,t){return!i[t]&&n[e]&&n[t]?n[e].downward.length>n[t].downward.length?-1:1:-1}),t[0]};t.exports=a},{"../paths":185}],172:[function(e,t,r){"use strict";var n=function(e){var t={toUpperCase:function(){return this.text=this.text.toUpperCase(),this.tag("#UpperCase","toUpperCase"),this},toLowerCase:function(){return this.text=this.text.toLowerCase(),this.unTag("#TitleCase"),this.unTag("#UpperCase"),this},toTitleCase:function(){return this.text=this.text.replace(/^[a-z]/,function(e){return e.toUpperCase()}),this.tag("#TitleCase","toTitleCase"),this},needsTitleCase:function(){var e,t,r,n=["Person","Place","Organization","Acronym","UpperCase","Currency","RomanNumeral","Month","WeekDay","Holiday","Demonym"];for(e=0;e1&&u.test(e.normal)===!0&&o.test(e.normal)===!1)return!1;if(l.test(e.normal)===!0){if(/[a-z][0-9][a-z]/.test(e.normal)===!0)return!1;if(/^([$-])*?([0-9,\.])*?([s\$%])*?$/.test(e.normal)===!1)return!1}return!0}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=c},{"./bestTag":171}],174:[function(e,t,r){"use strict";var n=e("./normalize").addNormal,i=e("./root"),a=function(e){var t={normalize:function(){return n(this),i(this),this}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=a},{"./normalize":175,"./root":176}],175:[function(e,t,r){"use strict";var n=e("./unicode");r.normalize=function(e){return e=e||"",e=e.toLowerCase(),e=e.trim(),e=n(e),e=e.replace(/^[#@]/,""),e=e.replace(/[\u2018\u2019\u201A\u201B\u2032\u2035]+/g,"'"),e=e.replace(/[\u201C\u201D\u201E\u201F\u2033\u2036"]+/g,""),e=e.replace(/\u2026/g,"..."),e=e.replace(/\u2013/g,"-"),/^[:;]/.test(e)===!1&&(e=e.replace(/\.{3,}$/g,""),e=e.replace(/['",\.!:;\?\)]$/g,""),e=e.replace(/^['"\(]/g,"")),e},r.addNormal=function(e){var t=e._text||"";t=r.normalize(t),e.isAcronym()&&(t=t.replace(/\./g,"")),t=t.replace(/([0-9]),([0-9])/g,"$1$2"),e.normal=t}},{"./unicode":177}],176:[function(e,t,r){"use strict";var n=function(e){var t=e.normal||e.silent_term||"";t=t.replace(/'s\b/,""),t=t.replace(/'\b/,""),e.root=t};t.exports=n},{}],177:[function(e,t,r){"use strict";var n,i={"!":"¡","?":"¿Ɂ",a:"ªÀÁÂÃÄÅàáâãäåĀāĂ㥹ǍǎǞǟǠǡǺǻȀȁȂȃȦȧȺΆΑΔΛάαλАДадѦѧӐӑӒӓƛɅæ",b:"ßþƀƁƂƃƄƅɃΒβϐϦБВЪЬбвъьѢѣҌҍҔҕƥƾ",c:"¢©ÇçĆćĈĉĊċČčƆƇƈȻȼͻͼͽϲϹϽϾϿЄСсєҀҁҪҫ",d:"ÐĎďĐđƉƊȡƋƌǷ",e:"ÈÉÊËèéêëĒēĔĕĖėĘęĚěƎƏƐǝȄȅȆȇȨȩɆɇΈΕΞΣέεξϱϵ϶ЀЁЕЭеѐёҼҽҾҿӖӗӘәӚӛӬӭ",f:"ƑƒϜϝӺӻҒғӶӷſ",g:"ĜĝĞğĠġĢģƓǤǥǦǧǴǵ",h:"ĤĥĦħƕǶȞȟΉΗЂЊЋНнђћҢңҤҥҺһӉӊ",I:"ÌÍÎÏ",i:"ìíîïĨĩĪīĬĭĮįİıƖƗȈȉȊȋΊΐΪίιϊІЇії",j:"ĴĵǰȷɈɉϳЈј",k:"ĶķĸƘƙǨǩΚκЌЖКжкќҚқҜҝҞҟҠҡ",l:"ĹĺĻļĽľĿŀŁłƚƪǀǏǐȴȽΙӀӏ",m:"ΜϺϻМмӍӎ",n:"ÑñŃńŅņŇňʼnŊŋƝƞǸǹȠȵΝΠήηϞЍИЙЛПийлпѝҊҋӅӆӢӣӤӥπ",o:"ÒÓÔÕÖØðòóôõöøŌōŎŏŐőƟƠơǑǒǪǫǬǭǾǿȌȍȎȏȪȫȬȭȮȯȰȱΌΘΟθοσόϕϘϙϬϭϴОФоѲѳӦӧӨөӪӫ¤ƍΏ",p:"ƤƿΡρϷϸϼРрҎҏÞ",q:"Ɋɋ",r:"ŔŕŖŗŘřƦȐȑȒȓɌɍЃГЯгяѓҐґ",s:"ŚśŜŝŞşŠšƧƨȘșȿςϚϛϟϨϩЅѕ",t:"ŢţŤťŦŧƫƬƭƮȚțȶȾΓΤτϮϯТт҂Ҭҭ",u:"µÙÚÛÜùúûüŨũŪūŬŭŮůŰűŲųƯưƱƲǓǔǕǖǗǘǙǚǛǜȔȕȖȗɄΰμυϋύϑЏЦЧцџҴҵҶҷӋӌӇӈ",v:"νѴѵѶѷ",w:"ŴŵƜωώϖϢϣШЩшщѡѿ",x:"×ΧχϗϰХхҲҳӼӽӾӿ",y:"ÝýÿŶŷŸƳƴȲȳɎɏΎΥΫγψϒϓϔЎУучўѰѱҮүҰұӮӯӰӱӲӳ",z:"ŹźŻżŽžƩƵƶȤȥɀΖζ"},a={};Object.keys(i).forEach(function(e){i[e].split("").forEach(function(t){a[t]=e})}),n=function(e){var t=e.split("");return t.forEach(function(e,r){a[e]&&(t[r]=a[e])}),t.join("")},t.exports=n},{}],178:[function(e,t,r){"use strict";var n=e("./renderHtml"),i=e("../../paths").fns,a={text:function(e){return e.whitespace.before+e._text+e.whitespace.after},normal:function(e){return e.normal},root:function(e){return e.root||e.normal},html:function(e){return n(e)},tags:function(e){return{text:e.text,normal:e.normal,tags:Object.keys(e.tags)}},debug:function(e){var t,r=Object.keys(e.tags).map(function(e){return i.printTag(e)}).join(", "),n=e.text;n="'"+i.yellow(n||"-")+"'",t="",e.silent_term&&(t="["+e.silent_term+"]"),n=i.leftPad(n,25),n+=i.leftPad(t,5),console.log(" "+n+" - "+r)}},s=function(e){return e.prototype.out=function(e){return a[e]||(e="text"),a[e](this)},e};t.exports=s},{"../../paths":185,"./renderHtml":179}],179:[function(e,t,r){"use strict";var n=function(e){var t={"<":"<",">":">","&":"&",'"':""","'":"'"," ":" "};return e.replace(/[<>&"' ]/g,function(e){return t[e]})},i=function(e){var t="(?:[^\"'>]|\"[^\"]*\"|'[^']*')*",r=RegExp("<(?:!--(?:(?:-*[^->])*--+|-?)|script\\b"+t+">[\\s\\S]*?[\\s\\S]*?","gi"),n=void 0;do n=e,e=e.replace(r,"");while(e!==n);return e.replace(/'+t+"",n(e.whitespace.before)+r+n(e.whitespace.after)};t.exports=a},{}],180:[function(e,t,r){"use strict";var n=/([a-z])([,:;\/.(\.\.\.)\!\?]+)$/i,i=function(e){var t={endPunctuation:function(){var e,t=this.text.match(n);return t&&(e={",":"comma",":":"colon",";":"semicolon",".":"period","...":"elipses","!":"exclamation","?":"question"},void 0!==e[t[2]])?t[2]:null},setPunctuation:function(e){return this.killPunctuation(),this.text+=e,this},hasComma:function(){return"comma"===this.endPunctuation()},killPunctuation:function(){return this.text=this._text.replace(n,"$1"),this}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=i},{}],181:[function(e,t,r){"use strict";var n=e("../../paths"),i=n.tags,a=function e(t,r){var n,a;if(void 0===i[r])return!0;for(n=i[r].enemy||[],a=0;a "+r))}},l=function(e,t,r){if(e&&t){if(s.isArray(t))return void t.forEach(function(t){return u(e,t,r)});u(e,t,r),a[t]&&void 0!==a[t].also&&u(e,a[t].also,r)}};t.exports=l},{"../../paths":185,"./unTag":184}],184:[function(e,t,r){"use strict";var n=e("../../paths"),i=n.log,a=n.tags,s=function e(t,r,n){var s,o;if(t.tags[r]&&(i.unTag(t,r,n),delete t.tags[r],a[r]))for(s=a[r].downward,o=0;o0&&(m[m.length-1]+=c),m.map(function(e){return new n(e)})};t.exports=o},{"../term":169}],188:[function(e,t,r){"use strict";t.exports={parent:{get:function(){return this.refText||this},set:function(e){return this.refText=e,this}},parentTerms:{get:function(){return this.refTerms||this},set:function(e){return this.refTerms=e,this}},dirty:{get:function(){for(var e=0;e0}},length:{get:function(){return this.terms.length}},isA:{get:function(){return"Terms"}},whitespace:{get:function(){var e=this;return{before:function(t){return e.firstTerm().whitespace.before=t,e},after:function(t){return e.lastTerm().whitespace.after=t,e}}}}}},{}],189:[function(e,t,r){"use strict";var n=e("./build"),i=e("./getters"),a=function(e,t,r,n){var a,s,o=this;for(this.terms=e,this.lexicon=t,this.refText=r,this._refTerms=n,this._cacheWords={},this.count=void 0,this.get=function(e){return o.terms[e]},a=Object.keys(i),s=0;s0);r++)if(a=i(this,r,t))return a;return null},has:function(e){return null!==this.matchOne(e)}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=o},{"../../result":26,"./lib":192,"./lib/startHere":195,"./lib/syntax":196}],191:[function(e,t,r){"use strict";var n=function(e,t){var r,n,i,a,s;for(r=0;r0&&t[0]&&t[0].starting);o++)u=i(e,o,t,r),u&&(s.push(u),l=u.length-1,o+=l);return s};t.exports=s},{"./fastPass":191,"./startHere":195,"./syntax":196}],193:[function(e,t,r){"use strict";var n=function(e,t){if(!e||!t)return!1;if(t.anyOne===!0)return!0;if(void 0!==t.tag)return e.tags[t.tag];if(void 0!==t.normal)return t.normal===e.normal||t.normal===e.silent_term;if(void 0!==t.oneOf){for(var r=0;r0)return null;if(l.ending===!0&&b!==e.length-1&&!l.minMax)return null;if(r[o].astrix!==!0)if(void 0===r[o].minMax)if(l.optional!==!0)if(n(u,l,s))b+=1, -l.consecutive===!0&&(v=r[o+1],b=a(e,b,l,v));else if(!u.silent_term||u.normal){if(l.optional!==!0)return null}else{if(0===o)return null;b+=1,o-=1}else g=r[o+1],b=a(e,b,l,g);else{if(!c)return m=e.length,f=r[o].minMax.max+t,r[o].ending&&m>f?null:(m>f&&(m=f),e.terms.slice(t,m));if(d=i(e,b,c),!d)return null;if(p=r[o].minMax,dp.max)return null;b=d+1,o+=1}else{if(!c)return e.terms.slice(t,e.length);if(h=i(e,b,r[o+1]),!h)return null;b=h+1,o+=1}}return e.terms.slice(t,b)};t.exports=s},{"./isMatch":193}],196:[function(e,t,r){"use strict";var n=e("./paths").fns,i=function(e){return e.substr(1,e.length)},a=function(e){return e.substring(0,e.length-1)},s=function(e){var t,r,s;return e=e||"",e=e.trim(),t={},"!"===e.charAt(0)&&(e=i(e),t.negative=!0),"^"===e.charAt(0)&&(e=i(e),t.starting=!0),"$"===e.charAt(e.length-1)&&(e=a(e),t.ending=!0),"?"===e.charAt(e.length-1)&&(e=a(e),t.optional=!0),"+"===e.charAt(e.length-1)&&(e=a(e),t.consecutive=!0),"#"===e.charAt(0)&&(e=i(e),t.tag=n.titleCase(e),e=""),"("===e.charAt(0)&&")"===e.charAt(e.length-1)&&(e=a(e),e=i(e),r=e.split(/\|/g),t.oneOf={terms:{},tagArr:[]},r.forEach(function(e){if("#"===e.charAt(0)){var r=e.substr(1,e.length);r=n.titleCase(r),t.oneOf.tagArr.push(r)}else t.oneOf.terms[e]=!0}),e=""),"{"===e.charAt(0)&&"}"===e.charAt(e.length-1)&&(s=e.match(/\{([0-9]+), ?([0-9]+)\}/),t.minMax={min:parseInt(s[1],10),max:parseInt(s[2],10)},e=""),"."===e&&(t.anyOne=!0,e=""),"*"===e&&(t.astrix=!0,e=""),""!==e&&(t.normal=e.toLowerCase()),t},o=function(e){return e=e||"",e=e.split(/ +/),e.map(s)};t.exports=o},{"./paths":194}],197:[function(e,t,r){"use strict";var n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},i=e("./lib/syntax"),a=e("./lib/startHere"),s=e("../../result"),o=function(e){var t={notObj:function(t,r){var n=[],i=[];return t.terms.forEach(function(e){r.hasOwnProperty(e.normal)?(i.length&&n.push(i),i=[]):i.push(e)}),i.length&&n.push(i),n=n.map(function(r){return new e(r,t.lexicon,t.refText,t.refTerms)}),new s(n,t.lexicon,t.parent)},notString:function(t,r,n){var o,u,l=[],c=i(r),h=[];for(o=0;o0&&(l.push(h),h=[]),o+=u.length-1):h.push(t.terms[o]);return h.length>0&&l.push(h),l=l.map(function(r){return new e(r,t.lexicon,t.refText,t.refTerms)}),new s(l,t.lexicon,t.parent)}};return t.notArray=function(e,r){var n=r.reduce(function(e,t){return e[t]=!0,e},{});return t.notObj(e,n)},e.prototype.not=function(e,r){if("object"===(void 0===e?"undefined":n(e))){var i=Object.prototype.toString.call(e);if("[object Array]"===i)return t.notArray(this,e,r);if("[object Object]"===i)return t.notObj(this,e,r)}return"string"==typeof e?t.notString(this,e,r):this},e};t.exports=o},{"../../result":26,"./lib/startHere":195,"./lib/syntax":196}],198:[function(e,t,r){"use strict";var n=e("../mutate"),i=function(e){return e.prototype.delete=function(e){var t,r;return this.found?e?(t=this.match(e),t.found?r=n.deleteThese(this,t):this.parentTerms):(this.parentTerms=n.deleteThese(this.parentTerms,this),this):this},e};t.exports=i},{"../mutate":208}],199:[function(e,t,r){"use strict";var n=e("../mutate"),i=function(e,t){return e.terms.length&&e.terms[t]?(e.terms[t].whitespace.before=" ",e):e},a=function(e){var t=function(t){if("Terms"===t.isA)return t;if("Term"===t.isA)return new e([t]);var r=e.fromString(t);return r.tagger(),r},r={insertBefore:function(e,r){var a,s=this.terms.length,o=t(e);return r&&o.tag(r),a=this.index(),i(this.parentTerms,a),a>0&&i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,a,o),this.terms.length===s&&(this.terms=o.terms.concat(this.terms)),this},insertAfter:function(e,r){var a,s=this.terms.length,o=t(e);return r&&o.tag(r),a=this.terms[this.terms.length-1].index(),i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,a+1,o),this.terms.length===s&&(this.terms=this.terms.concat(o.terms)),this},insertAt:function(e,r,a){var s,o;return 0>e&&(e=0),s=this.terms.length,o=t(r),a&&o.tag(a),e>0&&i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,e,o),this.terms.length===s&&Array.prototype.splice.apply(this.terms,[e,0].concat(o.terms)),0===e&&(this.terms[0].whitespace.before="",o.terms[o.terms.length-1].whitespace.after=" "),this}};return Object.keys(r).forEach(function(t){e.prototype[t]=r[t]}),e};t.exports=a},{"../mutate":208}],200:[function(e,t,r){"use strict";var n=function(e){var t=[["tag"],["unTag"],["toUpperCase","UpperCase"],["toLowerCase"],["toTitleCase","TitleCase"]];return t.forEach(function(t){var r=t[0],n=t[1],i=function(){var e=arguments;return this.terms.forEach(function(t){t[r].apply(t,e)}),n&&this.tag(n,r),this};e.prototype[r]=i}),e};t.exports=n},{}],201:[function(e,t,r){"use strict";var n=e("../../../term"),i=function(e,t){var r=e.whitespace.before+e.text+e.whitespace.after;return r+=t.whitespace.before+t.text+t.whitespace.after},a=function(e,t){var r,a=e.terms[t],s=e.terms[t+1];s&&(r=i(a,s),e.terms[t]=new n(r,a.context),e.terms[t].normal=a.normal+" "+s.normal,e.terms[t].parentTerms=e.terms[t+1].parentTerms,e.terms[t+1]=null,e.terms=e.terms.filter(function(e){return null!==e}))};t.exports=a},{"../../../term":169}],202:[function(e,t,r){"use strict";var n=e("./combine"),i=e("../../mutate"),a=function(e,t){var r,i,a=e.terms.length;for(r=0;a>r;r++)n(e,0);return i=e.terms[0],i.tags=t,i},s=function(e){return e.prototype.lump=function(){var e,t,r=this.index(),n={};return this.terms.forEach(function(e){Object.keys(e.tags).forEach(function(e){return n[e]=!0})}),this.parentTerms===this?(e=a(this,n),this.terms=[e],this):(this.parentTerms=i.deleteThese(this.parentTerms,this),t=a(this,n),this.parentTerms.terms=i.insertAt(this.parentTerms.terms,r,t),this)},e};t.exports=s},{"../../mutate":208,"./combine":201}],203:[function(e,t,r){"use strict";var n=e("../../tagger"),i=function(e){var t={tagger:function(){return n(this),this},firstTerm:function(){return this.terms[0]},lastTerm:function(){return this.terms[this.terms.length-1]},all:function(){return this.parent},data:function(){return{text:this.out("text"),normal:this.out("normal")}},term:function(e){return this.terms[e]},first:function(){var t=this.terms[0];return new e([t],this.lexicon,this.refText,this.refTerms)},last:function(){var t=this.terms[this.terms.length-1];return new e([t],this.lexicon,this.refText,this.refTerms)},slice:function(t,r){var n=this.terms.slice(t,r);return new e(n,this.lexicon,this.refText,this.refTerms)},endPunctuation:function(){return this.last().terms[0].endPunctuation()},index:function(){var e,t=this.parentTerms,r=this.terms[0];if(!t||!r)return null;for(e=0;e0&&i[0]&&!i[0].whitespace.before&&(i[0].whitespace.before=" "),Array.prototype.splice.apply(e,[t,0].concat(i)),e}},{}],209:[function(e,t,r){"use strict";t.exports={data:e("../data"),lexicon:e("../data"),fns:e("../fns"),Term:e("../term")}},{"../data":6,"../fns":21,"../term":169}],210:[function(e,t,r){"use strict";t.exports="0:68;1:5A;2:6A;3:4I;4:5K;5:5N;6:62;7:66;a5Yb5Fc51d4Le49f3Vg3Ih35i2Tj2Rk2Ql2Fm27n1Zo1Kp13qu11r0Vs05tYuJvGw8year1za1D;arEeDholeCiBo9r8;o4Hy;man1o8u5P;d5Rzy;ck0despr63ly,ry;!sa3;a4Gek1lco1C;p0y;a9i8ola3W;b6Fol4K;gabo5Hin,nilla,rio5B;g1lt3ZnDpArb4Ms9tter8;!mo6;ed,u2;b1Hp9s8t19;ca3et,tairs;er,i3R;authorFdeDeCfair,ivers2known,like1precedMrAs9ti5w8;iel5ritt5C;ig1Kupervis0;e8u1;cognBgul5Il5I;v58xpect0;cid0r8;!grou53stood;iz0;aCeBiAo9r8;anqu4Jen5i4Doubl0ue;geth4p,rp5H;dy,me1ny;en57st0;boo,l8n,wd3R;ent0;aWca3PeUhTiRkin0FlOmNnobb42oKpIqueam42tCu8ymb58;bAdd4Wp8r3F;er8re0J;!b,i1Z;du0t3;aCeAi0Nr9u8yl3X;p56r5;aightfor4Vip0;ad8reotyp0;fa6y;nda5Frk;a4Si8lend51rig0V;cy,r19;le9mb4phist1Lr8u13vi3J;d4Yry;!mn;el1ug;e9i8y;ck,g09my;ek,nd4;ck,l1n8;ce4Ig3;a5e4iTut,y;c8em1lf3Fni1Fre1Eve4Gxy;o11r38;cr0int1l2Lme,v1Z;aCeAi9o8;bu6o2Csy,y2;ght0Ytzy,v2;a8b0Ucondi3Emo3Epublic37t1S;dy,l,r;b4Hci6gg0nd3S;a8icke6;ck,i4V;aKeIhoHicayu13lac4EoGr9u8;bl4Amp0ny;eDiAo8;!b02f8p4;ou3Su7;c9m8or;a2Le;ey,k1;ci7mi14se4M;li30puli6;ny;r8ti2Y;fe4Cv2J;in1Lr8st;allel0t8;-ti8i2;me;bKffIi1kHnGpFrg0Yth4utEv8;al,er8;!aBn9t,w8;e8roug9;ig8;ht;ll;do0Ger,g1Ysi0E;en,posi2K;g1Wli0D;!ay;b8li0B;eat;e7s8;ce08ole2E;aEeDiBo8ua3M;b3n9rLsy,t8;ab3;descri3Qstop;g8mb3;ht1;arby,cessa1Pighbor1xt;ive,k0;aDeBiAo8ultip3;bi3dern,l5n1Jo8st;dy,t;ld,nX;a8di04re;s1ty;cab2Vd1genta,in,jUkeshift,le,mmo8ny;th;aHeCiAo8;f0Zne1u8ve1w1y2;sy,t1Q;ke1m8ter2ve1;it0;ftBg9th2v8wd;el;al,e8;nda17;!-Z;ngu2Sst,tt4;ap1Di0EnoX;agg0ol1u8;i1ZniFstifi0veni3;cy,de2gno33llImFn8;br0doDiGn4sAt8;a2Wen7ox8;ic2F;a9i8;de;ne;or;men7p8;ar8erfe2Port0rop4;ti2;!eg2;aHeEiCoBu8;ge,m8rt;b3dr8id;um;me1ne6ok0s03ur1;ghfalut1Bl1sp8;an23;a9f03l8;l0UpO;dy,ven1;l9n5rro8;wi0A;f,low0;aIener1WhGid5loFoDr9u8;ard0;aAey,is1o8;o8ss;vy;tis,y;ld,ne,o8;d,fy;b2oI;a8o8;st1;in8u5y;ful;aIeGiElag21oArie9u8;n,rY;nd1;aAol09r8ul;e8m4;gPign;my;erce ,n8t;al,i09;ma3r8;ti3;bl0ke,l7n0Lr,u8vori06;l8x;ty;aEerie,lDnti0ZtheCvBx8;a1Hcess,pe9t8ube1M;ra;ct0rt;eryday,il;re2;dLiX;rBs8;t,yg8;oi8;ng;th1;aLeHiCoArea9u8;e,mb;ry;ne,ub3;le;dact0Officu0Xre,s9v8;er7;cre9eas0gruntl0hone6ord8tress0;er1;et;adpAn7rang0t9vo8;ut;ail0ermin0;an;i1mag0n8pp4;ish;agey,ertaKhIivHlFoAr8udd1;a8isp,owd0;mp0vZz0;loBm9ncre8rZst1vert,ward1zy;te;mon,ple8;te,x;ni2ss2;ev4o8;s0u5;il;eesy,i8;ef,l1;in;aLeIizarTlFoBrAu8;r1sy;ly;isk,okK;gAld,tt9un8;cy;om;us;an9iCo8;nd,o5;d,k;hi9lov0nt,st,tt4yo9;er;nd;ckBd,ld,nkArr9w5;dy;en;ruW;!wards;bRctu2dKfraJgain6hHlEntiquDpCrab,sleep,verBw8;a9k8;waU;re;age;pareUt;at0;coh8l,oof;ol8;ic;ead;st;id;eHuCv8;a9er7;se;nc0;ed;lt;al;erElDoBruAs8;eEtra8;ct;pt;a8ve;rd;aze,e;ra8;nt"},{}],211:[function(e,t,r){"use strict";t.exports="a06by 04d00eXfShQinPjustOkinda,mMnKoFpDquite,rAs6t3up2very,w1ye0;p,s;ay,ell; to,wards5;h1o0wiN;o,t6ward;en,us;everal,o0uch;!me1on,rt0; of;hVtimes,w05;a1e0;alQ;ndomPthL;ar excellCer0oint blank; Khaps;f3n0;ce0ly;! 0;agYmoS; courFten;ewHo0; longCt withstanding;aybe,eanwhi9ore0;!ovA;! aboR;deed,steS;en0;ce;or1urther0;!moH; 0ev3;examp0good,suF;le;n mas1v0;er;se;amn,e0irect1; 1finite0;ly;ju7trop;far,n0;ow; CbroBd nauseam,gAl5ny2part,side,t 0w3;be5l0mo5wor5;arge,ea4;mo1w0;ay;re;l 1mo0one,ready,so,ways;st;b1t0;hat;ut;ain;ad;lot,posteriori"},{}],212:[function(e,t,r){"use strict";t.exports="aCbBcAd9f8h7i6jfk,kul,l4m3ord,p1s0yyz;fo,yd;ek,h0;l,x;co,ia,uc;a0gw,hr;s,x;ax,cn,st;kg,nd;co,ra;en,fw,xb;dg,gk,lt;cn,kk;ms,tl"},{}],213:[function(e,t,r){"use strict";t.exports="a2Tb23c1Td1Oe1Nf1Lg1Gh18i16jakar2Ek0Xl0Rm0En0Ao08pXquiWrTsJtAu9v6w3y1z0;agreb,uri1W;ang1Qe0okohama;katerin1Frev31;ars1ellingt1Oin0rocl1;nipeg,terth0V;aw;a1i0;en2Glni2Y;lenc2Tncouv0Gr2F;lan bat0Dtrecht;a6bilisi,e5he4i3o2rondheim,u0;nVr0;in,ku;kyo,ronIulouC;anj22l13miso2Ira29; haJssaloni0X;gucigalpa,hr2Nl av0L;i0llinn,mpe2Angi07rtu;chu21n2LpT;a3e2h1kopje,t0ydney;ockholm,uttga11;angh1Eenzh1W;o0KvZ;int peters0Ul3n0ppo1E; 0ti1A;jo0salv2;se;v0z0Q;adU;eykjavik,i1o0;me,sario,t24;ga,o de janei16;to;a8e6h5i4o2r0ueb1Pyongya1M;a0etor23;gue;rt0zn23; elizabe3o;ls1Frae23;iladelph1Ynom pe07oenix;r0tah tik18;th;lerJr0tr0Z;is;dessa,s0ttawa;a1Glo;a2ew 0is;delTtaip0york;ei;goya,nt0Tpl0T;a5e4i3o1u0;mb0Kni0H;nt0scH;evideo,real;l1Ln01skolc;dellín,lbour0R;drid,l5n3r0;ib1se0;ille;or;chest0dalay,i0Y;er;mo;a4i1o0uxembou1FvAy00;ndZs angel0E;ege,ma0nz,sbYverpo1;!ss0;ol; pla0Husan0E;a5hark4i3laipeda,o1rak0uala lump2;ow;be,pavog0sice;ur;ev,ng8;iv;b3mpa0Jndy,ohsiu0Gra0un02;c0j;hi;ncheLstanb0̇zmir;ul;a5e3o0; chi mi1ms,u0;stH;nh;lsin0rakliF;ki;ifa,m0noi,va09;bu0RiltC;dan3en2hent,iza,othen1raz,ua0;dalaj0Fngzhou,tema05;bu0O;eToa;sk;es,rankfu0;rt;dmont4indhovU;a1ha01oha,u0;blRrb0Eshanbe;e0kar,masc0FugavpiJ;gu,je0;on;a7ebu,h2o0raioJuriti01;lo0nstanJpenhagNrk;gFmbo;enn3i1ristchur0;ch;ang m1c0ttagoL;ago;ai;i0lgary,pe town,rac4;ro;aHeBirminghWogoAr5u0;char3dap3enos air2r0sZ;g0sa;as;es;est;a2isba1usse0;ls;ne;silPtisla0;va;ta;i3lgrade,r0;g1l0n;in;en;ji0rut;ng;ku,n3r0sel;celo1ranquil0;la;na;g1ja lu0;ka;alo0kok;re;aBb9hmedabad,l7m4n2qa1sh0thens,uckland;dod,gabat;ba;k0twerp;ara;m5s0;terd0;am;exandr0maty;ia;idj0u dhabi;an;lbo1rh0;us;rg"},{}],214:[function(e,t,r){"use strict";t.exports="0:39;1:2M;a2Xb2Ec22d1Ye1Sf1Mg1Bh19i13j11k0Zl0Um0Gn05om3DpZqat1JrXsKtCu6v4wal3yemTz2;a25imbabwe;es,lis and futu2Y;a2enezue32ietnam;nuatu,tican city;.5gTkraiZnited 3ruXs2zbeE;a,sr;arab emirat0Kkingdom,states2;! of am2Y;k.,s.2; 28a.;a7haBimor-les0Bo6rinidad4u2;nis0rk2valu;ey,me2Ys and caic1U; and 2-2;toba1K;go,kel0Ynga;iw2Wji2nz2S;ki2U;aCcotl1eBi8lov7o5pa2Cri lanka,u4w2yr0;az2ed9itzerl1;il1;d2Rriname;lomon1Wmal0uth 2;afr2JkLsud2P;ak0en0;erra leoEn2;gapo1Xt maart2;en;negKrb0ychellY;int 2moa,n marino,udi arab0;hele25luc0mart20;epublic of ir0Com2Duss0w2;an26;a3eHhilippinTitcairn1Lo2uerto riM;l1rtugE;ki2Cl3nama,pua new0Ura2;gu6;au,esti2;ne;aAe8i6or2;folk1Hth3w2;ay; k2ern mariana1C;or0N;caragua,ger2ue;!ia;p2ther19w zeal1;al;mib0u2;ru;a6exi5icro0Ao2yanm04;ldova,n2roc4zamb9;a3gol0t2;enegro,serrat;co;c9dagascZl6r4urit3yot2;te;an0i15;shall0Wtin2;ique;a3div2i,ta;es;wi,ys0;ao,ed01;a5e4i2uxembourg;b2echtenste11thu1F;er0ya;ban0Hsotho;os,tv0;azakh1Ee2iriba03osovo,uwait,yrgyz1E;eling0Knya;a2erFord1D;ma16p1C;c6nd5r3s2taly,vory coast;le of m1Arael;a2el1;n,q;ia,oJ;el1;aiTon2ungary;dur0Ng kong;aBeAha0Qibralt9re7u2;a5ern4inea2ya0P;!-biss2;au;sey;deloupe,m,tema0Q;e2na0N;ce,nl1;ar;org0rmany;bTmb0;a6i5r2;ance,ench 2;guia0Dpoly2;nes0;ji,nl1;lklandTroeT;ast tim6cu5gypt,l salv5ngl1quatorial3ritr4st2thiop0;on0; guin2;ea;ad2;or;enmark,jibou4ominica3r con2;go;!n B;ti;aAentral african 9h7o4roat0u3yprQzech2; 8ia;ba,racao;c3lo2morPngo-brazzaville,okFsta r03te d'ivoiK;mb0;osD;i2ristmasF;le,na;republic;m2naTpe verde,yman9;bod0ero2;on;aFeChut00o8r4u2;lgar0r2;kina faso,ma,undi;azil,itish 2unei;virgin2; is2;lands;liv0nai4snia and herzegoviGtswaGuvet2; isl1;and;re;l2n7rmuF;ar2gium,ize;us;h3ngladesh,rbad2;os;am3ra2;in;as;fghaFlCmAn5r3ustr2zerbaijH;al0ia;genti2men0uba;na;dorra,g4t2;arct6igua and barbu2;da;o2uil2;la;er2;ica;b2ger0;an0;ia;ni2;st2;an"},{}],215:[function(e,t,r){"use strict";t.exports="0:17;a0Wb0Mc0Bd09e08f06g03h01iXjUkSlOmKnHomGpCqatari,rAs6t4u3v2wel0Qz1;am0Eimbabwe0;enezuel0ietnam0G;g8krai11;aiwShai,rinida0Hu1;ni0Prkmen;a3cot0Je2ingapoNlovak,oma0Tpa04udQw1y0X;edi0Jiss;negal0Ar07;mo0uT;o5us0Kw1;and0;a2eru0Ghilipp0Po1;li0Drtugu05;kist2lesti0Qna1raguay0;ma0P;ani;amiYi1orweO;caragu0geri1;an,en;a2ex0Mo1;ngo0Erocc0;cedo0Ila1;gasy,y07;a3eb8i1;b1thua0F;e0Dy0;o,t01;azakh,eny0o1uwaiti;re0;a1orda0A;ma0Bp1;anM;celandic,nd3r1sraeli,ta02vo06;a1iS;ni0qi;i0oneU;aiCin1ondur0unM;di;amCe1hanai0reek,uatemal0;or1rm0;gi0;i1ren6;lipino,n3;cuadoVgyp5ngliIstoWthiopi0urope0;a1ominXut3;niG;a8h5o3roa2ub0ze1;ch;ti0;lom1ngol4;bi0;a5i1;le0n1;ese;liforLm1na2;bo1erooK;di0;a9el7o5r2ul1;gaG;aziBi1;ti1;sh;li1sD;vi0;aru1gi0;si0;ngladeshi,sque;f9l6merAngol0r4si0us1;sie,tr1;a1i0;li0;gent1me4;ine;ba2ge1;ri0;ni0;gh0r1;ic0;an"},{}],216:[function(e,t,r){"use strict";t.exports="aZbYdTeRfuck,gQhKlHmGnFoCpAsh9u7voi01w3y0;a1eKu0;ck,p;!a,hoo,y;h1ow,t0;af,f;e0oa;e,w;gh,h0;! huh,-Oh,m;eesh,hh,it;ff,hew,l0sst;ease,z;h1o0w,y;h,o,ps;!h;ah,ope;eh,mm;m1ol0;!s;ao,fao;a3e1i,mm,urr0;ah;e,ll0y;!o;ha0i;!ha;ah,ee,oodbye,rr;e0h,t cetera,ww;k,p;'3a0uh;m0ng;mit,n0;!it;oh;ah,oo,ye; 1h0rgh;!em;la"},{}],217:[function(e,t,r){"use strict";t.exports="0:81;1:7E;2:7G;3:7Y;4:65;5:7P;6:7T;7:7O;8:7U;9:7C;A:6K;B:7R;C:6X;D:79;a78b6Pc5Ud5Ce4Rf4Jg47h3Zi3Uj38k2Sl21m1An14o12p0Ur0FsYtNursu9vIwGyEza7;olan2vE;etDon5Z;an2enMhi6PilE;a,la,ma;aHeFiE;ctor1o9rgin1vi3B;l4VrE;a,na,oniA;len5Ones7N;aLeJheIi3onHrE;acCiFuE;dy;c1na,s8;i4Vya;l4Nres0;o3GrE;e1Oi,ri;bit8mEn29ra,s8;a7iEmy;!ka;aTel4HhLiKoItHuFyE;b7Tlv1;e,sEzV;an17i;acCel1H;f1nEph1;d7ia,ja,ya;lv1mon0;aHeEi24;e3i9lFrE;i,yl;ia,ly;nFrEu3w3;i,on;a,ia,nEon;a,on;b24i2l5Ymant8nd7raB;aPeLhon2i5oFuE;by,th;bIch4Pn2sFxE;an4W;aFeE;ma2Ut5;!lind;er5yn;bFnE;a,ee;a,eE;cAkaB;chEmo3qu3I;a3HelEi2;!e,le;aHeGhylFriE;scil0Oyamva2;is,lis;arl,t7;ige,mGrvati,tricFulE;a,etDin0;a,e,ia;!e9;f4BlE;ga,iv1;aIelHiForE;a,ma;cEkki,na;ho2No2N;!l;di6Hi36o0Qtas8;aOeKiHonFrignayani,uri2ZyrE;a,na,t2J;a,iE;ca,q3G;ch3SlFrE;an2iam;dred,iA;ag1DgGliFrE;ced63edi36;n2s5Q;an,han;bSdel4e,gdale3li59nRrHtil2uGvFx4yE;a,ra;is;de,re6;cMgKiGl3Fs8tFyanE;!n;a,ha,i3;aFb2Hja,l2Ena,sEtza;a,ol,sa;!nE;!a,e,n0;arEo,r4AueriD;et4Ai5;elLia;dakran5on,ue9;el,le;aXeSiOoKuGyE;d1nE;!a,da,e4Vn1D;ciGelFiEpe;sa;a,la;a,l3Un2;is,la,rEui2Q;aFeEna,ra4;n0t5;!in0;lGndEsa;a,sE;ay,ey,i,y;a,i0Fli0F;aHiGla,nFoEslCt1M;la,na;a,o7;gh,la;!h,n07;don2Hna,ra,tHurFvern0xE;mi;a,eE;l,n;as8is8oE;nEya;ya;aMeJhadija,iGrE;istEy2G;a,en,in0M;mErst6;!beE;rlC;is8lFnd7rE;i,ri;ey,i,lCy;nyakumari,rItFvi5yE;!la;aFe,hEi3Cri3y;ar4er4le6r12;ri3;a,en,iEla;!ma,n;aTeNilKoGuE;anEdi1Fl1st4;a,i5;!anGcel0VdFhan1Rl3Eni,seEva3y37;fi3ph4;i32y;!a,e,n02;!iFlE;!iE;an;anHle3nFri,sE;iAsiA;a,if3LnE;a,if3K;a,e3Cin0nE;a,e3Bin0;cHde,nEsm4vie7;a,eFiE;ce,n0s;!l2At2G;l0EquelE;in0yn;da,mog2Vngrid,rHsEva;abelFiE;do7;!a,e,l0;en0ma;aIeGilE;aEda,laE;ry;ath33i26lenEnriet5;!a,e;nFrE;i21ri21;aBnaB;aMeKiJlHrFwenE;!dolY;acEetch6;e,ie9;adys,enEor1;a,da,na;na,seH;nevieve,orgi0OrE;ald4trude;brielFil,le,yE;le;a,e,le;aKeIlorHrE;ancEe2ie2;es,iE;n0sA;a,en1V;lErn;ic1;tiPy1P;dWile6k5lPmOrMstJtHuGvE;a,elE;yn;gen1la,ni1O;hEta;el;eEh28;lEr;a,e,l0;iEma,nest4;ca,ka,n;ma;a4eIiFl6ma,oiVsa,vE;a,i7;sEzaF;aEe;!beH;anor,nE;!a;iEna;th;aReKiJoE;lHminiqGnPrE;a,e6is,othE;ea,y;ue;ly,or24;anWna;anJbIe,lGnEsir1Z;a,iE;se;a,ia,la,orE;es,is;oraBra;a,na;m1nFphn0rlE;a,en0;a,iE;el08;aYeVhSlOoHrEynth1;isFyE;stal;ti3;lJnsHrEur07;a,inFnE;el1;a,e,n0;tanEuelo;ce,za;e6le6;aEeo;ire,rFudE;etDia;a,i0A;arl0GeFloe,ristE;a,in0;ls0Qryl;cFlE;esDi1D;el1il0Y;itlin,milMndLrIsHtE;ali3hE;er4le6y;in0;a0Usa0U;a,la,meFolE;!e,in0yn;la,n;aViV;e,le;arbVeMiKlKoni5rE;anIen2iEooke;dgFtE;tnC;etE;!te;di;anA;ca;atriLcky,lin2rItFulaBverE;ly;h,tE;e,yE;!e;nEt8;adOiE;ce;ce,z;a7ra;biga0Kd0Egn0Di08lZmVnIrGshlCudrEva;a,ey,i,y;ey,i,y;lEpi5;en0;!a,dNeLgelJiIja,nGtoE;inEn1;etD;!a,eIiE;ka;ka,ta;a,iE;a,ca,n0;!tD;te;je9rE;ea;la;an2bFel1i3y;ia;er;da;ber5exaJiGma,ta,yE;a,sE;a,sa;cFsE;a,ha,on;e,ia;nd7;ra;ta;c8da,le6mFshaB;!h;ee;en;ha;es;a,elGriE;a3en0;na;e,iE;a,n0;a,e;il"},{}],218:[function(e,t,r){"use strict";t.exports="aJblair,cHdevGguadalupe,jBk9l8m5r2sh0trinity;ay,e0iloh;a,lby;e1o0;bin,sario;ag1g1ne;ar1el,org0;an;ion,lo;ashawn,ee;asAe0;ls9nyatta,rry;a1e0;an,ss2;de,ime,m0n;ie,m0;ie;an,on;as0heyenne;ey,sidy;lexis,ndra,ubr0;ey"},{}],219:[function(e,t,r){"use strict";t.exports="0:1P;1:1Q;a1Fb1Bc12d0Ye0Of0Kg0Hh0Di09june07kwanzaa,l04m00nYoVpRrPsEt8v6w4xm03y2;om 2ule;hasho16kippur;hit2int0Xomens equalit7; 0Ss0T;aGe2ictor1E;r1Bteran0;-1ax 1h6isha bav,rinityNu2; b3rke2;y 1;ish2she2;vat;a0Ye prophets birth1;a6eptember15h4imchat tor0Vt 3u2;kk4mmer U;a9p8s7valentines day ;avu2mini atzeret;ot;int 2mhain;a5p4s3va2;lentine0;tephen0;atrick0;ndrew0;amadan,ememberanc0Yos2;a park0h hashana;a3entecost,reside0Zur2;im,ple heart 1;lm2ssovE; s04;rthodox 2stara;christma0easter2goOhoJn0C;! m07;ational 2ew years09;freedom 1nurse0;a2emorial 1lHoOuharram;bMr2undy thurs1;ch0Hdi gr2tin luther k0B;as;a2itRughnassadh;bour 1g baom2ilat al-qadr;er; 2teenth;soliU;d aJmbolc,n2sra and miraj;augurGd2;ependen2igenous people0;c0Bt0;a3o2;ly satur1;lloween,nukkUrvey mil2;k 1;o3r2;ito de dolores,oundhoW;odW;a4east of 2;our lady of guadalupe,the immaculate concepti2;on;ther0;aster8id 3lectYmancip2piphany;atX;al-3u2;l-f3;ad3f2;itr;ha;! 2;m8s2;un1;ay of the dead,ecemb3i2;a de muertos,eciseis de septiembre,wali;er sol2;stice;anad8h4inco de mayo,o3yber m2;on1;lumbu0mmonwealth 1rpus christi;anuk4inese n3ristmas2;! N;ew year;ah;a 1ian tha2;nksgiving;astillCeltaine,lack4ox2;in2;g 1; fri1;dvent,ll 9pril fools,rmistic8s6u2;stral4tum2;nal2; equinox;ia 1;cens2h wednes1sumption of mary;ion 1;e 1;hallows 6s2;ai2oul0t0;nt0;s 1;day;eve"},{}],220:[function(e,t,r){"use strict";t.exports="0:2S;1:38;2:36;3:2B;4:2W;5:2Y;a38b2Zc2Ld2Be28f23g1Yh1Ni1Ij1Ck15l0Xm0Ln0Ho0Ep04rXsMtHvFwCxBy8zh6;a6ou,u;ng,o;a6eun2Roshi1Iun;ma6ng;da,guc1Xmo24sh1ZzaQ;iao,u;a7eb0il6o4right,u;li39s2;gn0lk0ng,tanabe;a6ivaldi;ssilj35zqu1;a9h8i2Do7r6sui,urn0;an,ynisI;lst0Nrr2Sth;at1Romps2;kah0Tnaka,ylor;aDchCeBhimizu,iAmi9o8t7u6zabo;ar1lliv27zuD;al21ein0;sa,u4;rn3th;lva,mmo22ngh;mjon3rrano;midt,neid0ulz;ito,n7sa6to;ki;ch1dKtos,z;amBeag1Xi9o7u6;bio,iz,s2L;b6dri1KgHj0Sme22osevelt,sZux;erts,ins2;c6ve0E;ci,hards2;ir1os;aDe9h7ic6ow1Z;as2Ehl0;a6illips;m,n1S;ders5et8r7t6;e0Or3;ez,ry;ers;h20rk0t6vl3;el,te0K;baBg0Blivei01r6;t6w1O;ega,iz;a6eils2guy5ix2owak,ym1D;gy,ka6var1J;ji6muW;ma;aEeCiBo8u6;ll0n6rr0Cssolini,ñ6;oz;lina,oKr6zart;al1Me6r0T;au,no;hhail3ll0;rci0s6y0;si;eWmmad3r6tsu08;in6tin1;!o;aCe8i6op1uo;!n6u;coln,dholm;e,fe7n0Pr6w0I;oy;bv6v6;re;rs5u;aBennedy,imuAle0Ko8u7wo6;k,n;mar,znets3;bay6vacs;asY;ra;hn,rl9to,ur,zl3;aAen9ha4imen1o6u4;h6n0Yu4;an6ns2;ss2;ki0Ds5;cks2nsse0C;glesi9ke8noue,shik7to,vano6;u,v;awa;da;as;aCe9it8o7u6;!a4b0gh0Nynh;a4ffmann,rvat;chcock,l0;mingw7nde6rL;rs2;ay;ns5rrOs7y6;asCes;an3hi6;moH;a8il,o7rub0u6;o,tierr1;m1nzal1;nd6o,rcia;hi;er9is8lor08o7uj6;ita;st0urni0;ch0;nand1;d7insteHsposi6vaL;to;is2wards;aCeBi9omin8u6;bo6rand;is;gu1;az,mitr3;ov;lgado,vi;rw7vi6;es,s;in;aFhBlarkAo6;h5l6op0x;em7li6;ns;an;!e;an8e7iu,o6ristens5u4we;i,ng,u4w,y;!n,on6u4;!g;mpb8rt0st6;ro;er;ell;aBe8ha4lanco,oyko,r6yrne;ooks,yant;ng;ck7ethov5nnett;en;er,ham;ch,h7iley,rn6;es;k,ng;dEl9nd6;ers6rB;en,on,s2;on;eks8iy9on7var1;ez;so;ej6;ev;ams"},{}],221:[function(e,t,r){"use strict";t.exports="0:A8;1:9I;2:9Z;3:9Q;4:93;5:7V;6:9B;7:9W;8:8K;9:7H;A:9V;a96b8Kc7Sd6Ye6Af5Vg5Gh4Xi4Nj3Rk3Jl33m25n1Wo1Rp1Iqu1Hr0Xs0EtYusm0vVwLxavi3yDzB;aBor0;cha52h1E;ass2i,oDuB;sEuB;ma,to;nEsDusB;oBsC;uf;ef;at0g;aIeHiCoB;lfga05odrow;lBn16;bDfr9IlBs1;a8GiB;am2Qe,s;e6Yur;i,nde7Zsl8;de,lBrr7y6;la5t3;an5ern1iB;cBha0nce2Wrg7Sva0;ente,t4I;aPeKhJimIoErCyB;!l3ro6s1;av6OeBoy;nt,v4E;bDdd,mBny;!as,mBoharu;a93ie,y;i9y;!my,othy;eodo0Nia6Aom9;dErB;en5rB;an5eBy;ll,n5;!dy;ic84req,ts3Myl42;aNcottMeLhIiHoFpenc3tBur1Fylve76zym1;anDeBua6A;f0ph8OrliBve4Hwa69;ng;!islaw,l8;lom1uB;leyma6ta;dn8m1;aCeB;ld1rm0;h02ne,qu0Hun,wn;an,basti0k1Nl3Hrg3Gth;!y;lEmDntBq3Yul;iBos;a5Ono;!m7Ju4;ik,vaB;d3JtoY;aQeMicKoEuCyB;an,ou;b7dBf67ssel5X;ol2Fy;an,bFcky,dEel,geDh0landAm0n5Dosevelt,ry,sCyB;!ce;coe,s;l31r;e43g3n8o8Gri5C;b7Ie88;ar4Xc4Wha6YkB;!ey,y;gCub7x,yBza;ansh,nal4U;g7DiB;na79s;chDfa4l22mCndBpha4ul,y58;al5Iol21;i7Yon;id;ent2int1;aIeEhilDierCol,reB;st1;re;!ip,lip;d7RrDtB;ar,eB;!r;cy,ry;bLt3Iul;liv3m7KrDsCtBum78w7;is,to;ama,c76;i,l3NvB;il4H;athanIeHiDoB;aBel,l0ma0r2G;h,m;cDiCkB;h5Oola;lo;hol9k,ol9;al,d,il,ls1;!i4;aUeSiKoFuByr1;hamDrCstaB;fa,pha;ad,ray;ed,mF;dibo,e,hamDntCrr4EsBussa;es,he;e,y;ad,ed,mB;ad,ed;cFgu4kDlCnBtche5C;a5Yik;an,os,t1;e,olB;aj;ah,hBk8;a4eB;al,l;hBlv2r3P;di,met;ck,hLlKmMnu4rGs1tCuri5xB;!imilianA;eo,hCi9tB;!eo,hew,ia;eBis;us,w;cDio,kAlCsha4WtBv2;i21y;in,on;!el,oIus;colm,ik;amBdi,moud;adB;ou;aMeJiIl2AoEuBy39;c9is,kBth3;aBe;!s;g0nn5HrenDuBwe4K;!iB;e,s;!zo;am,on4;evi,i,la3YoBroy,st3vi,w3C;!nB;!a4X;mCn5r0ZuBwB;ren5;ar,oB;nt;aGeChaled,irBrist40u36y2T;k,ollos;i0Vlv2nBrmit,v2;!dCnBt;e0Ty;a43ri3T;na50rBthem;im,l;aYeRiPoDuB;an,liBni0Nst2;an,o,us;aqu2eKhnJnGrEsB;eChB;!ua;!ph;dBge;an,i;!aB;s,thB;an,on;!ath0n4A;!l,sBy;ph;an,e,mB;!m46;ffFrCsB;s0Vus;a4BemCmai6oBry;me,ni0H;i5Iy;!e01rB;ey,y;cGd7kFmErDsCvi3yB;!d7;on,p3;ed,r1G;al,es;e,ob,ub;kBob;!s1;an,brahJchika,gHk3lija,nuGrEsDtBv0;ai,sB;uki;aac,ha0ma4;a,vinB;!g;k,nngu3X;nacBor;io;im;aKeFina3SoDuByd42;be1RgBmber3GsD;h,o;m3ra5sBwa35;se2;aEctDitDnCrB;be1Mm0;ry;or;th;bIlHmza,ns,o,rCsBya37;an,s0;lEo3CrDuBv8;hi34ki,tB;a,o;is1y;an,ey;!im;ib;aLeIilbe3YlenHord1rDuB;illerBstavo;mo;aDegBov3;!g,orB;io,y;dy,h43nt;!n;ne,oCraB;ld,rdA;ffr8rge;brielDrB;la1IrBy;eZy;!e;aOeLiJlIorr0CrB;anDedB;!d2GeBri1K;ri1J;cCkB;!ie,l2;esco,isB;!co,zek;oyd;d4lB;ip;liCng,rnB;anX;pe,x;bi0di;arWdRfra2it0lNmGnFrCsteb0th0uge6vBym7;an,ereH;gi,iCnBv2w2;estAie;c02k;rique,zo;aGiDmB;aFeB;tt;lCrB;!h0;!io;nu4;be02d1iDliCm3t1v2woB;od;ot1Bs;!as,j34;!d1Xg28mEuCwB;a1Din;arB;do;o0Fu0F;l,nB;est;aSeKieJoDrag0uCwByl0;ay6ight;a6st2;minEnDugCyB;le;!l9;!a1Hn1K;go,icB;!k;go;an,j0lbeHmetriYnFrEsDvCwBxt3;ay6ey;en,in;moZ;ek,ri05;is,nB;is;rt;lKmJnIrDvB;e,iB;!d;iEne08rBw2yl;eBin,yl;lBn;!l;n,us;!e,i4ny;i1Fon;e,l9;as;aXeVhOlFoCraig,urtB;!is;dy,l2nrad,rB;ey,neliBy;us;aEevelaDiByG;fBnt;fo06t1;nd;rDuCyB;!t1;de;en5k;ce;aFeErisCuB;ck;!tB;i0oph3;st3;d,rlBse;es,ie;cBdric,s0M;il;lEmer1rB;ey,lCroBt3;ll;!os,t1;eb,v2;arVePilOlaNobMrCuByr1;ddy,rt1;aGeDi0uCyB;anDce,on;ce,no;nCtB;!t;d0t;dBnd1;!foCl8y;ey;rd;!by;i6ke;al,lF;nDrBshoi;at,naBt;rdA;!iCjam2nB;ie,y;to;ry,t;ar0Pb0Hd0Egu0Chme0Bid7jani,lUmSnLputsiKrCsaBu0Cya0ziz;hi;aHchGi4jun,maEnCon,tBy0;hur,u04;av,oB;ld;an,ndA;el;ie;ta;aq;dFgelAtB;hony,oB;i6nB;!iA;ne;reBy;!a,s,w;ir,mBos;ar;!an,beOeIfFi,lEonDt1vB;aMin;on;so,zo;an,en;onCrB;edA;so;jEksandDssExB;!and3is;er;ar,er;andB;ro;rtA;!o;en;d,t;st2;in;amCoBri0vik;lfo;!a;dDel,rahCuB;!bakr,lfazl;am;allEel,oulaye,ulB;lCrahm0;an;ah,o;ah;av,on"},{}],222:[function(e,t,r){"use strict";t.exports="ad hominPbKcJdGeEfCgBh8kittNlunchDn7othersDp5roomQs3t0us dollarQ;h0icPragedM;ereOing0;!sA;tu0uper bowlMystL;dAffL;a0roblJurpo4;rtJt8;othGumbA;ead startHo0;meGu0;seF;laci6odErand slamE;l oz0riendDundB;!es;conom8ggBnerg8v0xamp7;entA;eath9inn1o0;gg5or8;er7;anar3eil4it3ottage6redit card6;ank3o0reakfast5;d1tt0;le3;ies,y;ing1;em0;!s"},{}],223:[function(e,t,r){"use strict";t.exports="0:2Q;1:20;2:2I;a2Db24c1Ad11e0Uf0Tg0Qh0Kin0Djourn1l07mWnewsVoTpLquartet,rIs7t5u3worke1K;ni3tilG;on,vA;ele3im2Oribun1v;communica1Jgraph,vi1L;av0Hchool,eBo8t4ubcommitt1Ny3;ndic0Pstems;a3ockV;nda22te 3;poli2univ3;ersi27;ci3ns;al club,et3;e,y;cur3rvice0;iti2C;adio,e3;gionRs3;er19ourc29tauraX;artners9e7harmac6izza,lc,o4r3;ess,oduc13;l3st,wer;i2ytechnic;a0Jeutical0;ople's par1Ttrol3;!eum;!hip;bservLffi2il,ptic1r3;chestra,ganiza22;! servi2;a9e7i5o4use3;e,um;bi10tor0;lita1Bnist3;e08ry;dia,mori1rcantile3; exchange;ch1Ogazi5nage06r3;i4ket3;i0Cs;ne;ab6i5oc3;al 3;aIheaH;beration ar1Fmited;or3s;ato0Y;c,dustri1Gs6ter5vest3;me3o08;nt0;nation1sI;titut3u14;!e3;! of technoloIs;e5o3;ld3sp0Itel0;ings;a3ra6;lth a3;uth0T;a4ir09overnJroup,ui3;ld;s,zet0P;acul0Qede12inanci1m,ounda13und;duca12gli0Blectric8n5s4t3veningH;at;ta0L;er4semb01ter3;prise0tainB;gy;!i0J;a9e4i3rilliG;rectora0FviP;part3sign,velop6;e5ment3;! sto3s;re;ment;ily3ta; news;aSentQhNircus,lLo3rew;!ali0LffJlleHm9n4rp3unc7;o0Js;fe6s3taine9;e4ulti3;ng;il;de0Eren2;m5p3;any,rehensiAute3;rs;i5uni3;ca3ty;tions;s3tt6;si08;cti3ge;ve;ee;ini3ub;c,qK;emica4oir,ronic3urch;le;ls;er,r3;al bank,e;fe,is5p3re,thedr1;it1;al;se;an9o7r4u3;ilding socieEreau;ands,ewe4other3;hood,s;ry;a3ys;rd;k,q3;ue;dministIgencFirDrCss7ut3viaJ;h4ori3;te;ori3;ty;oc5u3;ran2;ce;!iat3;es,iB;my;craft,l3ways;in4;e0i3y;es;!s;ra3;ti3;on"},{}],224:[function(e,t,r){"use strict";t.exports="0:42;1:40;a38b2Pc29d21e1Yf1Ug1Mh1Hi1Ej1Ak18l14m0Tn0Go0Dp07qu06rZsStFuBv8w3y2;amaha,m0Youtu2Rw0Y;a4e2orld trade organizati1;lls fargo,st2;fie23inghou18;l2rner br3B;-m13gree30l street journ25m13;an halOeriz1isa,o2;dafo2Gl2;kswagMvo;bs,n3ps,s2;a tod2Qps;es33i2;lev2Wted natio2T; mobi2Jaco beQd bNeBgi fridaAh4im horto2Smz,o2witt2V;shiba,y2;ota,s r Z;e 2in lizzy;b4carpen31daily ma2Vguess w3holli0rolling st1Ns2w3;mashing pumpki2Nuprem0;ho;ea2lack eyed pe3Dyrds;ch bo2tl0;ys;l3s2;co,la m14;efoni09us;a7e5ieme2Fo3pice gir6ta2ubaru;rbucks,to2L;ny,undgard2;en;a2Px pisto2;ls;few24insbu25msu1W;.e.m.,adiohead,b7e4oyal 2yan2V;b2dutch she5;ank;/max,aders dige1Ed 2vl1;bu2c1Thot chili peppe2Ilobst27;ll;c,s;ant2Tizno2D;an6bs,e4fiz23hilip morrCi3r2;emier25octer & gamb1Qudenti14;nk floyd,zza hut;psi26tro2uge0A;br2Ochina,n2O; 3ason1Wda2E;ld navy,pec,range juli3xf2;am;us;aBbAe6fl,h5i4o2sa,wa;kia,tre dame,vart2;is;ke,ntendo,ss0L;l,s;stl4tflix,w2; 2sweek;kids on the block,york0A;e,é;a,c;nd1Rs3t2;ional aca2Co,we0P;a,cZd0N;aBcdonaldAe6i4lb,o2tv,yspace;b1Knsanto,ody blu0t2;ley crue,or0N;crosoft,t2;as,subisP;dica4rcedes3talli2;ca;!-benz;id,re;'s,s;c's milk,tt11z1V;'ore08a4e2g,ittle caesa1H;novo,x2;is,mark; pres6-z-boy;atv,fc,kk,m2od1H;art;iffy lu0Jo4pmorgan2sa;! cha2;se;hnson & johns1y d1O;bm,hop,n2tv;g,te2;l,rpol; & m,asbro,ewlett-packaSi4o2sbc,yundai;me dep2n1G;ot;tac2zbollah;hi;eneral 7hq,l6o3reen d0Gu2;cci,ns n ros0;ldman sachs,o2;dye2g09;ar;axo smith kliYencore;electr0Gm2;oto0S;a4bi,da,edex,i2leetwood mac,oFrito-l08;at,nancial2restoU; tim0;cebook,nnie mae;b04sa,u,xxon2; m2m2;ob0E;aiml09e6isney,o4u2;nkin donuts,po0Uran dur2;an;j,w j2;on0;a,f leppa3ll,peche mode,r spiegYstiny's chi2;ld;rd;aFbc,hCiAnn,o4r2;aigsli6eedence clearwater reviv2;al;ca c6l5m2o09st04;ca3p2;aq;st;dplMgate;ola;a,sco2tigroup;! systems;ev3i2;ck fil-a,na daily;r1y;dbury,pital o2rl's jr;ne;aGbc,eCfAl6mw,ni,o2p;ei4mbardiKston 2;glo2pizza;be;ng;ack & deckGo3ue c2;roX;ckbuster video,omingda2;le; g2g2;oodriN;cht4e ge0n & jer3rkshire hathaw2;ay;ryH;el;nana republ4s2xt6y6;f,kin robbi2;ns;ic;bXcSdidRerosmith,ig,lLmFnheuser-busEol,ppleAr7s4t&t,v3y2;er;is,on;hland2sociated G; o2;il;by5g3m2;co;os; compu3bee2;'s;te2;rs;ch;c,d,erican4t2;!r2;ak; ex2;pre2;ss; 5catel3t2;air;!-luce2;nt;jazeera,qae2;da;as;/dc,a4er,t2;ivisi1;on;demy of scienc0;es;ba,c"; -},{}],225:[function(e,t,r){"use strict";t.exports="0:71;1:6P;2:7D;3:73;4:6I;5:7G;6:75;7:6O;8:6B;9:6C;A:5H;B:70;C:6Z;a7Gb62c5Cd59e57f45g3Nh37iron0j33k2Yl2Km2Bn29o27p1Pr1Es09tQuOvacuum 1wGyammerCzD;eroAip EonD;e0k0;by,up;aJeGhFiEorDrit52;d 1k2Q;mp0n49pe0r8s8;eel Bip 7K;aEiD;gh 06rd0;n Br 3C;it 5Jk8lk6rm 0Qsh 73t66v4O;rgeCsD;e 9herA;aRePhNiJoHrFuDype 0N;ckArn D;d2in,o3Fup;ade YiDot0y 32;ckle67p 79;ne66p Ds4C;d2o6Kup;ck FdEe Dgh5Sme0p o0Dre0;aw3ba4d2in,up;e5Jy 1;by,o6U;ink Drow 5U;ba4ov7up;aDe 4Hll4N;m 1r W;ckCke Elk D;ov7u4N;aDba4d2in,o30up;ba4ft7p4Sw3;a0Gc0Fe09h05i02lYmXnWoVpSquare RtJuHwD;earFiD;ngEtch D;aw3ba4o6O; by;ck Dit 1m 1ss0;in,up;aIe0RiHoFrD;aigh1LiD;ke 5Xn2X;p Drm1O;by,in,o6A;r 1tc3H;c2Xmp0nd Dr6Gve6y 1;ba4d2up;d2o66up;ar2Uell0ill4TlErDurC;ingCuc8;a32it 3T;be4Brt0;ap 4Dow B;ash 4Yoke0;eep EiDow 9;c3Mp 1;in,oD;ff,v7;gn Eng2Yt Dz8;d2o5up;in,o5up;aFoDu4E;ot Dut0w 5W;aw3ba4f36o5Q;c2EdeAk4Rve6;e Hll0nd GtD; Dtl42;d2in,o5upD;!on;aw3ba4d2in,o1Xup;o5to;al4Kout0rap4K;il6v8;at0eKiJoGuD;b 4Dle0n Dstl8;aDba4d2in52o3Ft2Zu3D;c1Ww3;ot EuD;g2Jnd6;a1Wf2Qo5;ng 4Np6;aDel6inAnt0;c4Xd D;o2Su0C;aQePiOlMoKrHsyc29uD;ll Ft D;aDba4d2in,o1Gt33up;p38w3;ap37d2in,o5t31up;attleCess EiGoD;p 1;ah1Gon;iDp 52re3Lur44wer 52;nt0;ay3YuD;gAmp 9;ck 52g0leCn 9p3V;el 46ncilA;c3Oir 2Hn0ss FtEy D;ba4o4Q; d2c1X;aw3ba4o11;pDw3J;e3It B;arrow3Serd0oD;d6te3R;aJeHiGoEuD;ddl8ll36;c16p 1uth6ve D;al3Ad2in,o5up;ss0x 1;asur8lt 9ss D;a19up;ke Dn 9r2Zs1Kx0;do,o3Xup;aOeMiHoDuck0;a16c36g 0AoDse0;k Dse34;aft7ba4d2forw2Ain3Vov7uD;nd7p;e GghtFnEsDv1T;ten 4D;e 1k 1; 1e2Y;ar43d2;av1Ht 2YvelD; o3L;p 1sh DtchCugh6y1U;in3Lo5;eEick6nock D;d2o3H;eDyA;l2Hp D;aw3ba4d2fSin,o05to,up;aFoEuD;ic8mpA;ke2St2W;c31zz 1;aPeKiHoEuD;nker2Ts0U;lDneArse2O;d De 1;ba4d2oZup;de Et D;ba4on,up;aw3o5;aDlp0;d Fr Dt 1;fDof;rom;in,oO;cZm 1nDve it;d Dg 27kerF;d2in,o5;aReLive Jloss1VoFrEunD; f0M;in39ow 23; Dof 0U;aEb17it,oDr35t0Ou12;ff,n,v7;bo5ft7hJw3;aw3ba4d2in,oDup,w3;ff,n,ut;a17ek0t D;aEb11d2oDr2Zup;ff,n,ut,v7;cEhDl1Pr2Xt,w3;ead;ross;d aEnD;g 1;bo5;a08e01iRlNoJrFuD;cDel 1;k 1;eEighten DownCy 1;aw3o2L;eDshe1G; 1z8;lFol D;aDwi19;bo5r2I;d 9;aEeDip0;sh0;g 9ke0mDrD;e 2K;gLlJnHrFsEzzD;le0;h 2H;e Dm 1;aw3ba4up;d0isD;h 1;e Dl 11;aw3fI;ht ba4ure0;eInEsD;s 1;cFd D;fDo1X;or;e B;dQl 1;cHll Drm0t0O;apYbFd2in,oEtD;hrough;ff,ut,v7;a4ehi1S;e E;at0dge0nd Dy8;o1Mup;o09rD;ess 9op D;aw3bNin,o15;aShPlean 9oDross But 0T;me FoEuntD; o1M;k 1l6;aJbIforGin,oFtEuD;nd7;ogeth7;ut,v7;th,wD;ard;a4y;pDr19w3;art;eDipA;ck BeD;r 1;lJncel0rGsFtch EveA; in;o16up;h Bt6;ry EvD;e V;aw3o12;l Dm02;aDba4d2o10up;r0Vw3;a0He08l01oSrHuD;bbleFcklTilZlEndlTrn 05tDy 10zz6;t B;k 9; ov7;anMeaKiDush6;ghHng D;aEba4d2forDin,o5up;th;bo5lDr0Lw3;ong;teD;n 1;k D;d2in,o5up;ch0;arKgJil 9n8oGssFttlEunce Dx B;aw3ba4;e 9; ar0B;k Bt 1;e 1;d2up; d2;d 1;aIeed0oDurt0;cFw D;aw3ba4d2o5up;ck;k D;in,oK;ck0nk0st6; oJaGef 1nd D;d2ov7up;er;up;r0t D;d2in,oDup;ff,ut;ff,nD;to;ck Jil0nFrgEsD;h B;ainCe B;g BkC; on;in,o5; o5;aw3d2o5up;ay;cMdIsk Fuction6; oD;ff;arDo5;ouD;nd;d D;d2oDup;ff,n;own;t D;o5up;ut"},{}],226:[function(e,t,r){"use strict";t.exports="'o,-,aLbIcHdGexcept,from,inFmidQnotwithstandiRoDpSqua,sCt7u4v2w0;/o,hereNith0;!in,oR;ersus,i0;a,s-a-vis;n1p0;!on;like,til;h1ill,o0;!wards;an,r0;ough0u;!oH;ans,ince,o that;',f0n1ut;!f;!to;espite,own,u3;hez,irca;ar1e0y;low,sides,tween;ri6;',bo7cross,ft6lo5m3propos,round,s1t0;!op;! long 0;as;id0ong0;!st;ng;er;ut"},{}],227:[function(e,t,r){"use strict";t.exports="aLbIcHdEengineKfCgBhAinstructRjournalNlawyKm9nurse,o8p5r3s1t0;echnEherapM;ailPcientLecretary,oldiIu0;pervMrgeon;e0oofG;ceptionIsearE;hotographElumbEoli1r0sychologH;actitionDesideMogrammD;cem8t7;fficBpeH;echanic,inistAus5;airdress9ousekeep9;arden8uard;arm7ire0;fight6m2;eputy,iet0;ici0;an;arpent2lerk;ricklay1ut0;ch0;er;ccoun6d2ge7r0ssis6ttenda7;chitect,t0;ist;minist1v0;is1;rat0;or;ta0;nt"},{}],228:[function(e,t,r){"use strict";t.exports="0:1M;1:1T;2:1U;a1Rb1Dc0Zd0Qfc dallas,g0Nhouston 0Mindiana0Ljacksonville jagua0k0Il0Fm02newVoRpKqueens parkJrIsAt5utah jazz,vancouver whitecaps,w3yY;ashington 3est ham0Xh16;natio21redski1wizar12;ampa bay 6e5o3;ronto 3ttenham hotspur;blu1Hrapto0;nnessee tita1xasD;buccanee0ra1G;a7eattle 5heffield0Qporting kansas13t3;. louis 3oke12;c1Srams;mari02s3;eah1IounI;cramento Sn 3;antonio spu0diego 3francisco gi0Bjose earthquak2;char0EpaB;eal salt lake,o04; ran0C;a8h5ittsburgh 4ortland t3;imbe0rail blaze0;pirat2steele0;il3oenix su1;adelphia 3li2;eagl2philNunE;dr2;akland 4klahoma city thunder,r3;i10lando magic;athle0Trai3;de0; 3castle05;england 6orleans 5york 3;city fc,giUje0Lkn02me0Lred bul19y3;anke2;pelica1sain0J;patrio0Irevolut3;ion;aBe9i3ontreal impact;ami 7lwaukee b6nnesota 3;t4u0Rvi3;kings;imberwolv2wi1;re0Cuc0W;dolphi1heat,marli1;mphis grizz3ts;li2;nchester 5r3vN;i3li1;ne0;c00u0H;a4eicesterYos angeles 3;clippe0dodFlaA; galaxy,ke0;ansas city 3nH;chiefs,ro3;ya0M; pace0polis colX;astr0Edynamo,rockeWtexa1;i4olden state warrio0reen bay pac3;ke0;anT;.c.Aallas 7e3i0Cod5;nver 5troit 3;lio1pisto1ti3;ge0;bronc06nuggeO;cowboUmav3;er3;ic06; uX;arCelNh8incinnati 6leveland 5ol3;orado r3umbus crew sc;api5ocki2;brow1cavalie0india1;benga03re3;ds;arlotte horCicago 3;b4cubs,fire,wh3;iteE;ea0ulY;di3olina panthe0;ff3naW; c3;ity;altimore ElAoston 7r3uffalo bilT;av2e5ooklyn 3;ne3;ts;we0;cel4red3; sox;tics;ackburn rove0u3;e ja3;ys;rs;ori3rave1;ol2;rizona Ast8tlanta 3;brav2falco1h4u3;nited;aw9;ns;es;on villa,r3;os;c5di3;amondbac3;ks;ardi3;na3;ls"},{}],229:[function(e,t,r){"use strict";t.exports="0:1I;a1Nb1Hc18e11f0Ug0Qh0Ki0Hj0Gk0El09m00nZoYpSrPsCt8vi7w1;a5ea0Ci4o1;o2rld1;! seJ;d,l;ldlife,ne;rmth,t0;neg7ol0C;e3hund0ime,oothpaste,r1una;affTou1;ble,sers,t;a,nnis;aBceWeAh9il8now,o7p4te3u1;g1nshi0Q;ar;am,el;ace2e1;ciPed;!c16;ap,cc0ft0E;k,v0;eep,opp0T;riK;d0Afe0Jl1nd;m0Vt;aQe1i10;c1laxa0Hsearch;ogni0Grea0G;a5e3hys0JlastAo2r1;ess02ogre05;rk,w0;a1pp0trol;ce,nT;p0tiM;il,xygen;ews,oi0G;a7ea5i4o3u1;mps,s1;ic;nJo0C;lk,st;sl1t;es;chi1il,themat04;neF;aught0e3i2u1;ck,g0B;ghtn03quid,teratK;a1isJ;th0;elv1nowled08;in;ewel7usti09;ce,mp1nformaQtself;ati1ortan07;en06;a4ertz,isto3o1;ck1mework,n1spitaliL;ey;ry;ir,lib1ppi9;ut;o2r1um,ymnastL;a7ound;l1ssip;d,f;ahrenhe6i5lour,o2ru6urnit1;ure;od,rgive1wl;ne1;ss;c8sh;it;conomAduca6lectrici5n3quip4thAvery1;body,o1thC;ne;joy1tertain1;ment;ty;tiC;a8elcius,h4iv3loth6o1urrency;al,ffee,n1ttA;duct,fusi9;ics;aos,e1;e2w1;ing;se;ke,sh;a3eef,is2lood,read,utt0;er;on;g1ss;ga1;ge;dvi2irc1rt;raft;ce"},{}],230:[function(e,t,r){"use strict";var n,i,a=36,s="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ",o=s.split("").reduce(function(e,t,r){return e[t]=r,e},{}),u=function(e){var t,r,n,i;if(void 0!==s[e])return s[e];for(t=1,r=a,n="";e>=r;e-=r,t++,r*=a);for(;t--;)i=e%a,n=String.fromCharCode((10>i?48:55)+i)+n,e=(e-i)/a;return n},l=function(e){var t,r,n,i,s,u;if(void 0!==o[e])return o[e];for(t=0,r=1,n=a,i=1;r=0;s--,i*=a)u=e.charCodeAt(s)-48,u>10&&(u-=7),t+=u*i;return t},c={toAlphaCode:u,fromAlphaCode:l},h=function(e){var t,r,n=RegExp("([0-9A-Z]+):([0-9A-Z]+)");for(t=0;t0},parent:function(){return this.reference||this},length:function(){return this.list.length},isA:function(){return"Text"},whitespace:function(){var e=this;return{before:function(t){return e.list.forEach(function(e){e.whitespace.before(t)}),e},after:function(t){return e.list.forEach(function(e){e.whitespace.after(t)}),e}}}}},{}],26:[function(e,t,r){"use strict";function n(e,t,r){var n,i;for(this.list=e||[],this.lexicon=t,this.reference=r,n=Object.keys(a),i=0;i0?r.whitespace.before=" ":0===t&&(r.whitespace.before=""),r.whitespace.after=""}),e},case:function(e){return e.list.forEach(function(e){e.terms.forEach(function(t,r){0===r||t.tags.Person||t.tags.Place||t.tags.Organization?e.toTitleCase():e.toLowerCase()})}),e},numbers:function(e){return e.values().toNumber()},punctuation:function(e){return e.list.forEach(function(e){var t,r,n;for(e.terms[0]._text=e.terms[0]._text.replace(/^¿/,""),t=0;t"},"");return" "+e+"\n"},terms:function(e){var t=[];return e.list.forEach(function(e){e.terms.forEach(function(e){t.push({text:e.text,normal:e.normal,tags:Object.keys(e.tags)})})}),t},debug:function(e){return console.log("===="),e.list.forEach(function(e){console.log(" --"),e.debug()}),e},topk:function(e){return i(e)}};o.plaintext=o.text,o.normalized=o.normal,o.colors=o.color,o.tags=o.terms,o.offset=o.offsets,o.idexes=o.index,o.frequency=o.topk,o.freq=o.topk,o.arr=o.array,n=function(e){return e.prototype.out=function(e){return o[e]?o[e](this):o.text(this)},e.prototype.debug=function(){return o.debug(this)},e},t.exports=n},{"./indexes":32,"./offset":33,"./topk":34}],32:[function(e,t,r){"use strict";var n=function(e){var t,r,n=[],i={};return e.terms().list.forEach(function(e){i[e.terms[0].uid]=!0}),t=0,r=e.all(),r.list.forEach(function(e,r){e.terms.forEach(function(e,a){void 0!==i[e.uid]&&n.push({text:e.text,normal:e.normal,term:t,sentence:r,sentenceTerm:a}),t+=1})}),n};t.exports=n},{}],33:[function(e,t,r){"use strict";var n=function(e,t){var r,n,i,a=0;for(r=0;rt.count?-1:1}),t&&(r=r.splice(0,t)),r};t.exports=n},{}],35:[function(e,t,r){"use strict";var n=e("./methods"),i=function(e){var t={sort:function(t){return t=t||"alphabetical",t=t.toLowerCase(),t&&"alpha"!==t&&"alphabetical"!==t?"chron"===t||"chronological"===t?n.chron(this,e):"length"===t?n.lengthFn(this,e):"freq"===t||"frequency"===t?n.freq(this,e):"wordcount"===t?n.wordCount(this,e):this:n.alpha(this,e)},reverse:function(){return this.list=this.list.reverse(),this},unique:function(){var e={};return this.list=this.list.filter(function(t){var r=t.out("root");return!e[r]&&(e[r]=!0,!0)}),this}};return e.addMethods(e,t),e};t.exports=i},{"./methods":36}],36:[function(e,t,r){"use strict";var n=function(e){return e=e.sort(function(e,t){return e.index>t.index?1:e.index===t.index?0:-1}),e.map(function(e){return e.ts})};r.alpha=function(e){return e.list.sort(function(e,t){if(e===t)return 0;if(e.terms[0]&&t.terms[0]){if(e.terms[0].root>t.terms[0].root)return 1;if(e.terms[0].roott.out("root")?1:-1}),e},r.chron=function(e){var t=e.list.map(function(e){return{ts:e,index:e.termIndex()}});return e.list=n(t),e},r.lengthFn=function(e){var t=e.list.map(function(e){return{ts:e,index:e.chars()}});return e.list=n(t).reverse(),e},r.wordCount=function(e){var t=e.list.map(function(e){return{ts:e,index:e.length}});return e.list=n(t),e},r.freq=function(e){var t,r={};return e.list.forEach(function(e){var t=e.out("root");r[t]=r[t]||0,r[t]+=1}),t=e.list.map(function(e){var t=r[e.out("root")]||0;return{ts:e,index:t*-1}}),e.list=n(t),e}},{}],37:[function(e,t,r){"use strict";var n=function(e){var t={splitAfter:function(e,t){var r=[];return this.list.forEach(function(n){n.splitAfter(e,t).forEach(function(e){r.push(e)})}),this.list=r,this},splitBefore:function(e,t){var r=[];return this.list.forEach(function(n){n.splitBefore(e,t).forEach(function(e){r.push(e)})}),this.list=r,this},splitOn:function(e,t){var r=[];return this.list.forEach(function(n){n.splitOn(e,t).forEach(function(e){r.push(e)})}),this.list=r,this}};return e.addMethods(e,t),e};t.exports=n},{}],38:[function(e,t,r){"use strict";t.exports={fns:e("../fns"),data:e("../data"),Terms:e("../terms"),tags:e("../tagset")}},{"../data":6,"../fns":21,"../tagset":163,"../terms":189}],39:[function(e,t,r){"use strict";var n=e("../../index"),i={data:function(){return this.terms().list.map(function(e){var t=e.terms[0],r=t.text.toUpperCase().replace(/\./g).split("");return{periods:r.join("."),normal:r.join(""),text:t.text}})}},a=function(e,t){return e=e.match("#Acronym"),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(i,a)},{"../../index":26}],40:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./methods"),a={data:function(){var e=this;return this.list.map(function(t){var r=t.out("normal");return{comparative:i.toComparative(r),superlative:i.toSuperlative(r),adverbForm:i.toAdverb(r),nounForm:i.toNoun(r),verbForm:i.toVerb(r),normal:r,text:e.out("text")}})}},s=function(e,t){return e=e.match("#Adjective"),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./methods":42}],41:[function(e,t,r){"use strict";var n=e("../../../../data"),i={};n.superlatives=n.superlatives||[],n.superlatives.forEach(function(e){i[e]=!0}),n.verbConverts=n.verbConverts||[],n.verbConverts.forEach(function(e){i[e]=!0}),t.exports=i},{"../../../../data":6}],42:[function(e,t,r){"use strict";t.exports={toNoun:e("./toNoun"),toSuperlative:e("./toSuperlative"),toComparative:e("./toComparative"),toAdverb:e("./toAdverb"),toVerb:e("./toVerb")}},{"./toAdverb":43,"./toComparative":44,"./toNoun":45,"./toSuperlative":46,"./toVerb":47}],43:[function(e,t,r){"use strict";var n=function(e){var t,r,n={idle:"idly",public:"publicly",vague:"vaguely",day:"daily",icy:"icily",single:"singly",female:"womanly",male:"manly",simple:"simply",whole:"wholly",special:"especially",straight:"straight",wrong:"wrong",fast:"fast",hard:"hard",late:"late",early:"early",well:"well",good:"well",little:"little",long:"long",low:"low",best:"best",latter:"latter",bad:"badly"},i={foreign:1,black:1,modern:1,next:1,difficult:1,degenerate:1,young:1,awake:1,back:1,blue:1,brown:1,orange:1,complex:1,cool:1,dirty:1,done:1,empty:1,fat:1,fertile:1,frozen:1,gold:1,grey:1,gray:1,green:1,medium:1,parallel:1,outdoor:1,unknown:1,undersized:1,used:1,welcome:1,yellow:1,white:1,fixed:1,mixed:1,super:1,guilty:1,tiny:1,able:1,unable:1,same:1,adult:1},a=[{reg:/al$/i,repl:"ally"},{reg:/ly$/i,repl:"ly"},{reg:/(.{3})y$/i,repl:"$1ily"},{reg:/que$/i,repl:"quely"},{reg:/ue$/i,repl:"uly"},{reg:/ic$/i,repl:"ically"},{reg:/ble$/i,repl:"bly"},{reg:/l$/i,repl:"ly"}],s=[/airs$/,/ll$/,/ee.$/,/ile$/];if(1===i[e])return null;if(void 0!==n[e])return n[e];if(e.length<=3)return null;for(t=0;te&&e>0)},o=function(e){return!!(e&&e>1e3&&3e3>e)},u=function(e){var t,r,u,l,c,h,m={month:null,date:null,weekday:null,year:null,named:null,time:null},f=e.match("(#Holiday|today|tomorrow|yesterday)");return f.found&&(m.named=f.out("normal")),f=e.match("#Month"),f.found&&(m.month=a.index(f.list[0].terms[0])),f=e.match("#WeekDay"),f.found&&(m.weekday=i.index(f.list[0].terms[0])),f=e.match("#Time"),f.found&&(m.time=n(e),e.not("#Time")),f=e.match("#Month #Value #Year"),f.found&&(t=f.values().numbers(),s(t[0])&&(m.date=t[0]),r=parseInt(e.match("#Year").out("normal"),10),o(r)&&(m.year=r)),f.found||(f=e.match("#Month #Value"),f.found&&(u=f.values().numbers(),l=u[0],s(l)&&(m.date=l)),f=e.match("#Month #Year"),f.found&&(c=parseInt(e.match("#Year").out("normal"),10),o(c)&&(m.year=c))),f=e.match("#Value of #Month"),f.found&&(h=f.values().numbers()[0],s(h)&&(m.date=h)),m};t.exports=u},{"./month":58,"./parseTime":60,"./weekday":62}],60:[function(e,t,r){"use strict";var n=/([12]?[0-9]) ?(am|pm)/i,i=/([12]?[0-9]):([0-9][0-9]) ?(am|pm)?/i,a=function(e){return!!(e&&e>0&&25>e)},s=function(e){return!!(e&&e>0&&60>e)},o=function(e){var t,r={logic:null,hour:null,minute:null,second:null,timezone:null},o=e.match("(by|before|for|during|at|until|after) #Time").firstTerm();return o.found&&(r.logic=o.out("normal")),t=e.match("#Time"),t.terms().list.forEach(function(e){var t=e.terms[0],o=t.text.match(n);null!==o&&(r.hour=parseInt(o[1],10),"pm"===o[2]&&(r.hour+=12),a(r.hour)===!1&&(r.hour=null)),o=t.text.match(i),null!==o&&(r.hour=parseInt(o[1],10),r.minute=parseInt(o[2],10),s(r.minute)||(r.minute=null),"pm"===o[3]&&(r.hour+=12),a(r.hour)===!1&&(r.hour=null))}),r};t.exports=o},{}],61:[function(e,t,r){"use strict";r.longDays={sunday:0,monday:1,tuesday:2,wednesday:3,thursday:4,friday:5,saturday:6},r.shortDays={sun:0,mon:1,tues:2,wed:3,thurs:4,fri:5,sat:6}},{}],62:[function(e,t,r){"use strict";var n=e("./data"),i=n.shortDays,a=n.longDays;t.exports={index:function(e){if(e.tags.WeekDay){if(void 0!==a[e.normal])return a[e.normal];if(void 0!==i[e.normal])return i[e.normal]}return null},toShortForm:function(e){if(e.tags.WeekDay&&void 0!==a[e.normal]){var t=Object.keys(i);e.text=t[a[e.normal]]}return e},toLongForm:function(e){if(e.tags.WeekDay&&void 0!==i[e.normal]){var t=Object.keys(a);e.text=t[i[e.normal]]}return e}}},{"./data":61}],63:[function(e,t,r){"use strict";var n=e("./index"),i=e("./getGrams"),a=function(e,t,r){n.call(this,e,t,r)};a.prototype=Object.create(n.prototype),a.find=function(e,t,r){var n,s={size:[1,2,3,4],edge:"end"};return r&&(s.size=[r]),n=i(e,s),e=new a(n),e.sort(),"number"==typeof t&&(e=e.get(t)),e},t.exports=a},{"./getGrams":64,"./index":66}],64:[function(e,t,r){"use strict";var n=e("./gram"),i=function(e,t){var r,i,a,s=e.terms;if(s.lengtht.count?-1:e.count===t.count&&(e.size>t.size||e.key.length>t.key.length)?-1:1}),e},s={data:function(){return this.list.map(function(e){return{normal:e.out("normal"),count:e.count,size:e.size}})},unigrams:function(){return this.list=this.list.filter(function(e){return 1===e.size}),this},bigrams:function(){return this.list=this.list.filter(function(e){return 2===e.size}),this},trigrams:function(){return this.list=this.list.filter(function(e){return 3===e.size}),this},sort:function(){return a(this)}},o=function(e,t,r){var s,o={size:[1,2,3,4]};return r&&(o.size=[r]),s=i(e,o),e=new n(s),e=a(e),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(s,o)},{"../../index":26,"./getGrams":64}],67:[function(e,t,r){"use strict";var n=e("./index"),i=e("./getGrams"),a=function(e,t,r){n.call(this,e,t,r)};a.prototype=Object.create(n.prototype),a.find=function(e,t,r){var n,s={size:[1,2,3,4],edge:"start"};return r&&(s.size=[r]),n=i(e,s),e=new a(n),e.sort(),"number"==typeof t&&(e=e.get(t)),e},t.exports=a},{"./getGrams":64,"./index":66}],68:[function(e,t,r){"use strict";var n=e("../../../tries").utils.uncountable,i=function(e){var t,r;if(!e.tags.Noun)return!1;if(e.tags.Plural)return!0;for(t=["Pronoun","Place","Value","Person","Month","WeekDay","RelativeDay","Holiday"],r=0;r3};t.exports=l},{"../../../data":6,"./methods/data/indicators":72}],71:[function(e,t,r){"use strict";var n={hour:"an",heir:"an",heirloom:"an",honest:"an",honour:"an",honor:"an",uber:"an"},i={a:!0,e:!0,f:!0,h:!0,i:!0,l:!0,m:!0,n:!0,o:!0,r:!0,s:!0,x:!0},a=[/^onc?e/i,/^u[bcfhjkqrstn][aeiou]/i,/^eul/i],s=function(e){var t,r,s=e.normal;if(n.hasOwnProperty(s))return n[s];if(t=s.substr(0,1),e.isAcronym()&&i.hasOwnProperty(t))return"an";for(r=0;r1){var a=this.not("(#Acronym|#Honorific)");this.firstName=a.first(),this.lastName=a.last()}return this};s.prototype=Object.create(i.prototype),n={data:function(){return{text:this.out("text"),normal:this.out("normal"),firstName:this.firstName.out("normal"),middleName:this.middleName.out("normal"),lastName:this.lastName.out("normal"),genderGuess:this.guessGender(),pronoun:this.pronoun(),honorifics:this.honorifics.out("array")}},guessGender:function(){if(this.honorifics.match("(mr|mister|sr|sir|jr)").found)return"Male";if(this.honorifics.match("(mrs|miss|ms|misses|mme|mlle)").found)return"Female";if(this.firstName.match("#MaleName").found)return"Male";if(this.firstName.match("#FemaleName").found)return"Female";var e=this.firstName.out("normal");return a(e)},pronoun:function(){var e=this.firstName.out("normal"),t=this.guessGender(e);return"Male"===t?"he":"Female"===t?"she":"they"},root:function(){var e=this.firstName.out("root"),t=this.lastName.out("root");return e&&t?e+" "+t:t||e||this.out("root")}},Object.keys(n).forEach(function(e){s.prototype[e]=n[e]}),t.exports=s},{"../../paths":38,"./guessGender":78}],81:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./sentence"),a={toPastTense:function(){return this.list=this.list.map(function(e){return e=e.toPastTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toPresentTense:function(){return this.list=this.list.map(function(e){return e=e.toPresentTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toFutureTense:function(){return this.list=this.list.map(function(e){return e=e.toFutureTense(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toNegative:function(){return this.list=this.list.map(function(e){return e=e.toNegative(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},toPositive:function(){return this.list=this.list.map(function(e){return e=e.toPositive(),new i(e.terms,e.lexicon,e.refText,e.refTerms)}),this},isPassive:function(){return this.list=this.list.filter(function(e){return e.isPassive()}),this},prepend:function(e){return this.list=this.list.map(function(t){return t.prepend(e)}),this},append:function(e){return this.list=this.list.map(function(t){return t.append(e)}),this},toExclamation:function(){return this.list.forEach(function(e){e.setPunctuation("!")}),this},toQuestion:function(){return this.list.forEach(function(e){e.setPunctuation("?")}),this},toStatement:function(){return this.list.forEach(function(e){e.setPunctuation(".")}),this}},s=function(e,t){return e=e.all(),"number"==typeof t&&(e=e.get(t)),e.list=e.list.map(function(e){return new i(e.terms,e.lexicon,e.refText,e.refTerms)}),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./sentence":82}],82:[function(e,t,r){"use strict";var n=e("../../paths").Terms,i=e("./toNegative"),a=e("./toPositive"),s=e("../verbs/verb"),o=e("./smartInsert"),u={toSingular:function(){var e=this.match("#Noun").match("!#Pronoun").firstTerm();return e.things().toSingular(),this},toPlural:function(){var e=this.match("#Noun").match("!#Pronoun").firstTerm();return e.things().toPlural(),this},mainVerb:function(){var e=this.match("(#Adverb|#Auxiliary|#Verb|#Negative|#Particle)+").if("#Verb");return e.found?(e=e.list[0].terms,new s(e,this.lexicon,this.refText,this.refTerms)):null},toPastTense:function(){var e,t,r,n=this.mainVerb();return n?(e=n.out("normal"),n.toPastTense(),t=n.out("normal"),r=this.parentTerms.replace(e,t)):this},toPresentTense:function(){var e,t,r=this.mainVerb();return r?(e=r.out("normal"),r.toPresentTense(),t=r.out("normal"),this.parentTerms.replace(e,t)):this},toFutureTense:function(){var e,t,r=this.mainVerb();return r?(e=r.out("normal"),r.toFutureTense(),t=r.out("normal"),this.parentTerms.replace(e,t)):this},isNegative:function(){return 1===this.match("#Negative").list.length},toNegative:function(){return this.isNegative()?this:i(this)},toPositive:function(){return this.isNegative()?a(this):this},append:function(e){return o.append(this,e)},prepend:function(e){return o.prepend(this,e)},setPunctuation:function(e){var t=this.terms[this.terms.length-1];t.setPunctuation(e)},getPunctuation:function(){var e=this.terms[this.terms.length-1];return e.getPunctuation()},isPassive:function(){return this.match("was #Adverb? #PastTense #Adverb? by").found}},l=function(e,t,r,i){n.call(this,e,t,r,i),this.t=this.terms[0]};l.prototype=Object.create(n.prototype),Object.keys(u).forEach(function(e){l.prototype[e]=u[e]}),t.exports=l},{"../../paths":38,"../verbs/verb":118,"./smartInsert":83,"./toNegative":84,"./toPositive":85}],83:[function(e,t,r){"use strict";var n=/^[A-Z]/,i=function(e,t){var r,i=e.terms[0];return e.insertAt(0,t),n.test(i.text)&&(i.needsTitleCase()===!1&&i.toLowerCase(),r=e.terms[0],r.toTitleCase()),e},a=function(e,t){var r,n=e.terms[e.terms.length-1],i=n.endPunctuation();return i&&n.killPunctuation(),e.insertAt(e.terms.length,t),r=e.terms[e.terms.length-1],i&&(r.text+=i),n.whitespace.after&&(r.whitespace.after=n.whitespace.after,n.whitespace.after=""),e};t.exports={append:a,prepend:i}},{}],84:[function(e,t,r){"use strict";var n={everyone:"no one",everybody:"nobody",someone:"no one",somebody:"nobody",always:"never"},i=function(e){var t,r,i=e.match("(everyone|everybody|someone|somebody|always)").first();return i.found&&n[i.out("normal")]?(t=i.out("normal"),e=e.match(t).replaceWith(n[t]).list[0],e.parentTerms):(r=e.mainVerb(),r&&r.toNegative(),e)};t.exports=i},{}],85:[function(e,t,r){"use strict";var n={never:"always",nothing:"everything"},i=function(e){var t,r=e.match("(never|nothing)").first();return r.found&&(t=r.out("normal"),n[t])?(e=e.match(t).replaceWith(n[t]).list[0],e.parentTerms):(e.delete("#Negative"),e)};t.exports=i},{}],86:[function(e,t,r){"use strict";var n=e("../../index"),i=e("../../paths").Terms,a={data:function(){return this.list.map(function(e){var t=e.terms[0];return{spaceBefore:t.whitespace.before,text:t.text,spaceAfter:t.whitespace.after,normal:t.normal,implicit:t.silent_term,bestTag:t.bestTag(),tags:Object.keys(t.tags)}})}},s=function(e,t){var r=[];return e.list.forEach(function(t){t.terms.forEach(function(n){r.push(new i([n],t.lexicon,e))})}),e=new n(r,e.lexicon,e.parent),"number"==typeof t&&(e=e.get(t)),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"../../paths":38}],87:[function(e,t,r){"use strict";var n=e("../../index"),i=e("./value"),a={noDates:function(){return this.not("#Date")},numbers:function(){return this.list.map(function(e){return e.number()})},toNumber:function(){return this.list=this.list.map(function(e){return e.toNumber()}),this},toTextValue:function(){return this.list=this.list.map(function(e){return e.toTextValue()}),this},toCardinal:function(){return this.list=this.list.map(function(e){return e.toCardinal()}),this},toOrdinal:function(){return this.list=this.list.map(function(e){return e.toOrdinal()}),this},toNiceNumber:function(){return this.list=this.list.map(function(e){return e.toNiceNumber()}),this}},s=function(e,t){return e=e.match("#Value+"),e.splitOn("#Year"),"number"==typeof t&&(e=e.get(t)),e.list=e.list.map(function(e){return new i(e.terms,e.lexicon,e.refText,e.refTerms)}),e};t.exports=n.makeSubset(a,s)},{"../../index":26,"./value":99}],88:[function(e,t,r){"use strict";var n=e("../toNumber"),i=function(e){var t,r,i,a,s=n(e);return s||0===s?(t=s%100,t>10&&20>t?""+s+"th":(r={0:"th",1:"st",2:"nd",3:"rd"},i=""+s,a=i.slice(i.length-1,i.length),i+=r[a]?r[a]:"th")):null};t.exports=i},{"../toNumber":94}],89:[function(e,t,r){"use strict";t.exports=e("../../paths")},{"../../paths":38}],90:[function(e,t,r){"use strict";var n=e("../toNumber"),i=e("../toText"),a=e("../../../paths").data.ordinalMap.toOrdinal,s=function(e){var t=n(e),r=i(t),s=r[r.length-1];return r[r.length-1]=a[s]||s,r.join(" ")};t.exports=s},{"../../../paths":38,"../toNumber":94,"../toText":98}],91:[function(e,t,r){"use strict";var n=function(e){var t,r,n,i;if(!e&&0!==e)return null;for(e=""+e,t=e.split("."),r=t[0],n=t.length>1?"."+t[1]:"",i=/(\d+)(\d{3})/;i.test(r);)r=r.replace(i,"$1,$2");return r+n};t.exports=n},{}],92:[function(e,t,r){"use strict";var n=e("../paths"),i=n.data.numbers,a=n.fns,s=a.extend(i.ordinal.ones,i.cardinal.ones),o=a.extend(i.ordinal.teens,i.cardinal.teens),u=a.extend(i.ordinal.tens,i.cardinal.tens),l=a.extend(i.ordinal.multiples,i.cardinal.multiples);t.exports={ones:s,teens:o,tens:u,multiples:l}},{"../paths":89}],93:[function(e,t,r){"use strict";var n=function(e){var t,r=[{reg:/^(minus|negative)[\s\-]/i,mult:-1},{reg:/^(a\s)?half[\s\-](of\s)?/i,mult:.5}];for(t=0;tx?(f+=(c(m)||1)*x,r=x,m={}):(f+=c(m),r=x,f=(f||1)*x,m={})}}}else d=!0;return f+=c(m),f*=t.amount,f*=d?-1:1,0===f?null:f};t.exports=m},{"./data":92,"./findModifiers":93,"./parseDecimals":95,"./parseNumeric":96,"./validate":97}],95:[function(e,t,r){"use strict";var n=e("./data"),i=function(e){var t,r,i="0.";for(t=0;tn[0]){var i=Math.floor(t/n[0]);t-=i*n[0],i&&r.push({unit:n[1],count:i})}}),r},i=function(e){var t,r=[["ninety",90],["eighty",80],["seventy",70],["sixty",60],["fifty",50],["forty",40],["thirty",30],["twenty",20]],n=["","one","two","three","four","five","six","seven","eight","nine","ten","eleven","twelve","thirteen","fourteen","fifteen","sixteen","seventeen","eighteen","nineteen"],i=[];for(t=0;te&&(o.push("negative"),e=Math.abs(e)),t=n(e),r=0;r1&&o.push("and")),o=o.concat(i(t[r].count)),o.push(s);return o=o.concat(a(e)),o=o.filter(function(e){return e}),0===o.length&&(o[0]="zero"),o};t.exports=s},{}],99:[function(e,t,r){"use strict";var n,i,a,s,o=e("../../paths"),u=o.Terms,l=e("./toNumber"),c=e("./toText"),h=e("./toNiceNumber"),m=e("./numOrdinal"),f=e("./textOrdinal"),d=function(e,t,r,n){u.call(this,e,t,r,n),this.val=this.match("#Value+").list[0],this.unit=this.match("#Unit$").list[0]};d.prototype=Object.create(u.prototype),n=function(e){var t=e.terms[e.terms.length-1];return!!t&&t.tags.Ordinal===!0},i=function(e){for(var t=0;ta[s].length)return n[a[s]];return null};t.exports=a},{"./suffix_rules":113}],113:[function(e,t,r){"use strict";var n,i,a,s={Gerund:["ing"],Actor:["erer"],Infinitive:["ate","ize","tion","rify","then","ress","ify","age","nce","ect","ise","ine","ish","ace","ash","ure","tch","end","ack","and","ute","ade","ock","ite","ase","ose","use","ive","int","nge","lay","est","ain","ant","ent","eed","er","le","own","unk","ung","en"],PastTense:["ed","lt","nt","pt","ew","ld"],PresentTense:["rks","cks","nks","ngs","mps","tes","zes","ers","les","acks","ends","ands","ocks","lays","eads","lls","els","ils","ows","nds","ays","ams","ars","ops","ffs","als","urs","lds","ews","ips","es","ts","ns","s"]},o={},u=Object.keys(s),l=u.length;for(n=0;l>n;n++)for(i=s[u[n]].length,a=0;i>a;a++)o[s[u[n]][a]]=u[n];t.exports=o},{}],114:[function(e,t,r){"use strict";var n=[[/y$/,"i"],[/([aeiou][n])$/,"$1n"]],i={collect:!0,exhaust:!0,convert:!0,digest:!0,discern:!0,dismiss:!0,reverse:!0,access:!0,collapse:!0,express:!0},a={eat:"edible",hear:"audible",see:"visible",defend:"defensible",write:"legible",move:"movable",divide:"divisible",perceive:"perceptible"},s=function(e){var t,r;if(a[e])return a[e];for(t=0;t0&&(t.push(h),r[c]="");return 0===t.length?[e]:t};t.exports=l},{"../data":6}],121:[function(e,t,r){"use strict";var n=e("./fix"),i={wanna:["want","to"],gonna:["going","to"],im:["i","am"],alot:["a","lot"],dont:["do","not"],dun:["do","not"],ive:["i","have"],"won't":["will","not"],wont:["will","not"],"can't":["can","not"],cant:["can","not"],cannot:["can","not"],aint:["is","not"],"ain't":["is","not"],"shan't":["should","not"],imma:["I","will"],"where'd":["where","did"],whered:["where","did"],"when'd":["when","did"],whend:["when","did"],"how'd":["how","did"],howd:["how","did"],"what'd":["what","did"],whatd:["what","did"],"let's":["let","us"],dunno:["do","not","know"],brb:["be","right","back"],gtg:["got","to","go"],irl:["in","real","life"],tbh:["to","be","honest"],imo:["in","my","opinion"],til:["today","i","learned"],rn:["right","now"]},a=function(e){var t,r,a,s=Object.keys(i);for(t=0;t0&&" - "===r.whitespace.before)return a=new i(""),a.silent_term="to",e.insertAt(t,a),e.terms[t-1].tag("NumberRange"),e.terms[t].tag("NumberRange"),e.terms[t].whitespace.before="",e.terms[t].whitespace.after="",e.terms[t+1].tag("NumberRange"),e;r.tags.NumberRange&&(s=r.text.split(/(-)/),s[1]="to",e=n(e,s,t),e.terms[t].tag("NumberRange"),e.terms[t+1].tag("NumberRange"),e.terms[t+2].tag("NumberRange"),t+=2)}return e};t.exports=a},{"../../term":169,"./fix":125}],125:[function(e,t,r){"use strict";var n=e("../../term"),i={not:"Negative",will:"Verb",would:"Modal",have:"Verb",are:"Copula",is:"Copula",am:"Verb"},a=function(e){i[e.silent_term]&&e.tag(i[e.silent_term])},s=function(e,t,r){var i,s,o=e.terms[r];return o.silent_term=t[0],o.tag("Contraction","tagger-contraction"),i=new n(""),i.silent_term=t[1],i.tag("Contraction","tagger-contraction"),e.insertAt(r+1,i),i.whitespace.before="",i.whitespace.after="",a(i),t[2]&&(s=new n(""),s.silent_term=t[2],e.insertAt(r+2,s),s.tag("Contraction","tagger-contraction"),a(s)),e};t.exports=s},{"../../term":169}],126:[function(e,t,r){"use strict";var n=e("./01-irregulars"),i=e("./02-hardOne"),a=e("./03-easyOnes"),s=e("./04-numberRange"),o=function(e){return e=n(e),e=i(e),e=a(e),e=s(e)};t.exports=o},{"./01-irregulars":121,"./02-hardOne":122,"./03-easyOnes":123,"./04-numberRange":124}],127:[function(e,t,r){"use strict";var n=/^([a-z]+)'([a-z][a-z]?)$/i,i=/[a-z]s'$/i,a={re:1,ve:1,ll:1,t:1,s:1,d:1,m:1},s=function(e){var t=e.text.match(n);return t&&t[1]&&1===a[t[2]]?("t"===t[2]&&t[1].match(/[a-z]n$/)&&(t[1]=t[1].replace(/n$/,""),t[2]="n't"),e.tags.TitleCase===!0&&(t[1]=t[1].replace(/^[a-z]/,function(e){return e.toUpperCase()})),{start:t[1],end:t[2]}):i.test(e.text)===!0?{start:e.normal.replace(/s'?$/,""),end:""}:null};t.exports=s},{}],128:[function(e,t,r){"use strict";var n=function(e){if(e.has("so")&&(e.match("so #Adjective").match("so").tag("Adverb","so-adv"),e.match("so #Noun").match("so").tag("Conjunction","so-conj"),e.match("do so").match("so").tag("Noun","so-noun")),e.has("#Determiner")&&(e.match("the #Verb #Preposition .").match("#Verb").tag("Noun","correction-determiner1"),e.match("the #Verb").match("#Verb").tag("Noun","correction-determiner2"),e.match("the #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner3"),e.match("the #Adverb #Adjective #Verb").match("#Verb").tag("Noun","correction-determiner4"),e.match("#Determiner #Infinitive #Adverb? #Verb").term(1).tag("Noun","correction-determiner5"),e.match("#Determiner #Verb of").term(1).tag("Noun","the-verb-of"),e.match("#Determiner #Noun of #Verb").match("#Verb").tag("Noun","noun-of-noun")),e.has("like")&&(e.match("just like").term(1).tag("Preposition","like-preposition"),e.match("#Noun like #Noun").term(1).tag("Preposition","noun-like"),e.match("#Verb like").term(1).tag("Adverb","verb-like"),e.match("#Adverb like").term(1).tag("Adverb","adverb-like")),e.has("#Value")&&(e.match("half a? #Value").tag("Value","half-a-value"),e.match("#Value and a (half|quarter)").tag("Value","value-and-a-half"),e.match("#Value").match("!#Ordinal").tag("#Cardinal","not-ordinal"),e.match("#Value+ #Currency").tag("Money","value-currency"),e.match("#Money and #Money #Currency?").tag("Money","money-and-money")),e.has("#Noun")&&(e.match("more #Noun").tag("Noun","more-noun"),e.match("second #Noun").term(0).unTag("Unit").tag("Ordinal","second-noun"),e.match("#Noun #Adverb #Noun").term(2).tag("Verb","correction"),e.match("#Possessive #FirstName").term(1).unTag("Person","possessive-name"),e.has("#Organization")&&(e.match("#Organization of the? #TitleCase").tag("Organization","org-of-place"),e.match("#Organization #Country").tag("Organization","org-country"),e.match("(world|global|international|national|#Demonym) #Organization").tag("Organization","global-org"))),e.has("#Verb")){e.match("still #Verb").term(0).tag("Adverb","still-verb"),e.match("u #Verb").term(0).tag("Pronoun","u-pronoun-1"),e.match("is no #Verb").term(2).tag("Noun","is-no-verb"),e.match("#Verb than").term(0).tag("Noun","correction"),e.match("#Possessive #Verb").term(1).tag("Noun","correction-possessive"),e.match("#Copula #Adjective to #Verb").match("#Adjective to").tag("Verb","correction"),e.match("how (#Copula|#Modal|#PastTense)").term(0).tag("QuestionWord","how-question");var t="(#Adverb|not)+?";e.has(t)&&(e.match("(has|had) "+t+" #PastTense").not("#Verb$").tag("Auxiliary","had-walked"),e.match("#Copula "+t+" #Gerund").not("#Verb$").tag("Auxiliary","copula-walking"),e.match("(be|been) "+t+" #Gerund").not("#Verb$").tag("Auxiliary","be-walking"),e.match("(#Modal|did) "+t+" #Verb").not("#Verb$").tag("Auxiliary","modal-verb"),e.match("#Modal "+t+" have "+t+" had "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-have"),e.match("(#Modal) "+t+" be "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-be"),e.match("(#Modal|had|has) "+t+" been "+t+" #Verb").not("#Verb$").tag("Auxiliary","would-be"))}return e.has("#Adjective")&&(e.match("still #Adjective").match("still").tag("Adverb","still-advb"),e.match("#Adjective #PresentTense").term(1).tag("Noun","adj-presentTense"),e.match("will #Adjective").term(1).tag("Verb","will-adj")),e.match("(foot|feet)").tag("Noun","foot-noun"),e.match("#Value (foot|feet)").term(1).tag("Unit","foot-unit"),e.match("#Conjunction u").term(1).tag("Pronoun","u-pronoun-2"),e.match("#TitleCase (ltd|co|inc|dept|assn|bros)").tag("Organization","org-abbrv"),e.match("(a|an) (#Duration|#Value)").ifNo("#Plural").term(0).tag("Value","a-is-one"),e.match("holy (shit|fuck|hell)").tag("Expression","swears-expression"),e.match("#Determiner (shit|damn|hell)").term(1).tag("Noun","swears-noun"),e.match("(shit|damn|fuck) (#Determiner|#Possessive|them)").term(0).tag("Verb","swears-verb"),e.match("#Copula fucked up?").not("#Copula").tag("Adjective","swears-adjective"),e};t.exports=n},{}],129:[function(e,t,r){"use strict";var n={punctuation_step:e("./steps/01-punctuation_step"),lexicon_step:e("./steps/02-lexicon_step"),capital_step:e("./steps/03-capital_step"),web_step:e("./steps/04-web_step"),suffix_step:e("./steps/05-suffix_step"),neighbour_step:e("./steps/06-neighbour_step"),noun_fallback:e("./steps/07-noun_fallback"),date_step:e("./steps/08-date_step"),auxiliary_step:e("./steps/09-auxiliary_step"),negation_step:e("./steps/10-negation_step"),phrasal_step:e("./steps/12-phrasal_step"),comma_step:e("./steps/13-comma_step"),possessive_step:e("./steps/14-possessive_step"),value_step:e("./steps/15-value_step"),acronym_step:e("./steps/16-acronym_step"),emoji_step:e("./steps/17-emoji_step"),person_step:e("./steps/18-person_step"),quotation_step:e("./steps/19-quotation_step"),organization_step:e("./steps/20-organization_step"),plural_step:e("./steps/21-plural_step"),lumper:e("./lumper"),lexicon_lump:e("./lumper/lexicon_lump"),contraction:e("./contraction")},i=e("./corrections"),a=e("./phrase"),s=function(e){return e=n.punctuation_step(e),e=n.emoji_step(e),e=n.lexicon_step(e),e=n.lexicon_lump(e),e=n.web_step(e),e=n.suffix_step(e),e=n.neighbour_step(e),e=n.capital_step(e),e=n.noun_fallback(e),e=n.contraction(e),e=n.date_step(e),e=n.auxiliary_step(e),e=n.negation_step(e),e=n.phrasal_step(e),e=n.comma_step(e),e=n.possessive_step(e),e=n.value_step(e),e=n.acronym_step(e),e=n.person_step(e),e=n.quotation_step(e),e=n.organization_step(e),e=n.plural_step(e),e=n.lumper(e),e=i(e),e=a(e)};t.exports=s},{"./contraction":126,"./corrections":128,"./lumper":131,"./lumper/lexicon_lump":132,"./phrase":135,"./steps/01-punctuation_step":136,"./steps/02-lexicon_step":137,"./steps/03-capital_step":138,"./steps/04-web_step":139,"./steps/05-suffix_step":140,"./steps/06-neighbour_step":141,"./steps/07-noun_fallback":142,"./steps/08-date_step":143,"./steps/09-auxiliary_step":144,"./steps/10-negation_step":145,"./steps/12-phrasal_step":146,"./steps/13-comma_step":147,"./steps/14-possessive_step":148,"./steps/15-value_step":149,"./steps/16-acronym_step":150,"./steps/17-emoji_step":151,"./steps/18-person_step":152,"./steps/19-quotation_step":153,"./steps/20-organization_step":154,"./steps/21-plural_step":155}],130:[function(e,t,r){"use strict";var n=function(e){var t={};return e.forEach(function(e){Object.keys(e).forEach(function(r){var n,i,a=r.split(" ");a.length>1&&(n=a[0],t[n]=t[n]||{},i=a.slice(1).join(" "),t[n][i]=e[r])})}),t};t.exports=n},{}],131:[function(e,t,r){"use strict";var n=function(e){return e.match("#Noun (&|n) #Noun").lump().tag("Organization","Noun-&-Noun"),e.match("1 #Value #PhoneNumber").lump().tag("Organization","Noun-&-Noun"),e.match("#Holiday (day|eve)").lump().tag("Holiday","holiday-day"),e.match("#Noun #Actor").lump().tag("Actor","thing-doer"),e.match("(standard|daylight|summer|eastern|pacific|central|mountain) standard? time").lump().tag("Time","timezone"),e.match("#Demonym #Currency").lump().tag("Currency","demonym-currency"),e.match("#NumericValue #PhoneNumber").lump().tag("PhoneNumber","(800) PhoneNumber"),e};t.exports=n},{}],132:[function(e,t,r){"use strict";var n=e("../paths"),i=n.lexicon,a=n.tries,s=e("./firstWord"),o=s([i,a.multiples()]),u=function(e,t,r){var n=t+1;return r[e.slice(n,n+1).out("root")]?n+1:r[e.slice(n,n+2).out("root")]?n+2:r[e.slice(n,n+3).out("root")]?n+3:null},l=function(e,t){var r,n,i,a,s;for(r=0;r1&&a.test(e.text)===!0&&e.canBe("RomanNumeral")},o={a:!0,i:!0,u:!0,r:!0,c:!0,k:!0},u=function(e){return e.terms.forEach(function(e){var t,r,a=e.text;for(i.test(a)===!0&&e.tag("TitleCase","punct-rule"),a=a.replace(/[,\.\?]$/,""),t=0;t1&&(s=o(a[a.length-1],e))&&r.tag(s,"multiword-lexicon")))));return e};t.exports=u},{"../../tries":231,"../contraction/split":127,"../paths":133}],138:[function(e,t,r){"use strict";var n=function(e){var t,r,n;for(t=1;ta||(a=n-1),t=a;t>1;t-=1)if(r=e.normal.substr(n-t,n),void 0!==i[t][r])return i[t][r];return null},o=function(e){var t,r,i=e.normal.charAt(e.normal.length-1);if(void 0===n[i])return null;for(t=n[i],r=0;r1e3&&3e3>r&&e.terms[0].tag("Year",t)})},l=function(e,t){e.list.forEach(function(e){var r=parseInt(e.terms[0].normal,10);r&&r>1990&&2030>r&&e.terms[0].tag("Year",t)})},c=function(e){if(e.has(n)&&(e.match(n+" (#Determiner|#Value|#Date)").term(0).tag("Month","correction-may"),e.match("#Date "+n).term(1).tag("Month","correction-may"),e.match(i+" "+n).term(1).tag("Month","correction-may"),e.match("(next|this|last) "+n).term(1).tag("Month","correction-may")),e.has("#Month")&&(e.match("#Month #DateRange+").tag("Date","correction-numberRange"),e.match("#Value of? #Month").tag("Date","value-of-month"),e.match("#Cardinal #Month").tag("Date","cardinal-month"),e.match("#Month #Value to #Value").tag("Date","value-to-value"),e.match("#Month #Value #Cardinal").tag("Date","month-value-cardinal")),e.match("in the (night|evening|morning|afternoon|day|daytime)").tag("Time","in-the-night"),e.match("(#Value|#Time) (am|pm)").tag("Time","value-ampm"),e.has("#Value")&&(e.match("#Value #Abbreviation").tag("Value","value-abbr"),e.match("a #Value").tag("Value","a-value"),e.match("(minus|negative) #Value").tag("Value","minus-value"),e.match("#Value grand").tag("Value","value-grand"),e.match("(half|quarter) #Ordinal").tag("Value","half-ordinal"),e.match("(hundred|thousand|million|billion|trillion) and #Value").tag("Value","magnitude-and-value"),e.match("#Value point #Value").tag("Value","value-point-value"),e.match(i+"? #Value #Duration").tag("Date","value-duration"),e.match("#Date #Value").tag("Date","date-value"),e.match("#Value #Date").tag("Date","value-date"),e.match("#Value #Duration #Conjunction").tag("Date","val-duration-conjunction")),e.has("#Time")&&(e.match("#Cardinal #Time").tag("Time","value-time"),e.match("(by|before|after|at|@|about) #Time").tag("Time","preposition-time"),e.match("#Time (eastern|pacific|central|mountain)").term(1).tag("Time","timezone"),e.match("#Time (est|pst|gmt)").term(1).tag("Time","timezone abbr")),e.has(o)&&(e.match(i+"? "+a+" "+o).tag("Date","thisNext-season"),e.match("the? "+s+" of "+o).tag("Date","section-season")),e.has("#Date")&&(e.match("#Date the? #Ordinal").tag("Date","correction-date"),e.match(a+" #Date").tag("Date","thisNext-date"),e.match("due? (by|before|after|until) #Date").tag("Date","by-date"),e.match("#Date (by|before|after|at|@|about) #Cardinal").not("^#Date").tag("Time","date-before-Cardinal"),e.match("#Date (am|pm)").term(1).unTag("Verb").unTag("Copula").tag("Time","date-am"),e.match("(last|next|this|previous|current|upcoming|coming|the) #Date").tag("Date","next-feb"),e.match("#Date #Preposition #Date").tag("Date","date-prep-date"),e.match("the? "+s+" of #Date").tag("Date","section-of-date"),e.match("#Ordinal #Duration in #Date").tag("Date","duration-in-date"),e.match("(early|late) (at|in)? the? #Date").tag("Time","early-evening")),e.has("#Cardinal")){var t=e.match("#Date #Value #Cardinal").lastTerm();t.found&&u(t,"date-value-year"),t=e.match("#Date+ #Cardinal").lastTerm(),t.found&&u(t,"date-year"),t=e.match("#Month #Value #Cardinal").lastTerm(),t.found&&u(t,"month-value-year"),t=e.match("#Month #Value to #Value #Cardinal").lastTerm(),t.found&&u(t,"month-range-year"),t=e.match("(in|of|by|during|before|starting|ending|for|year) #Cardinal").lastTerm(),t.found&&u(t,"in-year"),t=e.match("#Cardinal !#Plural").firstTerm(),t.found&&l(t,"year-unsafe")}return e};t.exports=c},{}],144:[function(e,t,r){"use strict";var n={do:!0,"don't":!0,does:!0,"doesn't":!0,will:!0,wont:!0,"won't":!0,have:!0,"haven't":!0,had:!0,"hadn't":!0,not:!0},i=function(e){var t,r,i;for(t=0;t=n;n++)e.terms[n].tags.List=!0},s=function(e,t){var r,n=t,s=i(e.terms[t]),o=0,u=0,l=!1;for(t+=1;t0&&r.tags.Conjunction)l=!0;else{if(r.tags[s]){if(r.tags.Comma){u+=1,o=0;continue}if(u>0&&l)return a(e,n,t),!0}if(o+=1,o>5)return!1}return!1},o=function(e){var t,r,i,a,o;for(t=0;t=s;s++)if(i.test(e.terms[t+s].text)===!0){a(e,t,s+t),t+=s;break}return e};t.exports=s},{}],154:[function(e,t,r){"use strict";var n=e("../paths").tries.utils.orgWords,i=function(e){return!(!e.tags.Noun||e.tags.Pronoun||e.tags.Comma||e.tags.Possessive||e.tags.Place||!(e.tags.TitleCase||e.tags.Organization||e.tags.Acronym))},a=function(e){var t,r,a,s;for(t=0;tt;t++)r+=parseInt(9*Math.random(),10);return e+"-"+r};t.exports=n},{}],171:[function(e,t,r){"use strict";var n=e("../paths").tags,i={Auxiliary:1,Possessive:1,TitleCase:1,ClauseEnd:1,Comma:1,CamelCase:1,UpperCase:1,Hyphenated:1},a=function(e){var t=Object.keys(e.tags);return t=t.sort(),t=t.sort(function(e,t){return!i[t]&&n[e]&&n[t]?n[e].downward.length>n[t].downward.length?-1:1:-1}),t[0]};t.exports=a},{"../paths":185}],172:[function(e,t,r){"use strict";var n=function(e){var t={toUpperCase:function(){return this.text=this.text.toUpperCase(),this.tag("#UpperCase","toUpperCase"),this},toLowerCase:function(){return this.text=this.text.toLowerCase(),this.unTag("#TitleCase"),this.unTag("#UpperCase"),this},toTitleCase:function(){return this.text=this.text.replace(/^[a-z]/,function(e){return e.toUpperCase()}),this.tag("#TitleCase","toTitleCase"),this},needsTitleCase:function(){var e,t,r,n=["Person","Place","Organization","Acronym","UpperCase","Currency","RomanNumeral","Month","WeekDay","Holiday","Demonym"];for(e=0;e1&&s.test(e.normal)===!0&&a.test(e.normal)===!1)return!1;if(o.test(e.normal)===!0){if(/[a-z][0-9][a-z]/.test(e.normal)===!0)return!1;if(/^([$-])*?([0-9,\.])*?([s\$%])*?$/.test(e.normal)===!1)return!1}return!0}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=u},{"./bestTag":171,"./normalize/isAcronym":174}],174:[function(e,t,r){"use strict";var n=/([A-Z]\.)+[A-Z]?$/,i=/^[A-Z]\.$/,a=/[A-Z]{3}$/,s=function(e){return n.test(e)===!0||i.test(e)===!0||a.test(e)===!0};t.exports=s},{}],175:[function(e,t,r){"use strict";var n=e("./unicode"),i=e("./isAcronym");r.normalize=function(e){return e=e||"",e=e.toLowerCase(),e=e.trim(),e=n(e),e=e.replace(/^[#@]/,""),e=e.replace(/[\u2018\u2019\u201A\u201B\u2032\u2035]+/g,"'"),e=e.replace(/[\u201C\u201D\u201E\u201F\u2033\u2036"]+/g,""),e=e.replace(/\u2026/g,"..."),e=e.replace(/\u2013/g,"-"),/^[:;]/.test(e)===!1&&(e=e.replace(/\.{3,}$/g,""),e=e.replace(/['",\.!:;\?\)]$/g,""),e=e.replace(/^['"\(]/g,"")),e},r.addNormal=function(e){var t=e._text||"";t=r.normalize(t),i(e._text)&&(t=t.replace(/\./g,"")),t=t.replace(/([0-9]),([0-9])/g,"$1$2"),e.normal=t}},{"./isAcronym":174,"./unicode":177}],176:[function(e,t,r){"use strict";var n=function(e){var t=e.normal||e.silent_term||"";t=t.replace(/'s\b/,""),t=t.replace(/'\b/,""),e.root=t};t.exports=n},{}],177:[function(e,t,r){"use strict";var n,i={"!":"¡","?":"¿Ɂ",a:"ªÀÁÂÃÄÅàáâãäåĀāĂ㥹ǍǎǞǟǠǡǺǻȀȁȂȃȦȧȺΆΑΔΛάαλАДадѦѧӐӑӒӓƛɅæ",b:"ßþƀƁƂƃƄƅɃΒβϐϦБВЪЬбвъьѢѣҌҍҔҕƥƾ",c:"¢©ÇçĆćĈĉĊċČčƆƇƈȻȼͻͼͽϲϹϽϾϿЄСсєҀҁҪҫ",d:"ÐĎďĐđƉƊȡƋƌǷ",e:"ÈÉÊËèéêëĒēĔĕĖėĘęĚěƎƏƐǝȄȅȆȇȨȩɆɇΈΕΞΣέεξϱϵ϶ЀЁЕЭеѐёҼҽҾҿӖӗӘәӚӛӬӭ",f:"ƑƒϜϝӺӻҒғӶӷſ",g:"ĜĝĞğĠġĢģƓǤǥǦǧǴǵ",h:"ĤĥĦħƕǶȞȟΉΗЂЊЋНнђћҢңҤҥҺһӉӊ",I:"ÌÍÎÏ",i:"ìíîïĨĩĪīĬĭĮįİıƖƗȈȉȊȋΊΐΪίιϊІЇії",j:"ĴĵǰȷɈɉϳЈј",k:"ĶķĸƘƙǨǩΚκЌЖКжкќҚқҜҝҞҟҠҡ",l:"ĹĺĻļĽľĿŀŁłƚƪǀǏǐȴȽΙӀӏ",m:"ΜϺϻМмӍӎ",n:"ÑñŃńŅņŇňʼnŊŋƝƞǸǹȠȵΝΠήηϞЍИЙЛПийлпѝҊҋӅӆӢӣӤӥπ",o:"ÒÓÔÕÖØðòóôõöøŌōŎŏŐőƟƠơǑǒǪǫǬǭǾǿȌȍȎȏȪȫȬȭȮȯȰȱΌΘΟθοσόϕϘϙϬϭϴОФоѲѳӦӧӨөӪӫ¤ƍΏ",p:"ƤƿΡρϷϸϼРрҎҏÞ",q:"Ɋɋ",r:"ŔŕŖŗŘřƦȐȑȒȓɌɍЃГЯгяѓҐґ",s:"ŚśŜŝŞşŠšƧƨȘșȿςϚϛϟϨϩЅѕ",t:"ŢţŤťŦŧƫƬƭƮȚțȶȾΓΤτϮϯТт҂Ҭҭ",u:"µÙÚÛÜùúûüŨũŪūŬŭŮůŰűŲųƯưƱƲǓǔǕǖǗǘǙǚǛǜȔȕȖȗɄΰμυϋύϑЏЦЧцџҴҵҶҷӋӌӇӈ",v:"νѴѵѶѷ",w:"ŴŵƜωώϖϢϣШЩшщѡѿ",x:"×ΧχϗϰХхҲҳӼӽӾӿ",y:"ÝýÿŶŷŸƳƴȲȳɎɏΎΥΫγψϒϓϔЎУучўѰѱҮүҰұӮӯӰӱӲӳ",z:"ŹźŻżŽžƩƵƶȤȥɀΖζ"},a={};Object.keys(i).forEach(function(e){i[e].split("").forEach(function(t){a[t]=e})}),n=function(e){var t=e.split("");return t.forEach(function(e,r){a[e]&&(t[r]=a[e])}),t.join("")},t.exports=n},{}],178:[function(e,t,r){"use strict";var n=e("./renderHtml"),i=e("../../paths").fns,a={text:function(e){return e.whitespace.before+e._text+e.whitespace.after},normal:function(e){return e.normal},root:function(e){return e.root||e.normal},html:function(e){return n(e)},tags:function(e){return{text:e.text,normal:e.normal,tags:Object.keys(e.tags)}},debug:function(e){var t,r=Object.keys(e.tags).map(function(e){return i.printTag(e)}).join(", "),n=e.text;n="'"+i.yellow(n||"-")+"'",t="",e.silent_term&&(t="["+e.silent_term+"]"),n=i.leftPad(n,25),n+=i.leftPad(t,5),console.log(" "+n+" - "+r)}},s=function(e){return e.prototype.out=function(e){return a[e]||(e="text"),a[e](this)},e};t.exports=s},{"../../paths":185,"./renderHtml":179}],179:[function(e,t,r){"use strict";var n=function(e){var t={"<":"<",">":">","&":"&",'"':""","'":"'"," ":" "};return e.replace(/[<>&"' ]/g,function(e){return t[e]})},i=function(e){var t="(?:[^\"'>]|\"[^\"]*\"|'[^']*')*",r=RegExp("<(?:!--(?:(?:-*[^->])*--+|-?)|script\\b"+t+">[\\s\\S]*?[\\s\\S]*?","gi"),n=void 0;do n=e,e=e.replace(r,"");while(e!==n);return e.replace(/'+t+"",n(e.whitespace.before)+r+n(e.whitespace.after)};t.exports=a},{}],180:[function(e,t,r){"use strict";var n=/([a-z])([,:;\/.(\.\.\.)\!\?]+)$/i,i=function(e){var t={endPunctuation:function(){var e,t=this.text.match(n);return t&&(e={",":"comma",":":"colon",";":"semicolon",".":"period","...":"elipses","!":"exclamation","?":"question"},void 0!==e[t[2]])?t[2]:null},setPunctuation:function(e){return this.killPunctuation(),this.text+=e,this},hasComma:function(){return"comma"===this.endPunctuation()},killPunctuation:function(){return this.text=this._text.replace(n,"$1"),this}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=i},{}],181:[function(e,t,r){"use strict";var n=e("../../paths"),i=n.tags,a=function e(t,r){var n,a;if(void 0===i[r])return!0;for(n=i[r].enemy||[],a=0;a "+r))}},l=function(e,t,r){if(e&&t){if(s.isArray(t))return void t.forEach(function(t){return u(e,t,r)});u(e,t,r),a[t]&&void 0!==a[t].also&&u(e,a[t].also,r)}};t.exports=l},{"../../paths":185,"./unTag":184}],184:[function(e,t,r){"use strict";var n=e("../../paths"),i=n.log,a=n.tags,s=function e(t,r,n){var s,o;if(t.tags[r]&&(i.unTag(t,r,n),delete t.tags[r],a[r]))for(s=a[r].downward,o=0;o0&&(m[m.length-1]+=c),m.map(function(e){return new n(e)})};t.exports=o},{"../term":169}],188:[function(e,t,r){"use strict";t.exports={parent:{get:function(){return this.refText||this},set:function(e){return this.refText=e,this}},parentTerms:{get:function(){return this.refTerms||this},set:function(e){return this.refTerms=e,this}},dirty:{get:function(){for(var e=0;e0}},length:{get:function(){return this.terms.length}},isA:{get:function(){return"Terms"}},whitespace:{get:function(){var e=this;return{before:function(t){return e.firstTerm().whitespace.before=t,e},after:function(t){return e.lastTerm().whitespace.after=t,e}}}}}},{}],189:[function(e,t,r){"use strict";var n=e("./build"),i=e("./getters"),a=function(e,t,r,n){var a,s,o=this;for(this.terms=e,this.lexicon=t,this.refText=r,this._refTerms=n,this._cacheWords={},this.count=void 0,this.get=function(e){return o.terms[e]},a=Object.keys(i),s=0;s0);r++)if(a=i(this,r,t))return a;return null},has:function(e){return null!==this.matchOne(e)}};return Object.keys(t).forEach(function(r){e.prototype[r]=t[r]}),e};t.exports=o},{"../../result":26,"./lib":192,"./lib/startHere":195,"./lib/syntax":196}],191:[function(e,t,r){"use strict";var n=function(e,t){var r,n,i,a,s;for(r=0;r0&&t[0]&&t[0].starting);o++)u=i(e,o,t,r),u&&(s.push(u),l=u.length-1,o+=l);return s};t.exports=s},{"./fastPass":191,"./startHere":195,"./syntax":196}],193:[function(e,t,r){"use strict";var n=function(e,t){if(!e||!t)return!1;if(t.anyOne===!0)return!0;if(void 0!==t.tag)return e.tags[t.tag];if(void 0!==t.normal)return t.normal===e.normal||t.normal===e.silent_term;if(void 0!==t.oneOf){for(var r=0;r0)return null;if(l.ending===!0&&b!==e.length-1&&!l.minMax)return null;if(r[o].astrix!==!0)if(void 0===r[o].minMax)if(l.optional!==!0)if(n(u,l,s))b+=1,l.consecutive===!0&&(v=r[o+1],b=a(e,b,l,v));else if(!u.silent_term||u.normal){if(l.optional!==!0)return null}else{if(0===o)return null;b+=1,o-=1}else g=r[o+1],b=a(e,b,l,g);else{if(!c)return m=e.length,f=r[o].minMax.max+t,r[o].ending&&m>f?null:(m>f&&(m=f),e.terms.slice(t,m));if(d=i(e,b,c),!d)return null;if(p=r[o].minMax,dp.max)return null;b=d+1,o+=1}else{if(!c)return e.terms.slice(t,e.length);if(h=i(e,b,r[o+1]),!h)return null;b=h+1,o+=1}}return e.terms.slice(t,b)};t.exports=s},{"./isMatch":193}],196:[function(e,t,r){"use strict";var n=e("./paths").fns,i=function(e){return e.substr(1,e.length)},a=function(e){return e.substring(0,e.length-1)},s=function(e){var t,r,s;return e=e||"",e=e.trim(),t={},"!"===e.charAt(0)&&(e=i(e),t.negative=!0),"^"===e.charAt(0)&&(e=i(e),t.starting=!0),"$"===e.charAt(e.length-1)&&(e=a(e),t.ending=!0),"?"===e.charAt(e.length-1)&&(e=a(e),t.optional=!0),"+"===e.charAt(e.length-1)&&(e=a(e),t.consecutive=!0),"#"===e.charAt(0)&&(e=i(e),t.tag=n.titleCase(e),e=""),"("===e.charAt(0)&&")"===e.charAt(e.length-1)&&(e=a(e),e=i(e),r=e.split(/\|/g),t.oneOf={terms:{},tagArr:[]},r.forEach(function(e){if("#"===e.charAt(0)){var r=e.substr(1,e.length);r=n.titleCase(r),t.oneOf.tagArr.push(r)}else t.oneOf.terms[e]=!0}),e=""),"{"===e.charAt(0)&&"}"===e.charAt(e.length-1)&&(s=e.match(/\{([0-9]+), ?([0-9]+)\}/),t.minMax={min:parseInt(s[1],10),max:parseInt(s[2],10)},e=""),"."===e&&(t.anyOne=!0,e=""),"*"===e&&(t.astrix=!0,e=""),""!==e&&(t.normal=e.toLowerCase()),t},o=function(e){return e=e||"",e=e.split(/ +/),e.map(s)};t.exports=o},{"./paths":194}],197:[function(e,t,r){"use strict";var n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},i=e("./lib/syntax"),a=e("./lib/startHere"),s=e("../../result"),o=function(e){var t={notObj:function(t,r){var n=[],i=[];return t.terms.forEach(function(e){r.hasOwnProperty(e.normal)?(i.length&&n.push(i),i=[]):i.push(e)}),i.length&&n.push(i),n=n.map(function(r){ +return new e(r,t.lexicon,t.refText,t.refTerms)}),new s(n,t.lexicon,t.parent)},notString:function(t,r,n){var o,u,l=[],c=i(r),h=[];for(o=0;o0&&(l.push(h),h=[]),o+=u.length-1):h.push(t.terms[o]);return h.length>0&&l.push(h),l=l.map(function(r){return new e(r,t.lexicon,t.refText,t.refTerms)}),new s(l,t.lexicon,t.parent)}};return t.notArray=function(e,r){var n=r.reduce(function(e,t){return e[t]=!0,e},{});return t.notObj(e,n)},e.prototype.not=function(e,r){if("object"===(void 0===e?"undefined":n(e))){var i=Object.prototype.toString.call(e);if("[object Array]"===i)return t.notArray(this,e,r);if("[object Object]"===i)return t.notObj(this,e,r)}return"string"==typeof e?t.notString(this,e,r):this},e};t.exports=o},{"../../result":26,"./lib/startHere":195,"./lib/syntax":196}],198:[function(e,t,r){"use strict";var n=e("../mutate"),i=function(e){return e.prototype.delete=function(e){var t,r;return this.found?e?(t=this.match(e),t.found?r=n.deleteThese(this,t):this.parentTerms):(this.parentTerms=n.deleteThese(this.parentTerms,this),this):this},e};t.exports=i},{"../mutate":208}],199:[function(e,t,r){"use strict";var n=e("../mutate"),i=function(e,t){return e.terms.length&&e.terms[t]?(e.terms[t].whitespace.before=" ",e):e},a=function(e){var t=function(t){if("Terms"===t.isA)return t;if("Term"===t.isA)return new e([t]);var r=e.fromString(t);return r.tagger(),r},r={insertBefore:function(e,r){var a,s=this.terms.length,o=t(e);return r&&o.tag(r),a=this.index(),i(this.parentTerms,a),a>0&&i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,a,o),this.terms.length===s&&(this.terms=o.terms.concat(this.terms)),this},insertAfter:function(e,r){var a,s=this.terms.length,o=t(e);return r&&o.tag(r),a=this.terms[this.terms.length-1].index(),i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,a+1,o),this.terms.length===s&&(this.terms=this.terms.concat(o.terms)),this},insertAt:function(e,r,a){var s,o;return 0>e&&(e=0),s=this.terms.length,o=t(r),a&&o.tag(a),e>0&&i(o,0),this.parentTerms.terms=n.insertAt(this.parentTerms.terms,e,o),this.terms.length===s&&Array.prototype.splice.apply(this.terms,[e,0].concat(o.terms)),0===e&&(this.terms[0].whitespace.before="",o.terms[o.terms.length-1].whitespace.after=" "),this}};return Object.keys(r).forEach(function(t){e.prototype[t]=r[t]}),e};t.exports=a},{"../mutate":208}],200:[function(e,t,r){"use strict";var n=function(e){var t=[["tag"],["unTag"],["toUpperCase","UpperCase"],["toLowerCase"],["toTitleCase","TitleCase"]];return t.forEach(function(t){var r=t[0],n=t[1],i=function(){var e=arguments;return this.terms.forEach(function(t){t[r].apply(t,e)}),n&&this.tag(n,r),this};e.prototype[r]=i}),e};t.exports=n},{}],201:[function(e,t,r){"use strict";var n=e("../../../term"),i=function(e,t){var r=e.whitespace.before+e.text+e.whitespace.after;return r+=t.whitespace.before+t.text+t.whitespace.after},a=function(e,t){var r,a=e.terms[t],s=e.terms[t+1];s&&(r=i(a,s),e.terms[t]=new n(r,a.context),e.terms[t].normal=a.normal+" "+s.normal,e.terms[t].parentTerms=e.terms[t+1].parentTerms,e.terms[t+1]=null,e.terms=e.terms.filter(function(e){return null!==e}))};t.exports=a},{"../../../term":169}],202:[function(e,t,r){"use strict";var n=e("./combine"),i=e("../../mutate"),a=function(e,t){var r,i,a=e.terms.length;for(r=0;a>r;r++)n(e,0);return i=e.terms[0],i.tags=t,i},s=function(e){return e.prototype.lump=function(){var e,t,r=this.index(),n={};return this.terms.forEach(function(e){Object.keys(e.tags).forEach(function(e){return n[e]=!0})}),this.parentTerms===this?(e=a(this,n),this.terms=[e],this):(this.parentTerms=i.deleteThese(this.parentTerms,this),t=a(this,n),this.parentTerms.terms=i.insertAt(this.parentTerms.terms,r,t),this)},e};t.exports=s},{"../../mutate":208,"./combine":201}],203:[function(e,t,r){"use strict";var n=e("../../tagger"),i=function(e){var t={tagger:function(){return n(this),this},firstTerm:function(){return this.terms[0]},lastTerm:function(){return this.terms[this.terms.length-1]},all:function(){return this.parent},data:function(){return{text:this.out("text"),normal:this.out("normal")}},term:function(e){return this.terms[e]},first:function(){var t=this.terms[0];return new e([t],this.lexicon,this.refText,this.refTerms)},last:function(){var t=this.terms[this.terms.length-1];return new e([t],this.lexicon,this.refText,this.refTerms)},slice:function(t,r){var n=this.terms.slice(t,r);return new e(n,this.lexicon,this.refText,this.refTerms)},endPunctuation:function(){return this.last().terms[0].endPunctuation()},index:function(){var e,t=this.parentTerms,r=this.terms[0];if(!t||!r)return null;for(e=0;e0&&i[0]&&!i[0].whitespace.before&&(i[0].whitespace.before=" "),Array.prototype.splice.apply(e,[t,0].concat(i)),e}},{}],209:[function(e,t,r){"use strict";t.exports={data:e("../data"),lexicon:e("../data"),fns:e("../fns"),Term:e("../term")}},{"../data":6,"../fns":21,"../term":169}],210:[function(e,t,r){"use strict";t.exports="0:68;1:5A;2:6A;3:4I;4:5K;5:5N;6:62;7:66;a5Yb5Fc51d4Le49f3Vg3Ih35i2Tj2Rk2Ql2Fm27n1Zo1Kp13qu11r0Vs05tYuJvGw8year1za1D;arEeDholeCiBo9r8;o4Hy;man1o8u5P;d5Rzy;ck0despr63ly,ry;!sa3;a4Gek1lco1C;p0y;a9i8ola3W;b6Fol4K;gabo5Hin,nilla,rio5B;g1lt3ZnDpArb4Ms9tter8;!mo6;ed,u2;b1Hp9s8t19;ca3et,tairs;er,i3R;authorFdeDeCfair,ivers2known,like1precedMrAs9ti5w8;iel5ritt5C;ig1Kupervis0;e8u1;cognBgul5Il5I;v58xpect0;cid0r8;!grou53stood;iz0;aCeBiAo9r8;anqu4Jen5i4Doubl0ue;geth4p,rp5H;dy,me1ny;en57st0;boo,l8n,wd3R;ent0;aWca3PeUhTiRkin0FlOmNnobb42oKpIqueam42tCu8ymb58;bAdd4Wp8r3F;er8re0J;!b,i1Z;du0t3;aCeAi0Nr9u8yl3X;p56r5;aightfor4Vip0;ad8reotyp0;fa6y;nda5Frk;a4Si8lend51rig0V;cy,r19;le9mb4phist1Lr8u13vi3J;d4Yry;!mn;el1ug;e9i8y;ck,g09my;ek,nd4;ck,l1n8;ce4Ig3;a5e4iTut,y;c8em1lf3Fni1Fre1Eve4Gxy;o11r38;cr0int1l2Lme,v1Z;aCeAi9o8;bu6o2Csy,y2;ght0Ytzy,v2;a8b0Ucondi3Emo3Epublic37t1S;dy,l,r;b4Hci6gg0nd3S;a8icke6;ck,i4V;aKeIhoHicayu13lac4EoGr9u8;bl4Amp0ny;eDiAo8;!b02f8p4;ou3Su7;c9m8or;a2Le;ey,k1;ci7mi14se4M;li30puli6;ny;r8ti2Y;fe4Cv2J;in1Lr8st;allel0t8;-ti8i2;me;bKffIi1kHnGpFrg0Yth4utEv8;al,er8;!aBn9t,w8;e8roug9;ig8;ht;ll;do0Ger,g1Ysi0E;en,posi2K;g1Wli0D;!ay;b8li0B;eat;e7s8;ce08ole2E;aEeDiBo8ua3M;b3n9rLsy,t8;ab3;descri3Qstop;g8mb3;ht1;arby,cessa1Pighbor1xt;ive,k0;aDeBiAo8ultip3;bi3dern,l5n1Jo8st;dy,t;ld,nX;a8di04re;s1ty;cab2Vd1genta,in,jUkeshift,le,mmo8ny;th;aHeCiAo8;f0Zne1u8ve1w1y2;sy,t1Q;ke1m8ter2ve1;it0;ftBg9th2v8wd;el;al,e8;nda17;!-Z;ngu2Sst,tt4;ap1Di0EnoX;agg0ol1u8;i1ZniFstifi0veni3;cy,de2gno33llImFn8;br0doDiGn4sAt8;a2Wen7ox8;ic2F;a9i8;de;ne;or;men7p8;ar8erfe2Port0rop4;ti2;!eg2;aHeEiCoBu8;ge,m8rt;b3dr8id;um;me1ne6ok0s03ur1;ghfalut1Bl1sp8;an23;a9f03l8;l0UpO;dy,ven1;l9n5rro8;wi0A;f,low0;aIener1WhGid5loFoDr9u8;ard0;aAey,is1o8;o8ss;vy;tis,y;ld,ne,o8;d,fy;b2oI;a8o8;st1;in8u5y;ful;aIeGiElag21oArie9u8;n,rY;nd1;aAol09r8ul;e8m4;gPign;my;erce ,n8t;al,i09;ma3r8;ti3;bl0ke,l7n0Lr,u8vori06;l8x;ty;aEerie,lDnti0ZtheCvBx8;a1Hcess,pe9t8ube1M;ra;ct0rt;eryday,il;re2;dLiX;rBs8;t,yg8;oi8;ng;th1;aLeHiCoArea9u8;e,mb;ry;ne,ub3;le;dact0Officu0Xre,s9v8;er7;cre9eas0gruntl0hone6ord8tress0;er1;et;adpAn7rang0t9vo8;ut;ail0ermin0;an;i1mag0n8pp4;ish;agey,ertaKhIivHlFoAr8udd1;a8isp,owd0;mp0vZz0;loBm9ncre8rZst1vert,ward1zy;te;mon,ple8;te,x;ni2ss2;ev4o8;s0u5;il;eesy,i8;ef,l1;in;aLeIizarTlFoBrAu8;r1sy;ly;isk,okK;gAld,tt9un8;cy;om;us;an9iCo8;nd,o5;d,k;hi9lov0nt,st,tt4yo9;er;nd;ckBd,ld,nkArr9w5;dy;en;ruW;!wards;bRctu2dKfraJgain6hHlEntiquDpCrab,sleep,verBw8;a9k8;waU;re;age;pareUt;at0;coh8l,oof;ol8;ic;ead;st;id;eHuCv8;a9er7;se;nc0;ed;lt;al;erElDoBruAs8;eEtra8;ct;pt;a8ve;rd;aze,e;ra8;nt"},{}],211:[function(e,t,r){"use strict";t.exports="a06by 04d00eXfShQinPjustOkinda,mMnKoFpDquite,rAs6t3up2very,w1ye0;p,s;ay,ell; to,wards5;h1o0wiN;o,t6ward;en,us;everal,o0uch;!me1on,rt0; of;hVtimes,w05;a1e0;alQ;ndomPthL;ar excellCer0oint blank; Khaps;f3n0;ce0ly;! 0;agYmoS; courFten;ewHo0; longCt withstanding;aybe,eanwhi9ore0;!ovA;! aboR;deed,steS;en0;ce;or1urther0;!moH; 0ev3;examp0good,suF;le;n mas1v0;er;se;amn,e0irect1; 1finite0;ly;ju7trop;far,n0;ow; CbroBd nauseam,gAl5ny2part,side,t 0w3;be5l0mo5wor5;arge,ea4;mo1w0;ay;re;l 1mo0one,ready,so,ways;st;b1t0;hat;ut;ain;ad;lot,posteriori"},{}],212:[function(e,t,r){"use strict";t.exports="aCbBcAd9f8h7i6jfk,kul,l4m3ord,p1s0yyz;fo,yd;ek,h0;l,x;co,ia,uc;a0gw,hr;s,x;ax,cn,st;kg,nd;co,ra;en,fw,xb;dg,gk,lt;cn,kk;ms,tl"},{}],213:[function(e,t,r){"use strict";t.exports="a2Tb23c1Td1Oe1Nf1Lg1Gh18i16jakar2Ek0Xl0Rm0En0Ao08pXquiWrTsJtAu9v6w3y1z0;agreb,uri1W;ang1Qe0okohama;katerin1Frev31;ars1ellingt1Oin0rocl1;nipeg,terth0V;aw;a1i0;en2Glni2Y;lenc2Tncouv0Gr2F;lan bat0Dtrecht;a6bilisi,e5he4i3o2rondheim,u0;nVr0;in,ku;kyo,ronIulouC;anj22l13miso2Ira29; haJssaloni0X;gucigalpa,hr2Nl av0L;i0llinn,mpe2Angi07rtu;chu21n2LpT;a3e2h1kopje,t0ydney;ockholm,uttga11;angh1Eenzh1W;o0KvZ;int peters0Ul3n0ppo1E; 0ti1A;jo0salv2;se;v0z0Q;adU;eykjavik,i1o0;me,sario,t24;ga,o de janei16;to;a8e6h5i4o2r0ueb1Pyongya1M;a0etor23;gue;rt0zn23; elizabe3o;ls1Frae23;iladelph1Ynom pe07oenix;r0tah tik18;th;lerJr0tr0Z;is;dessa,s0ttawa;a1Glo;a2ew 0is;delTtaip0york;ei;goya,nt0Tpl0T;a5e4i3o1u0;mb0Kni0H;nt0scH;evideo,real;l1Ln01skolc;dellín,lbour0R;drid,l5n3r0;ib1se0;ille;or;chest0dalay,i0Y;er;mo;a4i1o0uxembou1FvAy00;ndZs angel0E;ege,ma0nz,sbYverpo1;!ss0;ol; pla0Husan0E;a5hark4i3laipeda,o1rak0uala lump2;ow;be,pavog0sice;ur;ev,ng8;iv;b3mpa0Jndy,ohsiu0Gra0un02;c0j;hi;ncheLstanb0̇zmir;ul;a5e3o0; chi mi1ms,u0;stH;nh;lsin0rakliF;ki;ifa,m0noi,va09;bu0RiltC;dan3en2hent,iza,othen1raz,ua0;dalaj0Fngzhou,tema05;bu0O;eToa;sk;es,rankfu0;rt;dmont4indhovU;a1ha01oha,u0;blRrb0Eshanbe;e0kar,masc0FugavpiJ;gu,je0;on;a7ebu,h2o0raioJuriti01;lo0nstanJpenhagNrk;gFmbo;enn3i1ristchur0;ch;ang m1c0ttagoL;ago;ai;i0lgary,pe town,rac4;ro;aHeBirminghWogoAr5u0;char3dap3enos air2r0sZ;g0sa;as;es;est;a2isba1usse0;ls;ne;silPtisla0;va;ta;i3lgrade,r0;g1l0n;in;en;ji0rut;ng;ku,n3r0sel;celo1ranquil0;la;na;g1ja lu0;ka;alo0kok;re;aBb9hmedabad,l7m4n2qa1sh0thens,uckland;dod,gabat;ba;k0twerp;ara;m5s0;terd0;am;exandr0maty;ia;idj0u dhabi;an;lbo1rh0;us;rg"},{}],214:[function(e,t,r){"use strict";t.exports="0:39;1:2M;a2Xb2Ec22d1Ye1Sf1Mg1Bh19i13j11k0Zl0Um0Gn05om3DpZqat1JrXsKtCu6v4wal3yemTz2;a25imbabwe;es,lis and futu2Y;a2enezue32ietnam;nuatu,tican city;.5gTkraiZnited 3ruXs2zbeE;a,sr;arab emirat0Kkingdom,states2;! of am2Y;k.,s.2; 28a.;a7haBimor-les0Bo6rinidad4u2;nis0rk2valu;ey,me2Ys and caic1U; and 2-2;toba1K;go,kel0Ynga;iw2Wji2nz2S;ki2U;aCcotl1eBi8lov7o5pa2Cri lanka,u4w2yr0;az2ed9itzerl1;il1;d2Rriname;lomon1Wmal0uth 2;afr2JkLsud2P;ak0en0;erra leoEn2;gapo1Xt maart2;en;negKrb0ychellY;int 2moa,n marino,udi arab0;hele25luc0mart20;epublic of ir0Com2Duss0w2;an26;a3eHhilippinTitcairn1Lo2uerto riM;l1rtugE;ki2Cl3nama,pua new0Ura2;gu6;au,esti2;ne;aAe8i6or2;folk1Hth3w2;ay; k2ern mariana1C;or0N;caragua,ger2ue;!ia;p2ther19w zeal1;al;mib0u2;ru;a6exi5icro0Ao2yanm04;ldova,n2roc4zamb9;a3gol0t2;enegro,serrat;co;c9dagascZl6r4urit3yot2;te;an0i15;shall0Wtin2;ique;a3div2i,ta;es;wi,ys0;ao,ed01;a5e4i2uxembourg;b2echtenste11thu1F;er0ya;ban0Hsotho;os,tv0;azakh1Ee2iriba03osovo,uwait,yrgyz1E;eling0Knya;a2erFord1D;ma16p1C;c6nd5r3s2taly,vory coast;le of m1Arael;a2el1;n,q;ia,oJ;el1;aiTon2ungary;dur0Ng kong;aBeAha0Qibralt9re7u2;a5ern4inea2ya0P;!-biss2;au;sey;deloupe,m,tema0Q;e2na0N;ce,nl1;ar;org0rmany;bTmb0;a6i5r2;ance,ench 2;guia0Dpoly2;nes0;ji,nl1;lklandTroeT;ast tim6cu5gypt,l salv5ngl1quatorial3ritr4st2thiop0;on0; guin2;ea;ad2;or;enmark,jibou4ominica3r con2;go;!n B;ti;aAentral african 9h7o4roat0u3yprQzech2; 8ia;ba,racao;c3lo2morPngo-brazzaville,okFsta r03te d'ivoiK;mb0;osD;i2ristmasF;le,na;republic;m2naTpe verde,yman9;bod0ero2;on;aFeChut00o8r4u2;lgar0r2;kina faso,ma,undi;azil,itish 2unei;virgin2; is2;lands;liv0nai4snia and herzegoviGtswaGuvet2; isl1;and;re;l2n7rmuF;ar2gium,ize;us;h3ngladesh,rbad2;os;am3ra2;in;as;fghaFlCmAn5r3ustr2zerbaijH;al0ia;genti2men0uba;na;dorra,g4t2;arct6igua and barbu2;da;o2uil2;la;er2;ica;b2ger0;an0;ia;ni2;st2;an"},{}],215:[function(e,t,r){"use strict";t.exports="0:17;a0Wb0Mc0Bd09e08f06g03h01iXjUkSlOmKnHomGpCqatari,rAs6t4u3v2wel0Qz1;am0Eimbabwe0;enezuel0ietnam0G;g8krai11;aiwShai,rinida0Hu1;ni0Prkmen;a3cot0Je2ingapoNlovak,oma0Tpa04udQw1y0X;edi0Jiss;negal0Ar07;mo0uT;o5us0Kw1;and0;a2eru0Ghilipp0Po1;li0Drtugu05;kist2lesti0Qna1raguay0;ma0P;ani;amiYi1orweO;caragu0geri1;an,en;a2ex0Mo1;ngo0Erocc0;cedo0Ila1;gasy,y07;a3eb8i1;b1thua0F;e0Dy0;o,t01;azakh,eny0o1uwaiti;re0;a1orda0A;ma0Bp1;anM;celandic,nd3r1sraeli,ta02vo06;a1iS;ni0qi;i0oneU;aiCin1ondur0unM;di;amCe1hanai0reek,uatemal0;or1rm0;gi0;i1ren6;lipino,n3;cuadoVgyp5ngliIstoWthiopi0urope0;a1ominXut3;niG;a8h5o3roa2ub0ze1;ch;ti0;lom1ngol4;bi0;a5i1;le0n1;ese;liforLm1na2;bo1erooK;di0;a9el7o5r2ul1;gaG;aziBi1;ti1;sh;li1sD;vi0;aru1gi0;si0;ngladeshi,sque;f9l6merAngol0r4si0us1;sie,tr1;a1i0;li0;gent1me4;ine;ba2ge1;ri0;ni0;gh0r1;ic0;an"},{}],216:[function(e,t,r){"use strict";t.exports="aZbYdTeRfuck,gQhKlHmGnFoCpAsh9u7voi01w3y0;a1eKu0;ck,p;!a,hoo,y;h1ow,t0;af,f;e0oa;e,w;gh,h0;! huh,-Oh,m;eesh,hh,it;ff,hew,l0sst;ease,z;h1o0w,y;h,o,ps;!h;ah,ope;eh,mm;m1ol0;!s;ao,fao;a3e1i,mm,urr0;ah;e,ll0y;!o;ha0i;!ha;ah,ee,oodbye,rr;e0h,t cetera,ww;k,p;'3a0uh;m0ng;mit,n0;!it;oh;ah,oo,ye; 1h0rgh;!em;la"},{}],217:[function(e,t,r){"use strict";t.exports="0:81;1:7E;2:7G;3:7Y;4:65;5:7P;6:7T;7:7O;8:7U;9:7C;A:6K;B:7R;C:6X;D:79;a78b6Pc5Ud5Ce4Rf4Jg47h3Zi3Uj38k2Sl21m1An14o12p0Ur0FsYtNursu9vIwGyEza7;olan2vE;etDon5Z;an2enMhi6PilE;a,la,ma;aHeFiE;ctor1o9rgin1vi3B;l4VrE;a,na,oniA;len5Ones7N;aLeJheIi3onHrE;acCiFuE;dy;c1na,s8;i4Vya;l4Nres0;o3GrE;e1Oi,ri;bit8mEn29ra,s8;a7iEmy;!ka;aTel4HhLiKoItHuFyE;b7Tlv1;e,sEzV;an17i;acCel1H;f1nEph1;d7ia,ja,ya;lv1mon0;aHeEi24;e3i9lFrE;i,yl;ia,ly;nFrEu3w3;i,on;a,ia,nEon;a,on;b24i2l5Ymant8nd7raB;aPeLhon2i5oFuE;by,th;bIch4Pn2sFxE;an4W;aFeE;ma2Ut5;!lind;er5yn;bFnE;a,ee;a,eE;cAkaB;chEmo3qu3I;a3HelEi2;!e,le;aHeGhylFriE;scil0Oyamva2;is,lis;arl,t7;ige,mGrvati,tricFulE;a,etDin0;a,e,ia;!e9;f4BlE;ga,iv1;aIelHiForE;a,ma;cEkki,na;ho2No2N;!l;di6Hi36o0Qtas8;aOeKiHonFrignayani,uri2ZyrE;a,na,t2J;a,iE;ca,q3G;ch3SlFrE;an2iam;dred,iA;ag1DgGliFrE;ced63edi36;n2s5Q;an,han;bSdel4e,gdale3li59nRrHtil2uGvFx4yE;a,ra;is;de,re6;cMgKiGl3Fs8tFyanE;!n;a,ha,i3;aFb2Hja,l2Ena,sEtza;a,ol,sa;!nE;!a,e,n0;arEo,r4AueriD;et4Ai5;elLia;dakran5on,ue9;el,le;aXeSiOoKuGyE;d1nE;!a,da,e4Vn1D;ciGelFiEpe;sa;a,la;a,l3Un2;is,la,rEui2Q;aFeEna,ra4;n0t5;!in0;lGndEsa;a,sE;ay,ey,i,y;a,i0Fli0F;aHiGla,nFoEslCt1M;la,na;a,o7;gh,la;!h,n07;don2Hna,ra,tHurFvern0xE;mi;a,eE;l,n;as8is8oE;nEya;ya;aMeJhadija,iGrE;istEy2G;a,en,in0M;mErst6;!beE;rlC;is8lFnd7rE;i,ri;ey,i,lCy;nyakumari,rItFvi5yE;!la;aFe,hEi3Cri3y;ar4er4le6r12;ri3;a,en,iEla;!ma,n;aTeNilKoGuE;anEdi1Fl1st4;a,i5;!anGcel0VdFhan1Rl3Eni,seEva3y37;fi3ph4;i32y;!a,e,n02;!iFlE;!iE;an;anHle3nFri,sE;iAsiA;a,if3LnE;a,if3K;a,e3Cin0nE;a,e3Bin0;cHde,nEsm4vie7;a,eFiE;ce,n0s;!l2At2G;l0EquelE;in0yn;da,mog2Vngrid,rHsEva;abelFiE;do7;!a,e,l0;en0ma;aIeGilE;aEda,laE;ry;ath33i26lenEnriet5;!a,e;nFrE;i21ri21;aBnaB;aMeKiJlHrFwenE;!dolY;acEetch6;e,ie9;adys,enEor1;a,da,na;na,seH;nevieve,orgi0OrE;ald4trude;brielFil,le,yE;le;a,e,le;aKeIlorHrE;ancEe2ie2;es,iE;n0sA;a,en1V;lErn;ic1;tiPy1P;dWile6k5lPmOrMstJtHuGvE;a,elE;yn;gen1la,ni1O;hEta;el;eEh28;lEr;a,e,l0;iEma,nest4;ca,ka,n;ma;a4eIiFl6ma,oiVsa,vE;a,i7;sEzaF;aEe;!beH;anor,nE;!a;iEna;th;aReKiJoE;lHminiqGnPrE;a,e6is,othE;ea,y;ue;ly,or24;anWna;anJbIe,lGnEsir1Z;a,iE;se;a,ia,la,orE;es,is;oraBra;a,na;m1nFphn0rlE;a,en0;a,iE;el08;aYeVhSlOoHrEynth1;isFyE;stal;ti3;lJnsHrEur07;a,inFnE;el1;a,e,n0;tanEuelo;ce,za;e6le6;aEeo;ire,rFudE;etDia;a,i0A;arl0GeFloe,ristE;a,in0;ls0Qryl;cFlE;esDi1D;el1il0Y;itlin,milMndLrIsHtE;ali3hE;er4le6y;in0;a0Usa0U;a,la,meFolE;!e,in0yn;la,n;aViV;e,le;arbVeMiKlKoni5rE;anIen2iEooke;dgFtE;tnC;etE;!te;di;anA;ca;atriLcky,lin2rItFulaBverE;ly;h,tE;e,yE;!e;nEt8;adOiE;ce;ce,z;a7ra;biga0Kd0Egn0Di08lZmVnIrGshlCudrEva;a,ey,i,y;ey,i,y;lEpi5;en0;!a,dNeLgelJiIja,nGtoE;inEn1;etD;!a,eIiE;ka;ka,ta;a,iE;a,ca,n0;!tD;te;je9rE;ea;la;an2bFel1i3y;ia;er;da;ber5exaJiGma,ta,yE;a,sE;a,sa;cFsE;a,ha,on;e,ia;nd7;ra;ta;c8da,le6mFshaB;!h;ee;en;ha;es;a,elGriE;a3en0;na;e,iE;a,n0;a,e;il"},{}],218:[function(e,t,r){"use strict";t.exports="aJblair,cHdevGguadalupe,jBk9l8m5r2sh0trinity;ay,e0iloh;a,lby;e1o0;bin,sario;ag1g1ne;ar1el,org0;an;ion,lo;ashawn,ee;asAe0;ls9nyatta,rry;a1e0;an,ss2;de,ime,m0n;ie,m0;ie;an,on;as0heyenne;ey,sidy;lexis,ndra,ubr0;ey"},{}],219:[function(e,t,r){"use strict";t.exports="0:1P;1:1Q;a1Fb1Bc12d0Ye0Of0Kg0Hh0Di09june07kwanzaa,l04m00nYoVpRrPsEt8v6w4xm03y2;om 2ule;hasho16kippur;hit2int0Xomens equalit7; 0Ss0T;aGe2ictor1E;r1Bteran0;-1ax 1h6isha bav,rinityNu2; b3rke2;y 1;ish2she2;vat;a0Ye prophets birth1;a6eptember15h4imchat tor0Vt 3u2;kk4mmer U;a9p8s7valentines day ;avu2mini atzeret;ot;int 2mhain;a5p4s3va2;lentine0;tephen0;atrick0;ndrew0;amadan,ememberanc0Yos2;a park0h hashana;a3entecost,reside0Zur2;im,ple heart 1;lm2ssovE; s04;rthodox 2stara;christma0easter2goOhoJn0C;! m07;ational 2ew years09;freedom 1nurse0;a2emorial 1lHoOuharram;bMr2undy thurs1;ch0Hdi gr2tin luther k0B;as;a2itRughnassadh;bour 1g baom2ilat al-qadr;er; 2teenth;soliU;d aJmbolc,n2sra and miraj;augurGd2;ependen2igenous people0;c0Bt0;a3o2;ly satur1;lloween,nukkUrvey mil2;k 1;o3r2;ito de dolores,oundhoW;odW;a4east of 2;our lady of guadalupe,the immaculate concepti2;on;ther0;aster8id 3lectYmancip2piphany;atX;al-3u2;l-f3;ad3f2;itr;ha;! 2;m8s2;un1;ay of the dead,ecemb3i2;a de muertos,eciseis de septiembre,wali;er sol2;stice;anad8h4inco de mayo,o3yber m2;on1;lumbu0mmonwealth 1rpus christi;anuk4inese n3ristmas2;! N;ew year;ah;a 1ian tha2;nksgiving;astillCeltaine,lack4ox2;in2;g 1; fri1;dvent,ll 9pril fools,rmistic8s6u2;stral4tum2;nal2; equinox;ia 1;cens2h wednes1sumption of mary;ion 1;e 1;hallows 6s2;ai2oul0t0;nt0;s 1;day;eve"},{}],220:[function(e,t,r){"use strict";t.exports="0:2S;1:38;2:36;3:2B;4:2W;5:2Y;a38b2Zc2Ld2Be28f23g1Yh1Ni1Ij1Ck15l0Xm0Ln0Ho0Ep04rXsMtHvFwCxBy8zh6;a6ou,u;ng,o;a6eun2Roshi1Iun;ma6ng;da,guc1Xmo24sh1ZzaQ;iao,u;a7eb0il6o4right,u;li39s2;gn0lk0ng,tanabe;a6ivaldi;ssilj35zqu1;a9h8i2Do7r6sui,urn0;an,ynisI;lst0Nrr2Sth;at1Romps2;kah0Tnaka,ylor;aDchCeBhimizu,iAmi9o8t7u6zabo;ar1lliv27zuD;al21ein0;sa,u4;rn3th;lva,mmo22ngh;mjon3rrano;midt,neid0ulz;ito,n7sa6to;ki;ch1dKtos,z;amBeag1Xi9o7u6;bio,iz,s2L;b6dri1KgHj0Sme22osevelt,sZux;erts,ins2;c6ve0E;ci,hards2;ir1os;aDe9h7ic6ow1Z;as2Ehl0;a6illips;m,n1S;ders5et8r7t6;e0Or3;ez,ry;ers;h20rk0t6vl3;el,te0K;baBg0Blivei01r6;t6w1O;ega,iz;a6eils2guy5ix2owak,ym1D;gy,ka6var1J;ji6muW;ma;aEeCiBo8u6;ll0n6rr0Cssolini,ñ6;oz;lina,oKr6zart;al1Me6r0T;au,no;hhail3ll0;rci0s6y0;si;eWmmad3r6tsu08;in6tin1;!o;aCe8i6op1uo;!n6u;coln,dholm;e,fe7n0Pr6w0I;oy;bv6v6;re;rs5u;aBennedy,imuAle0Ko8u7wo6;k,n;mar,znets3;bay6vacs;asY;ra;hn,rl9to,ur,zl3;aAen9ha4imen1o6u4;h6n0Yu4;an6ns2;ss2;ki0Ds5;cks2nsse0C;glesi9ke8noue,shik7to,vano6;u,v;awa;da;as;aCe9it8o7u6;!a4b0gh0Nynh;a4ffmann,rvat;chcock,l0;mingw7nde6rL;rs2;ay;ns5rrOs7y6;asCes;an3hi6;moH;a8il,o7rub0u6;o,tierr1;m1nzal1;nd6o,rcia;hi;er9is8lor08o7uj6;ita;st0urni0;ch0;nand1;d7insteHsposi6vaL;to;is2wards;aCeBi9omin8u6;bo6rand;is;gu1;az,mitr3;ov;lgado,vi;rw7vi6;es,s;in;aFhBlarkAo6;h5l6op0x;em7li6;ns;an;!e;an8e7iu,o6ristens5u4we;i,ng,u4w,y;!n,on6u4;!g;mpb8rt0st6;ro;er;ell;aBe8ha4lanco,oyko,r6yrne;ooks,yant;ng;ck7ethov5nnett;en;er,ham;ch,h7iley,rn6;es;k,ng;dEl9nd6;ers6rB;en,on,s2;on;eks8iy9on7var1;ez;so;ej6;ev;ams"},{}],221:[function(e,t,r){"use strict";t.exports="0:A8;1:9I;2:9Z;3:9Q;4:93;5:7V;6:9B;7:9W;8:8K;9:7H;A:9V;a96b8Kc7Sd6Ye6Af5Vg5Gh4Xi4Nj3Rk3Jl33m25n1Wo1Rp1Iqu1Hr0Xs0EtYusm0vVwLxavi3yDzB;aBor0;cha52h1E;ass2i,oDuB;sEuB;ma,to;nEsDusB;oBsC;uf;ef;at0g;aIeHiCoB;lfga05odrow;lBn16;bDfr9IlBs1;a8GiB;am2Qe,s;e6Yur;i,nde7Zsl8;de,lBrr7y6;la5t3;an5ern1iB;cBha0nce2Wrg7Sva0;ente,t4I;aPeKhJimIoErCyB;!l3ro6s1;av6OeBoy;nt,v4E;bDdd,mBny;!as,mBoharu;a93ie,y;i9y;!my,othy;eodo0Nia6Aom9;dErB;en5rB;an5eBy;ll,n5;!dy;ic84req,ts3Myl42;aNcottMeLhIiHoFpenc3tBur1Fylve76zym1;anDeBua6A;f0ph8OrliBve4Hwa69;ng;!islaw,l8;lom1uB;leyma6ta;dn8m1;aCeB;ld1rm0;h02ne,qu0Hun,wn;an,basti0k1Nl3Hrg3Gth;!y;lEmDntBq3Yul;iBos;a5Ono;!m7Ju4;ik,vaB;d3JtoY;aQeMicKoEuCyB;an,ou;b7dBf67ssel5X;ol2Fy;an,bFcky,dEel,geDh0landAm0n5Dosevelt,ry,sCyB;!ce;coe,s;l31r;e43g3n8o8Gri5C;b7Ie88;ar4Xc4Wha6YkB;!ey,y;gCub7x,yBza;ansh,nal4U;g7DiB;na79s;chDfa4l22mCndBpha4ul,y58;al5Iol21;i7Yon;id;ent2int1;aIeEhilDierCol,reB;st1;re;!ip,lip;d7RrDtB;ar,eB;!r;cy,ry;bLt3Iul;liv3m7KrDsCtBum78w7;is,to;ama,c76;i,l3NvB;il4H;athanIeHiDoB;aBel,l0ma0r2G;h,m;cDiCkB;h5Oola;lo;hol9k,ol9;al,d,il,ls1;!i4;aUeSiKoFuByr1;hamDrCstaB;fa,pha;ad,ray;ed,mF;dibo,e,hamDntCrr4EsBussa;es,he;e,y;ad,ed,mB;ad,ed;cFgu4kDlCnBtche5C;a5Yik;an,os,t1;e,olB;aj;ah,hBk8;a4eB;al,l;hBlv2r3P;di,met;ck,hLlKmMnu4rGs1tCuri5xB;!imilianA;eo,hCi9tB;!eo,hew,ia;eBis;us,w;cDio,kAlCsha4WtBv2;i21y;in,on;!el,oIus;colm,ik;amBdi,moud;adB;ou;aMeJiIl2AoEuBy39;c9is,kBth3;aBe;!s;g0nn5HrenDuBwe4K;!iB;e,s;!zo;am,on4;evi,i,la3YoBroy,st3vi,w3C;!nB;!a4X;mCn5r0ZuBwB;ren5;ar,oB;nt;aGeChaled,irBrist40u36y2T;k,ollos;i0Vlv2nBrmit,v2;!dCnBt;e0Ty;a43ri3T;na50rBthem;im,l;aYeRiPoDuB;an,liBni0Nst2;an,o,us;aqu2eKhnJnGrEsB;eChB;!ua;!ph;dBge;an,i;!aB;s,thB;an,on;!ath0n4A;!l,sBy;ph;an,e,mB;!m46;ffFrCsB;s0Vus;a4BemCmai6oBry;me,ni0H;i5Iy;!e01rB;ey,y;cGd7kFmErDsCvi3yB;!d7;on,p3;ed,r1G;al,es;e,ob,ub;kBob;!s1;an,brahJchika,gHk3lija,nuGrEsDtBv0;ai,sB;uki;aac,ha0ma4;a,vinB;!g;k,nngu3X;nacBor;io;im;aKeFina3SoDuByd42;be1RgBmber3GsD;h,o;m3ra5sBwa35;se2;aEctDitDnCrB;be1Mm0;ry;or;th;bIlHmza,ns,o,rCsBya37;an,s0;lEo3CrDuBv8;hi34ki,tB;a,o;is1y;an,ey;!im;ib;aLeIilbe3YlenHord1rDuB;illerBstavo;mo;aDegBov3;!g,orB;io,y;dy,h43nt;!n;ne,oCraB;ld,rdA;ffr8rge;brielDrB;la1IrBy;eZy;!e;aOeLiJlIorr0CrB;anDedB;!d2GeBri1K;ri1J;cCkB;!ie,l2;esco,isB;!co,zek;oyd;d4lB;ip;liCng,rnB;anX;pe,x;bi0di;arWdRfra2it0lNmGnFrCsteb0th0uge6vBym7;an,ereH;gi,iCnBv2w2;estAie;c02k;rique,zo;aGiDmB;aFeB;tt;lCrB;!h0;!io;nu4;be02d1iDliCm3t1v2woB;od;ot1Bs;!as,j34;!d1Xg28mEuCwB;a1Din;arB;do;o0Fu0F;l,nB;est;aSeKieJoDrag0uCwByl0;ay6ight;a6st2;minEnDugCyB;le;!l9;!a1Hn1K;go,icB;!k;go;an,j0lbeHmetriYnFrEsDvCwBxt3;ay6ey;en,in;moZ;ek,ri05;is,nB;is;rt;lKmJnIrDvB;e,iB;!d;iEne08rBw2yl;eBin,yl;lBn;!l;n,us;!e,i4ny;i1Fon;e,l9;as;aXeVhOlFoCraig,urtB;!is;dy,l2nrad,rB;ey,neliBy;us;aEevelaDiByG;fBnt;fo06t1;nd;rDuCyB;!t1;de;en5k;ce;aFeErisCuB;ck;!tB;i0oph3;st3;d,rlBse;es,ie;cBdric,s0M;il;lEmer1rB;ey,lCroBt3;ll;!os,t1;eb,v2;arVePilOlaNobMrCuByr1;ddy,rt1;aGeDi0uCyB;anDce,on;ce,no;nCtB;!t;d0t;dBnd1;!foCl8y;ey;rd;!by;i6ke;al,lF;nDrBshoi;at,naBt;rdA;!iCjam2nB;ie,y;to;ry,t;ar0Pb0Hd0Egu0Chme0Bid7jani,lUmSnLputsiKrCsaBu0Cya0ziz;hi;aHchGi4jun,maEnCon,tBy0;hur,u04;av,oB;ld;an,ndA;el;ie;ta;aq;dFgelAtB;hony,oB;i6nB;!iA;ne;reBy;!a,s,w;ir,mBos;ar;!an,beOeIfFi,lEonDt1vB;aMin;on;so,zo;an,en;onCrB;edA;so;jEksandDssExB;!and3is;er;ar,er;andB;ro;rtA;!o;en;d,t;st2;in;amCoBri0vik;lfo;!a;dDel,rahCuB;!bakr,lfazl;am;allEel,oulaye,ulB;lCrahm0;an;ah,o;ah;av,on"},{}],222:[function(e,t,r){"use strict";t.exports="ad hominPbKcJdGeEfCgBh8kittNlunchDn7othersDp5roomQs3t0us dollarQ;h0icPragedM;ereOing0;!sA;tu0uper bowlMystL;dAffL;a0roblJurpo4;rtJt8;othGumbA;ead startHo0;meGu0;seF;laci6odErand slamE;l oz0riendDundB;!es;conom8ggBnerg8v0xamp7;entA;eath9inn1o0;gg5or8;er7;anar3eil4it3ottage6redit card6;ank3o0reakfast5;d1tt0;le3;ies,y;ing1;em0;!s"},{}],223:[function(e,t,r){"use strict";t.exports="0:2Q;1:20;2:2I;a2Db24c1Ad11e0Uf0Tg0Qh0Kin0Djourn1l07mWnewsVoTpLquartet,rIs7t5u3worke1K;ni3tilG;on,vA;ele3im2Oribun1v;communica1Jgraph,vi1L;av0Hchool,eBo8t4ubcommitt1Ny3;ndic0Pstems;a3ockV;nda22te 3;poli2univ3;ersi27;ci3ns;al club,et3;e,y;cur3rvice0;iti2C;adio,e3;gionRs3;er19ourc29tauraX;artners9e7harmac6izza,lc,o4r3;ess,oduc13;l3st,wer;i2ytechnic;a0Jeutical0;ople's par1Ttrol3;!eum;!hip;bservLffi2il,ptic1r3;chestra,ganiza22;! servi2;a9e7i5o4use3;e,um;bi10tor0;lita1Bnist3;e08ry;dia,mori1rcantile3; exchange;ch1Ogazi5nage06r3;i4ket3;i0Cs;ne;ab6i5oc3;al 3;aIheaH;beration ar1Fmited;or3s;ato0Y;c,dustri1Gs6ter5vest3;me3o08;nt0;nation1sI;titut3u14;!e3;! of technoloIs;e5o3;ld3sp0Itel0;ings;a3ra6;lth a3;uth0T;a4ir09overnJroup,ui3;ld;s,zet0P;acul0Qede12inanci1m,ounda13und;duca12gli0Blectric8n5s4t3veningH;at;ta0L;er4semb01ter3;prise0tainB;gy;!i0J;a9e4i3rilliG;rectora0FviP;part3sign,velop6;e5ment3;! sto3s;re;ment;ily3ta; news;aSentQhNircus,lLo3rew;!ali0LffJlleHm9n4rp3unc7;o0Js;fe6s3taine9;e4ulti3;ng;il;de0Eren2;m5p3;any,rehensiAute3;rs;i5uni3;ca3ty;tions;s3tt6;si08;cti3ge;ve;ee;ini3ub;c,qK;emica4oir,ronic3urch;le;ls;er,r3;al bank,e;fe,is5p3re,thedr1;it1;al;se;an9o7r4u3;ilding socieEreau;ands,ewe4other3;hood,s;ry;a3ys;rd;k,q3;ue;dministIgencFirDrCss7ut3viaJ;h4ori3;te;ori3;ty;oc5u3;ran2;ce;!iat3;es,iB;my;craft,l3ways;in4;e0i3y;es;!s;ra3;ti3;on"},{}],224:[function(e,t,r){"use strict";t.exports="0:42;1:40;a38b2Pc29d21e1Yf1Ug1Mh1Hi1Ej1Ak18l14m0Tn0Go0Dp07qu06rZsStFuBv8w3y2;amaha,m0Youtu2Rw0Y;a4e2orld trade organizati1;lls fargo,st2;fie23inghou18;l2rner br3B;-m13gree30l street journ25m13;an halOeriz1isa,o2;dafo2Gl2;kswagMvo;bs,n3ps,s2;a tod2Qps;es33i2;lev2Wted natio2T; mobi2Jaco beQd bNeBgi fridaAh4im horto2Smz,o2witt2V;shiba,y2;ota,s r Z;e 2in lizzy;b4carpen31daily ma2Vguess w3holli0rolling st1Ns2w3;mashing pumpki2Nuprem0;ho;ea2lack eyed pe3Dyrds;ch bo2tl0;ys;l3s2;co,la m14;efoni09us;a7e5ieme2Fo3pice gir6ta2ubaru;rbucks,to2L;ny,undgard2;en;a2Px pisto2;ls;few24insbu25msu1W;.e.m.,adiohead,b7e4oyal 2yan2V;b2dutch she5;ank;/max,aders dige1Ed 2vl1;bu2c1Thot chili peppe2Ilobst27;ll;c,s;ant2Tizno2D;an6bs,e4fiz23hilip morrCi3r2;emier25octer & gamb1Qudenti14;nk floyd,zza hut;psi26tro2uge0A;br2Ochina,n2O; 3ason1Wda2E;ld navy,pec,range juli3xf2;am;us;aBbAe6fl,h5i4o2sa,wa;kia,tre dame,vart2;is;ke,ntendo,ss0L;l,s;stl4tflix,w2; 2sweek;kids on the block,york0A;e,é;a,c;nd1Rs3t2;ional aca2Co,we0P;a,cZd0N;aBcdonaldAe6i4lb,o2tv,yspace;b1Knsanto,ody blu0t2;ley crue,or0N;crosoft,t2;as,subisP;dica4rcedes3talli2;ca;!-benz;id,re;'s,s;c's milk,tt11z1V;'ore08a4e2g,ittle caesa1H;novo,x2;is,mark; pres6-z-boy;atv,fc,kk,m2od1H;art;iffy lu0Jo4pmorgan2sa;! cha2;se;hnson & johns1y d1O;bm,hop,n2tv;g,te2;l,rpol; & m,asbro,ewlett-packaSi4o2sbc,yundai;me dep2n1G;ot;tac2zbollah;hi;eneral 7hq,l6o3reen d0Gu2;cci,ns n ros0;ldman sachs,o2;dye2g09;ar;axo smith kliYencore;electr0Gm2;oto0S;a4bi,da,edex,i2leetwood mac,oFrito-l08;at,nancial2restoU; tim0;cebook,nnie mae;b04sa,u,xxon2; m2m2;ob0E;aiml09e6isney,o4u2;nkin donuts,po0Uran dur2;an;j,w j2;on0;a,f leppa3ll,peche mode,r spiegYstiny's chi2;ld;rd;aFbc,hCiAnn,o4r2;aigsli6eedence clearwater reviv2;al;ca c6l5m2o09st04;ca3p2;aq;st;dplMgate;ola;a,sco2tigroup;! systems;ev3i2;ck fil-a,na daily;r1y;dbury,pital o2rl's jr;ne;aGbc,eCfAl6mw,ni,o2p;ei4mbardiKston 2;glo2pizza;be;ng;ack & deckGo3ue c2;roX;ckbuster video,omingda2;le; g2g2;oodriN;cht4e ge0n & jer3rkshire hathaw2;ay;ryH;el;nana republ4s2xt6y6;f,kin robbi2;ns;ic;bXcSdidRerosmith,ig,lLmFnheuser-busEol,ppleAr7s4t&t,v3y2;er;is,on;hland2sociated G; o2;il;by5g3m2;co;os; compu3bee2;'s;te2;rs;ch;c,d,erican4t2;!r2;ak; ex2;pre2;ss; 5catel3t2;air;!-luce2;nt;jazeera,qae2;da;as;/dc,a4er,t2;ivisi1;on;demy of scienc0;es;ba,c"},{}],225:[function(e,t,r){"use strict";t.exports="0:71;1:6P;2:7D;3:73;4:6I;5:7G;6:75;7:6O;8:6B;9:6C;A:5H;B:70;C:6Z;a7Gb62c5Cd59e57f45g3Nh37iron0j33k2Yl2Km2Bn29o27p1Pr1Es09tQuOvacuum 1wGyammerCzD;eroAip EonD;e0k0;by,up;aJeGhFiEorDrit52;d 1k2Q;mp0n49pe0r8s8;eel Bip 7K;aEiD;gh 06rd0;n Br 3C;it 5Jk8lk6rm 0Qsh 73t66v4O;rgeCsD;e 9herA;aRePhNiJoHrFuDype 0N;ckArn D;d2in,o3Fup;ade YiDot0y 32;ckle67p 79;ne66p Ds4C;d2o6Kup;ck FdEe Dgh5Sme0p o0Dre0;aw3ba4d2in,up;e5Jy 1;by,o6U;ink Drow 5U;ba4ov7up;aDe 4Hll4N;m 1r W;ckCke Elk D;ov7u4N;aDba4d2in,o30up;ba4ft7p4Sw3;a0Gc0Fe09h05i02lYmXnWoVpSquare RtJuHwD;earFiD;ngEtch D;aw3ba4o6O; by;ck Dit 1m 1ss0;in,up;aIe0RiHoFrD;aigh1LiD;ke 5Xn2X;p Drm1O;by,in,o6A;r 1tc3H;c2Xmp0nd Dr6Gve6y 1;ba4d2up;d2o66up;ar2Uell0ill4TlErDurC;ingCuc8;a32it 3T;be4Brt0;ap 4Dow B;ash 4Yoke0;eep EiDow 9;c3Mp 1;in,oD;ff,v7;gn Eng2Yt Dz8;d2o5up;in,o5up;aFoDu4E;ot Dut0w 5W;aw3ba4f36o5Q;c2EdeAk4Rve6;e Hll0nd GtD; Dtl42;d2in,o5upD;!on;aw3ba4d2in,o1Xup;o5to;al4Kout0rap4K;il6v8;at0eKiJoGuD;b 4Dle0n Dstl8;aDba4d2in52o3Ft2Zu3D;c1Ww3;ot EuD;g2Jnd6;a1Wf2Qo5;ng 4Np6;aDel6inAnt0;c4Xd D;o2Su0C;aQePiOlMoKrHsyc29uD;ll Ft D;aDba4d2in,o1Gt33up;p38w3;ap37d2in,o5t31up;attleCess EiGoD;p 1;ah1Gon;iDp 52re3Lur44wer 52;nt0;ay3YuD;gAmp 9;ck 52g0leCn 9p3V;el 46ncilA;c3Oir 2Hn0ss FtEy D;ba4o4Q; d2c1X;aw3ba4o11;pDw3J;e3It B;arrow3Serd0oD;d6te3R;aJeHiGoEuD;ddl8ll36;c16p 1uth6ve D;al3Ad2in,o5up;ss0x 1;asur8lt 9ss D;a19up;ke Dn 9r2Zs1Kx0;do,o3Xup;aOeMiHoDuck0;a16c36g 0AoDse0;k Dse34;aft7ba4d2forw2Ain3Vov7uD;nd7p;e GghtFnEsDv1T;ten 4D;e 1k 1; 1e2Y;ar43d2;av1Ht 2YvelD; o3L;p 1sh DtchCugh6y1U;in3Lo5;eEick6nock D;d2o3H;eDyA;l2Hp D;aw3ba4d2fSin,o05to,up;aFoEuD;ic8mpA;ke2St2W;c31zz 1;aPeKiHoEuD;nker2Ts0U;lDneArse2O;d De 1;ba4d2oZup;de Et D;ba4on,up;aw3o5;aDlp0;d Fr Dt 1;fDof;rom;in,oO;cZm 1nDve it;d Dg 27kerF;d2in,o5;aReLive Jloss1VoFrEunD; f0M;in39ow 23; Dof 0U;aEb17it,oDr35t0Ou12;ff,n,v7;bo5ft7hJw3;aw3ba4d2in,oDup,w3;ff,n,ut;a17ek0t D;aEb11d2oDr2Zup;ff,n,ut,v7;cEhDl1Pr2Xt,w3;ead;ross;d aEnD;g 1;bo5;a08e01iRlNoJrFuD;cDel 1;k 1;eEighten DownCy 1;aw3o2L;eDshe1G; 1z8;lFol D;aDwi19;bo5r2I;d 9;aEeDip0;sh0;g 9ke0mDrD;e 2K;gLlJnHrFsEzzD;le0;h 2H;e Dm 1;aw3ba4up;d0isD;h 1;e Dl 11;aw3fI;ht ba4ure0;eInEsD;s 1;cFd D;fDo1X;or;e B;dQl 1;cHll Drm0t0O;apYbFd2in,oEtD;hrough;ff,ut,v7;a4ehi1S;e E;at0dge0nd Dy8;o1Mup;o09rD;ess 9op D;aw3bNin,o15;aShPlean 9oDross But 0T;me FoEuntD; o1M;k 1l6;aJbIforGin,oFtEuD;nd7;ogeth7;ut,v7;th,wD;ard;a4y;pDr19w3;art;eDipA;ck BeD;r 1;lJncel0rGsFtch EveA; in;o16up;h Bt6;ry EvD;e V;aw3o12;l Dm02;aDba4d2o10up;r0Vw3;a0He08l01oSrHuD;bbleFcklTilZlEndlTrn 05tDy 10zz6;t B;k 9; ov7;anMeaKiDush6;ghHng D;aEba4d2forDin,o5up;th;bo5lDr0Lw3;ong;teD;n 1;k D;d2in,o5up;ch0;arKgJil 9n8oGssFttlEunce Dx B;aw3ba4;e 9; ar0B;k Bt 1;e 1;d2up; d2;d 1;aIeed0oDurt0;cFw D;aw3ba4d2o5up;ck;k D;in,oK;ck0nk0st6; oJaGef 1nd D;d2ov7up;er;up;r0t D;d2in,oDup;ff,ut;ff,nD;to;ck Jil0nFrgEsD;h B;ainCe B;g BkC; on;in,o5; o5;aw3d2o5up;ay;cMdIsk Fuction6; oD;ff;arDo5;ouD;nd;d D;d2oDup;ff,n;own;t D;o5up;ut"; +},{}],226:[function(e,t,r){"use strict";t.exports="'o,-,aLbIcHdGexcept,from,inFmidQnotwithstandiRoDpSqua,sCt7u4v2w0;/o,hereNith0;!in,oR;ersus,i0;a,s-a-vis;n1p0;!on;like,til;h1ill,o0;!wards;an,r0;ough0u;!oH;ans,ince,o that;',f0n1ut;!f;!to;espite,own,u3;hez,irca;ar1e0y;low,sides,tween;ri6;',bo7cross,ft6lo5m3propos,round,s1t0;!op;! long 0;as;id0ong0;!st;ng;er;ut"},{}],227:[function(e,t,r){"use strict";t.exports="aLbIcHdEengineKfCgBhAinstructRjournalNlawyKm9nurse,o8p5r3s1t0;echnEherapM;ailPcientLecretary,oldiIu0;pervMrgeon;e0oofG;ceptionIsearE;hotographElumbEoli1r0sychologH;actitionDesideMogrammD;cem8t7;fficBpeH;echanic,inistAus5;airdress9ousekeep9;arden8uard;arm7ire0;fight6m2;eputy,iet0;ici0;an;arpent2lerk;ricklay1ut0;ch0;er;ccoun6d2ge7r0ssis6ttenda7;chitect,t0;ist;minist1v0;is1;rat0;or;ta0;nt"},{}],228:[function(e,t,r){"use strict";t.exports="0:1M;1:1T;2:1U;a1Rb1Dc0Zd0Qfc dallas,g0Nhouston 0Mindiana0Ljacksonville jagua0k0Il0Fm02newVoRpKqueens parkJrIsAt5utah jazz,vancouver whitecaps,w3yY;ashington 3est ham0Xh16;natio21redski1wizar12;ampa bay 6e5o3;ronto 3ttenham hotspur;blu1Hrapto0;nnessee tita1xasD;buccanee0ra1G;a7eattle 5heffield0Qporting kansas13t3;. louis 3oke12;c1Srams;mari02s3;eah1IounI;cramento Sn 3;antonio spu0diego 3francisco gi0Bjose earthquak2;char0EpaB;eal salt lake,o04; ran0C;a8h5ittsburgh 4ortland t3;imbe0rail blaze0;pirat2steele0;il3oenix su1;adelphia 3li2;eagl2philNunE;dr2;akland 4klahoma city thunder,r3;i10lando magic;athle0Trai3;de0; 3castle05;england 6orleans 5york 3;city fc,giUje0Lkn02me0Lred bul19y3;anke2;pelica1sain0J;patrio0Irevolut3;ion;aBe9i3ontreal impact;ami 7lwaukee b6nnesota 3;t4u0Rvi3;kings;imberwolv2wi1;re0Cuc0W;dolphi1heat,marli1;mphis grizz3ts;li2;nchester 5r3vN;i3li1;ne0;c00u0H;a4eicesterYos angeles 3;clippe0dodFlaA; galaxy,ke0;ansas city 3nH;chiefs,ro3;ya0M; pace0polis colX;astr0Edynamo,rockeWtexa1;i4olden state warrio0reen bay pac3;ke0;anT;.c.Aallas 7e3i0Cod5;nver 5troit 3;lio1pisto1ti3;ge0;bronc06nuggeO;cowboUmav3;er3;ic06; uX;arCelNh8incinnati 6leveland 5ol3;orado r3umbus crew sc;api5ocki2;brow1cavalie0india1;benga03re3;ds;arlotte horCicago 3;b4cubs,fire,wh3;iteE;ea0ulY;di3olina panthe0;ff3naW; c3;ity;altimore ElAoston 7r3uffalo bilT;av2e5ooklyn 3;ne3;ts;we0;cel4red3; sox;tics;ackburn rove0u3;e ja3;ys;rs;ori3rave1;ol2;rizona Ast8tlanta 3;brav2falco1h4u3;nited;aw9;ns;es;on villa,r3;os;c5di3;amondbac3;ks;ardi3;na3;ls"},{}],229:[function(e,t,r){"use strict";t.exports="0:1I;a1Nb1Hc18e11f0Ug0Qh0Ki0Hj0Gk0El09m00nZoYpSrPsCt8vi7w1;a5ea0Ci4o1;o2rld1;! seJ;d,l;ldlife,ne;rmth,t0;neg7ol0C;e3hund0ime,oothpaste,r1una;affTou1;ble,sers,t;a,nnis;aBceWeAh9il8now,o7p4te3u1;g1nshi0Q;ar;am,el;ace2e1;ciPed;!c16;ap,cc0ft0E;k,v0;eep,opp0T;riK;d0Afe0Jl1nd;m0Vt;aQe1i10;c1laxa0Hsearch;ogni0Grea0G;a5e3hys0JlastAo2r1;ess02ogre05;rk,w0;a1pp0trol;ce,nT;p0tiM;il,xygen;ews,oi0G;a7ea5i4o3u1;mps,s1;ic;nJo0C;lk,st;sl1t;es;chi1il,themat04;neF;aught0e3i2u1;ck,g0B;ghtn03quid,teratK;a1isJ;th0;elv1nowled08;in;ewel7usti09;ce,mp1nformaQtself;ati1ortan07;en06;a4ertz,isto3o1;ck1mework,n1spitaliL;ey;ry;ir,lib1ppi9;ut;o2r1um,ymnastL;a7ound;l1ssip;d,f;ahrenhe6i5lour,o2ru6urnit1;ure;od,rgive1wl;ne1;ss;c8sh;it;conomAduca6lectrici5n3quip4thAvery1;body,o1thC;ne;joy1tertain1;ment;ty;tiC;a8elcius,h4iv3loth6o1urrency;al,ffee,n1ttA;duct,fusi9;ics;aos,e1;e2w1;ing;se;ke,sh;a3eef,is2lood,read,utt0;er;on;g1ss;ga1;ge;dvi2irc1rt;raft;ce"},{}],230:[function(e,t,r){"use strict";var n,i,a=36,s="0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ",o=s.split("").reduce(function(e,t,r){return e[t]=r,e},{}),u=function(e){var t,r,n,i;if(void 0!==s[e])return s[e];for(t=1,r=a,n="";e>=r;e-=r,t++,r*=a);for(;t--;)i=e%a,n=String.fromCharCode((10>i?48:55)+i)+n,e=(e-i)/a;return n},l=function(e){var t,r,n,i,s,u;if(void 0!==o[e])return o[e];for(t=0,r=1,n=a,i=1;r=0;s--,i*=a)u=e.charCodeAt(s)-48,u>10&&(u-=7),t+=u*i;return t},c={toAlphaCode:u,fromAlphaCode:l},h=function(e){var t,r,n=RegExp("([0-9A-Z]+):([0-9A-Z]+)");for(t=0;t (http://spencermounta.in)", "name": "compromise", "description": "natural language processing in the browser", - "version": "9.0.0", + "version": "9.1.0", "main": "./builds/compromise.js", "repository": { "type": "git", diff --git a/scratch.js b/scratch.js index a5264000a..164862f69 100644 --- a/scratch.js +++ b/scratch.js @@ -5,7 +5,7 @@ var nlp = require('./src/index'); // nlp.verbose('tagger'); // const corpus = require('nlp-corpus'); // let sotu = corpus.sotu.parsed()[23]; -// const fresh = require('./test/unit/lib/freshPrince.js'); +const fresh = require('./test/unit/lib/freshPrince.js'); // bug.1 // .? vs * @@ -19,18 +19,17 @@ var nlp = require('./src/index'); // r.contractions().debug(); //===timer -// console.time('parse'); -// let r = nlp(fresh); -// console.timeEnd('parse'); -// -// console.time('match'); -// r.match('#Determiner (story|thing|#Adjective)', true); -// console.timeEnd('match'); -// -// console.time('tag'); -// r.tag('#Person'); -// console.timeEnd('tag'); - -let r = nlp('the F.B.I.'); -// console.log(r.list[0].terms[1].normal); -console.log(r.out('normal')); +console.time('parse'); +let r = nlp(fresh); +console.timeEnd('parse'); + +console.time('match'); +r.match('#Determiner (story|thing|#Adjective)', true); +console.timeEnd('match'); + +console.time('tag'); +r.tag('#Person'); +console.timeEnd('tag'); + +// let r = nlp('the F.B.I.'); +// console.log(r.out('normal')); diff --git a/src/term/index.js b/src/term/index.js index 45dbf301e..6fd5389cd 100644 --- a/src/term/index.js +++ b/src/term/index.js @@ -46,13 +46,12 @@ const Term = function(str) { }); }; -//run each time a new text is set +/**run each time a new text is set */ Term.prototype.normalize = function() { addNormal(this); addRoot(this); return this; }; - /** where in the sentence is it? zero-based. */ Term.prototype.index = function() { let ts = this.parentTerms; @@ -70,7 +69,6 @@ Term.prototype.clone = function() { return term; }; -// require('./methods/normalize')(Term); require('./methods/misc')(Term); require('./methods/out')(Term); require('./methods/tag')(Term);