From 8d026ac23e682d1cfb9d6e4aa334dd423be0679d Mon Sep 17 00:00:00 2001 From: Martin Fischer Date: Mon, 26 Jun 2023 21:33:59 +0200 Subject: [PATCH 1/2] feat(dict): Preserve correction order We want to be able to recommend more likely corrections first, e.g. for "poped" we want to recommend "popped" before "pooped". --- Cargo.lock | 29 ++++++++++++++++++++++++++--- crates/typos-dict/Cargo.toml | 1 + crates/typos-dict/tests/verify.rs | 18 +++++++++++++----- 3 files changed, 40 insertions(+), 8 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index cddc161..656bc30 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -233,7 +233,7 @@ dependencies = [ "bitflags", "clap_derive 3.2.18", "clap_lex 0.2.4", - "indexmap", + "indexmap 1.9.2", "once_cell", "strsim 0.10.0", "termcolor", @@ -615,6 +615,12 @@ dependencies = [ "termcolor", ] +[[package]] +name = "equivalent" +version = "1.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "88bffebc5d80432c9b140ee17875ff173a8ab62faad5b257da912bd2f6c1c0a1" + [[package]] name = "errno" version = "0.2.8" @@ -733,6 +739,12 @@ version = "0.12.3" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "8a9ee70c43aaf417c914396645a0fa852624801b24ebb7ae78fe8272889ac888" +[[package]] +name = "hashbrown" +version = "0.14.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2c6201b9ff9fd90a5a3bac2e56a830d0caa509576f0e503818ee82c181b3437a" + [[package]] name = "heck" version = "0.4.1" @@ -826,7 +838,17 @@ source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "1885e79c1fc4b10f0e172c475f458b7f7b93061064d98c3293e98c5ba0c8b399" dependencies = [ "autocfg", - "hashbrown", + "hashbrown 0.12.3", +] + +[[package]] +name = "indexmap" +version = "2.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d5477fe2230a79769d8dc68e0eabf5437907c0457a5614a9e8dddb67f65eb65d" +dependencies = [ + "equivalent", + "hashbrown 0.14.0", ] [[package]] @@ -1584,7 +1606,7 @@ version = "0.19.10" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "2380d56e8670370eee6566b0bfd4265f65b3f432e8c6d85623f728d4fa31f739" dependencies = [ - "indexmap", + "indexmap 1.9.2", "serde", "serde_spanned", "toml_datetime", @@ -1685,6 +1707,7 @@ dependencies = [ "csv", "dictgen", "edit-distance", + "indexmap 2.0.0", "itertools", "snapbox", "unicase", diff --git a/crates/typos-dict/Cargo.toml b/crates/typos-dict/Cargo.toml index 54f16fa..b6a2292 100644 --- a/crates/typos-dict/Cargo.toml +++ b/crates/typos-dict/Cargo.toml @@ -24,3 +24,4 @@ codegenrs = "2.0" dictgen = { version = "^0.2", path = "../dictgen", features = ["codegen"] } varcon = { version = "^0.6", path = "../varcon" } snapbox = { version = "0.4.11", features = ["path"] } +indexmap = "2.0.0" diff --git a/crates/typos-dict/tests/verify.rs b/crates/typos-dict/tests/verify.rs index b824a85..24f63bc 100644 --- a/crates/typos-dict/tests/verify.rs +++ b/crates/typos-dict/tests/verify.rs @@ -1,10 +1,10 @@ +use indexmap::IndexSet; use std::collections::BTreeMap; -use std::collections::BTreeSet; use std::collections::HashMap; use std::collections::HashSet; use unicase::UniCase; -type Dict = BTreeMap, BTreeSet>; +type Dict = BTreeMap, IndexSet>; #[test] fn verify() { @@ -62,7 +62,7 @@ fn dict_from_iter>( // duplicate entries are merged dict.entry(typo) - .or_insert_with(BTreeSet::new) + .or_default() .extend(corrections.into_iter().map(|c| { let mut c = c.into(); c.make_ascii_lowercase(); @@ -82,7 +82,7 @@ fn process>( .into_iter() .filter(|(t, _)| is_word(t)) .filter_map(|(t, c)| { - let new_c: BTreeSet<_> = c.into_iter().filter(|c| is_word(c)).collect(); + let new_c: IndexSet<_> = c.into_iter().filter(|c| is_word(c)).collect(); if new_c.is_empty() { None } else { @@ -112,7 +112,7 @@ fn process>( } }) .map(|(typo, corrections)| { - let mut new_corrections = BTreeSet::new(); + let mut new_corrections = IndexSet::new(); for correction in corrections { let correction = word_variants .get(correction.as_str()) @@ -145,6 +145,14 @@ fn process>( .collect() } +#[test] +fn test_preserve_correction_order() { + let dict = process([("foo", ["xyz", "abc"])]); + let mut corrections = dict.get(&UniCase::new("foo".into())).unwrap().iter(); + assert_eq!(corrections.next().unwrap(), "xyz"); + assert_eq!(corrections.next().unwrap(), "abc"); +} + #[test] fn test_merge_duplicates() { assert_eq!( From 5553044346e2b3d691cc85c696da7f0883a99a51 Mon Sep 17 00:00:00 2001 From: Martin Fischer Date: Sat, 24 Jun 2023 13:02:42 +0200 Subject: [PATCH 2/2] fix(dict): Restore correction orders This commit restores the correction orders lost in 09f096a0968e61e22c963a024c8c3d74453d812a. The commit was generated by running the commands: git show 09f096a0968e61e22c963a024c8c3d74453d812a~:./assets/words.csv HEAD:./assets/words.csv > assets/words.csv SNAPSHOTS=overwrite cargo test verify SNAPSHOTS=overwrite cargo test codegen --- crates/typos-dict/assets/words.csv | 2414 ++++++++++++------------- crates/typos-dict/src/dict_codegen.rs | 2410 ++++++++++++------------ 2 files changed, 2412 insertions(+), 2412 deletions(-) diff --git a/crates/typos-dict/assets/words.csv b/crates/typos-dict/assets/words.csv index b94e28c..efe5e3a 100644 --- a/crates/typos-dict/assets/words.csv +++ b/crates/typos-dict/assets/words.csv @@ -49,11 +49,11 @@ abberivates,abbreviates abberivation,abbreviation abberration,aberration abberviation,abbreviation -abbort,abbot,abort +abbort,abort,abbot abborted,aborted abborting,aborting -abborts,abbots,aborts -abbout,abbot,about +abborts,aborts,abbots +abbout,about,abbot abbreivation,abbreviation abbrevate,abbreviate abbrevated,abbreviated @@ -95,7 +95,7 @@ abnormaly,abnormally abnornally,abnormally abnove,above abnrormal,abnormal -aboce,abode,above +aboce,above,abode abodmen,abdomen abodminal,abdominal aboluste,absolute @@ -111,7 +111,7 @@ abondoning,abandoning abondons,abandons abonimation,abomination aboout,about -abord,aboard,abort +abord,abort,aboard aborginial,aboriginal aboriganal,aboriginal aborigenal,aboriginal @@ -121,7 +121,7 @@ aborigional,aboriginal aborignial,aboriginal aborigonal,aboriginal aboroginal,aboriginal -aborte,abort,aborted,aborts +aborte,aborted,abort,aborts abortificant,abortifacient aboslute,absolute aboslutely,absolutely @@ -136,7 +136,7 @@ abosultely,absolutely abosulute,absolute abosulutely,absolutely abotu,about -abou,abound,about +abou,about,abound abount,about abourt,abort,about abouta,about @@ -209,7 +209,7 @@ absolurely,absolutely absolut,absolute absolutelly,absolutely absolutelys,absolutes -absolutey,absolute,absolutely +absolutey,absolutely,absolute absoluth,absolute absoluthe,absolute absoluthely,absolutely @@ -484,7 +484,7 @@ accessment,assessment accessments,assessments accessoire,accessories,accessory accessoires,accessories,accessorise -accessoirez,accessories,accessorize +accessoirez,accessorize,accessories accessoirs,accessories accessort,accessor accesss,access @@ -748,8 +748,8 @@ accuratelly,accurately accuratley,accurately accuratly,accurately accuray,accuracy,actuary -accure,accrue,acquire,occur -accured,accrued,acquired,occurred +accure,accrue,occur,acquire +accured,accrued,occurred,acquired accurences,occurrences accurracy,accuracy accurring,occurring @@ -787,7 +787,7 @@ acesses,accesses acessible,accessible acessing,accessing acessor,accessor -acessors,accessor,accessors +acessors,accessors,accessor acftually,factually acheevable,achievable acheeve,achieve @@ -908,7 +908,7 @@ ackowledging,acknowledging ackumulation,accumulation ackward,awkward,backward aclhemist,alchemist -acn,acne,can +acn,can,acne acnedote,anecdote acnowledge,acknowledge acocunt,account @@ -1003,7 +1003,7 @@ acrynoms,acronyms acsended,ascended acsending,ascending acsension,ascension -acses,access,cases +acses,cases,access acssume,assume acssumed,assumed actal,actual @@ -1058,7 +1058,7 @@ activistion,activision activit,activist activite,activities activites,activities -activiti,activities,activity +activiti,activity,activities activiting,activating activitis,activities activitites,activities @@ -1086,7 +1086,7 @@ actuakly,actually actualey,actually actualiy,actuality actualky,actually -actuall,actual,actually +actuall,actually,actual actuallin,actually actualmy,actually actualoy,actually @@ -1143,7 +1143,7 @@ adapations,adaptations,adoptions adapative,adaptive adapd,adapt,adapted,adopt,adopted adapdive,adaptive -adaped,adapt,adapted,adopt,adopted +adaped,adapted,adapt,adopted,adopt adapive,adaptive adaptacion,adaptation adaptaion,adaptation @@ -1187,7 +1187,7 @@ adderss,address addersses,addresses addert,assert adderted,asserted -addes,added,adders,address,adds +addes,adds,added,adders,address addess,address addessed,addressed addesses,addresses @@ -1244,7 +1244,7 @@ addnos,addons addonts,addons addopt,adopt addopted,adopted -addoptive,adaptive,adoptive +addoptive,adoptive,adaptive addos,addons addpress,address addrass,address @@ -1267,7 +1267,7 @@ addreses,addresses addresesd,addressed addresess,addresses addresing,addressing -addresse,address,addresses +addresse,addresses,address addressess,addresses addressibility,addressability addressible,addressable @@ -1308,8 +1308,8 @@ adevntures,adventures adevnturing,adventuring adew,adieu adfter,after -adge,adage,badge,edge -adges,adages,badges,edges +adge,edge,badge,adage +adges,edges,badges,adages adhearing,adhering adheasive,adhesive adheasives,adhesives @@ -1329,12 +1329,12 @@ adivce,advice,advise adivser,adviser adivsor,advisor adivsories,advisories -adivsoriy,advisories,advisory +adivsoriy,advisory,advisories adivsoriyes,advisories adivsors,advisors adivsory,advisory adjacancy,adjacency -adjacentcy,adjacence,adjacency +adjacentcy,adjacency,adjacence adjacentsy,adjacency adjactend,adjacent adjancent,adjacent @@ -1458,8 +1458,8 @@ adolescene,adolescence adolescense,adolescence adoloscent,adolescent adolsecent,adolescent -adoptor,adaptor,adopter -adoptors,adaptors,adopters +adoptor,adopter,adaptor +adoptors,adopters,adaptors adorbale,adorable adovcacy,advocacy adovcated,advocated @@ -1570,7 +1570,7 @@ advirtisement,advertisement adviseable,advisable adviseer,adviser adviseur,adviser -advisoriy,advisories,advisory +advisoriy,advisory,advisories advisoriyes,advisories advisorys,advisors advizable,advisable @@ -1580,7 +1580,7 @@ advocay,advocacy advsior,advisor advsiors,advisors adwances,advances -aeactivate,activate,deactivate +aeactivate,deactivate,activate aeorspace,aerospace aequidistant,equidistant aequivalent,equivalent @@ -1697,7 +1697,7 @@ aftrer,after aftzer,after afwully,awfully againnst,against -agains,again,against +agains,against,again againsg,against againt,against againts,against @@ -1708,7 +1708,7 @@ agancy,agency aganda,agenda,uganda aganist,against agant,agent -agants,against,agents +agants,agents,against aggaravates,aggravates aggegate,aggregate aggegrate,aggregate @@ -2095,7 +2095,7 @@ algorithmnically,algorithmically algorithmns,algorithms algorithmus,algorithms algoriths,algorithms -algorithsm,algorithm,algorithms +algorithsm,algorithms,algorithm algorithsmic,algorithmic algorithsmically,algorithmically algorithsms,algorithms @@ -2230,13 +2230,13 @@ alhpabeticaly,alphabetically alhpabets,alphabets aliagn,align aliasas,aliases -aliase,alias,aliases +aliase,aliases,alias aliasses,aliases alienet,alienate alientating,alienating alievating,alienating aliged,aligned -alighed,alighted,aligned +alighed,aligned,alighted alighned,aligned alighnment,alignment aligin,align @@ -2269,7 +2269,7 @@ alignrigh,alignright alikes,alike,likes alimoney,alimony alimunium,aluminium -aling,ailing,aline,along,sling +aling,aline,along,ailing,sling alinged,alined alinging,alining alingment,alinement @@ -2302,7 +2302,7 @@ allcoator,allocator allcoators,allocators allcommnads,allcommands alle,all,alley -alled,allied,called +alled,called,allied alledge,allege alledged,alleged alledgedly,allegedly @@ -2347,7 +2347,7 @@ alllows,allows allmost,almost allo,allow alloacate,allocate -alloate,allocate,allot,allotted +alloate,allocate,allotted,allot alloated,allocated,allotted allocae,allocate allocaed,allocated @@ -2400,9 +2400,9 @@ allopone,allophone allopones,allophones allos,allows alloted,allotted -alloud,allowed,aloud -allowd,allow,allowed,allows -allowe,allow,allowed,allows +alloud,aloud,allowed +allowd,allowed,allow,allows +allowe,allowed,allow,allows allowence,allowance allowences,allowances allowes,allowed,allows @@ -2510,7 +2510,7 @@ alrogithm,algorithm alrorythm,algorithm alrteady,already als,also -alse,also,else,false +alse,else,also,false alsmost,almost alsot,also alsready,already @@ -2543,7 +2543,7 @@ alternarively,alternatively alternarives,alternatives alternater,alternator alternatevly,alternately -alternatie,alternate,alternative,alternatives +alternatie,alternatives,alternate,alternative alternatiely,alternately,alternatively alternaties,alternates,alternatives alternatieve,alternative @@ -2644,7 +2644,7 @@ amateus,amateurs amatuer,amateur amatuers,amateurs amatur,amateur -amature,amateur,armature +amature,armature,amateur amaturs,amateurs amazaing,amazing ambadexterous,ambidextrous @@ -2717,7 +2717,7 @@ amendmants,amendments amendmends,amendments amendmenters,amendments amendmet,amendments -amened,amend,amended +amened,amended,amend amensia,amnesia amensty,amnesty amercia,america @@ -2837,7 +2837,7 @@ analig,analog analise,analyse analised,analysed analiser,analyser -analises,analyses,analysis +analises,analysis,analyses analising,analysing analisis,analysis analisys,analysis @@ -2874,7 +2874,7 @@ analye,analyse,analyze analyed,analysed,analyzed analyer,analyser,analyzer analyers,analysers,analyzers -analyes,analyse,analyses,analyze,analyzes +analyes,analyse,analyses,analyzes,analyze analyis,analysis analyist,analyst analyists,analysts @@ -2975,7 +2975,7 @@ anchord,anchored ancilliary,ancillary ancinets,ancients andd,and -andlers,antlers,handlers +andlers,handlers,antlers andoid,android andoids,androids andoirds,androids @@ -3063,7 +3063,7 @@ animaitons,animations animaitor,animator animaitors,animators animatie,animate -animatior,animation,animator +animatior,animator,animation animaton,animation animatonic,animatronic animatte,animate @@ -3113,10 +3113,10 @@ ankshusness,anxiousness anlayses,analyses anlaytics,analytics anlge,angle -anly,any,only +anly,only,any anlysis,analysis anlyzing,analyzing -anme,anime,name +anme,name,anime anmesia,amnesia anmesty,amnesty annaverseries,anniversaries @@ -3450,7 +3450,7 @@ anywyas,anyways anyy,any aoache,apache aond,and -aother,another,mother,other +aother,another,other,mother aoto,auto aotomate,automate aotomated,automated @@ -3567,7 +3567,7 @@ apologistes,apologists apologistics,apologists apologitic,apologetic apologizeing,apologizing -apon,apron,upon +apon,upon,apron aportionable,apportionable aposltes,apostles apostels,apostles @@ -3606,7 +3606,7 @@ appartments,apartments appathetic,apathetic appature,aperture appatures,apertures -appealling,appalling,appealing +appealling,appealing,appalling appearaing,appearing appearane,appearances appearantly,apparently @@ -3638,7 +3638,7 @@ appens,appends appent,append apperance,appearance apperances,appearances -apperant,aberrant,apparent +apperant,apparent,aberrant apperantly,apparently apperar,appear apperarance,appearance @@ -3719,7 +3719,7 @@ applikation,application applikations,applications applikay,appliqué applikays,appliqués -appling,appalling,applying +appling,applying,appalling appllied,applied applly,apply appluad,applaud @@ -4115,7 +4115,7 @@ arbitrarilly,arbitrarily arbitrarion,arbitration arbitrarity,arbitrarily arbitrariy,arbitrarily,arbitrary -arbitrarly,arbitrarily,arbitrary +arbitrarly,arbitrary,arbitrarily arbitraryily,arbitrarily arbitraryly,arbitrary arbitratily,arbitrarily @@ -4175,7 +4175,7 @@ archaelogists,archaeologists archaelogy,archaeology archaeolgy,archaeology archaoelogy,archaeology,archeology -archaology,archaeology,archeology +archaology,archeology,archaeology archatypes,archetypes archeaologist,archeologist archeaologists,archeologists @@ -4845,7 +4845,7 @@ assisants,assistants assising,assisting assisnate,assassinate assissinated,assassinated -assisst,assist,assists +assisst,assists,assist assistanat,assistants assistans,assistants assistanse,assistants @@ -5366,7 +5366,7 @@ attribiute,attribute attribiutes,attributes attribte,attribute attribted,attributed -attribtes,attribute,attributes +attribtes,attributes,attribute attribting,attributing attribtue,attribute attribtues,attributes @@ -5487,7 +5487,7 @@ auotattack,autoattack auotcorrect,autocorrect auotmatic,automatic auromated,automated -aussian,austrian,gaussian,russian +aussian,gaussian,russian,austrian austair,austere austeer,austere austensible,ostensible @@ -5516,7 +5516,7 @@ australina,australians australlian,australian austrija,austria austrila,austria -austrlaian,australian,australians +austrlaian,australians,australian autasave,autosave autasaves,autosaves autcomplete,autocomplete @@ -5791,8 +5791,8 @@ automanifactured,automanufactured automatcally,automatically automatcially,automatically automatially,automatically -automatical,automated,automatic,automatically -automaticall,automatic,automatically +automatical,automatically,automatic,automated +automaticall,automatically,automatic automaticallly,automatically automaticaly,automatically automaticalyl,automatically @@ -6018,7 +6018,7 @@ avarage,average avarageing,averaging avare,aware avarege,average -avary,aviary,every +avary,every,aviary avataras,avatars avatards,avatars avatares,avatars @@ -6026,7 +6026,7 @@ avation,aviation avcoid,avoid avcoids,avoids avdisories,advisories -avdisoriy,advisories,advisory +avdisoriy,advisory,advisories avdisoriyes,advisories avdisory,advisory avengence,vengeance @@ -6053,7 +6053,7 @@ avioded,avoided avioding,avoiding aviods,avoids avisories,advisories -avisoriy,advisories,advisory +avisoriy,advisory,advisories avisoriyes,advisories avisory,advisory avnegers,avengers @@ -6123,9 +6123,9 @@ ayways,always azma,asthma azmith,azimuth azmiths,azimuths -ba,be,by +ba,by,be baase,abase,base -bable,babel,bible,table +bable,babel,table,bible bablyon,babylon babysister,babysitter babysite,babysitter @@ -6176,7 +6176,7 @@ backgronds,backgrounds backgroound,background backgroounds,backgrounds backgroud,background -backgroudn,background,backgrounds +backgroudn,backgrounds,background backgroudns,backgrounds backgrouds,backgrounds backgroun,background @@ -6188,7 +6188,7 @@ backgrounts,backgrounds backgrouund,background backgrund,background backgrunds,backgrounds -backgruond,background,backgrounds +backgruond,backgrounds,background backgruonds,backgrounds backhacking,backpacking backjacking,backpacking @@ -6205,7 +6205,7 @@ backpacs,backpacks backpakcs,backpacks backpsace,backspace backrefence,backreference -backrgound,background,backgrounds +backrgound,backgrounds,background backrgounds,backgrounds backround,background backrounds,backgrounds @@ -6261,7 +6261,7 @@ balanse,balances balaster,baluster balasters,balusters balcanes,balances -balck,balk,black +balck,black,balk balckberry,blackberry balcked,blacked balckhawks,blackhawks @@ -6285,9 +6285,9 @@ baloons,balloons balse,false balsphemy,blasphemy banannas,bananas -banch,bank,bench,branch -banched,benched,branched -banches,benches,branches +banch,bank,branch,bench +banched,branched,benched +banches,branches,benches banditas,bandits bandiwdth,bandwidth bandwagoon,bandwagon @@ -6514,7 +6514,7 @@ becaause,because becacdd,because becahse,because becamae,became -becames,became,becomes +becames,becomes,became becaouse,because becase,because becasue,because @@ -6556,7 +6556,7 @@ bedore,before beed,bead,been,beer,bees,beet beeen,been beehtoven,beethoven -beeing,been,being +beeing,being,been beeings,beings beerer,bearer beethoveen,beethoven @@ -6573,7 +6573,7 @@ beforing,before befreind,befriend befried,befriend befure,before -beggin,begging,begin +beggin,begin,begging begginer,beginner begginers,beginners beggingin,beginning @@ -6667,7 +6667,7 @@ beleifed,believed beleifes,beliefs,believes beleifing,believing beleifs,beliefs -beleiv,belief,believe +beleiv,believe,belief beleivable,believable beleive,believe beleived,believed @@ -6679,7 +6679,7 @@ belguim,belgium beliavable,believable beliebable,believable beliefable,believable -beliefe,belief,believe +beliefe,believe,belief beliefed,believed beliefes,beliefs,believes beliefing,believing @@ -6692,7 +6692,7 @@ beligum,belgium beling,belong belittleing,belittling belittlling,belittling -beliv,belief,believe +beliv,believe,belief belivable,believable belive,believe beliveable,believable @@ -6701,7 +6701,7 @@ beliveble,believable belivebly,believably belived,believed,beloved beliveing,believing -belives,beliefs,believes +belives,believes,beliefs beliving,believing belligerant,belligerent belligerante,belligerent @@ -6712,7 +6712,7 @@ beloging,belonging belogs,belongs belond,belong beloning,belonging -belove,beloved,below +belove,below,beloved belown,belong belssings,blessings belwo,below @@ -6842,7 +6842,7 @@ betrayd,betrayed betrayeado,betrayed betrween,between bettern,better -bettery,battery,better +bettery,better,battery bettr,better,bettor bettween,between betwean,between @@ -6861,7 +6861,7 @@ betwween,between betwwen,between beuatiful,beautiful beuatifully,beautifully -beucase,because,becuase +beucase,becuase,because beuracracy,bureaucracy beuraucracy,bureaucracy beuraucratic,bureaucratic @@ -7009,7 +7009,7 @@ bitterswet,bittersweet bitterwseet,bittersweet bitween,between bitwiedh,bitwidth -biult,build,built +biult,built,build bivouaced,bivouacked bivouacing,bivouacking bivwack,bivouac @@ -7052,7 +7052,7 @@ blance,balance,glance,lance blanced,balanced,glanced,lanced blances,balances,glances,lances blancing,balancing,glancing,lancing -blanck,black,blank +blanck,blank,black blancked,blanked blankes,blankets blanketts,blankets @@ -7093,7 +7093,7 @@ blockcahin,blockchain blockchan,blockchain blockchian,blockchain blockeras,blockers -blockes,blocked,blockers,blocks +blockes,blockers,blocked,blocks blockhain,blockchain blockhains,blockchains blockin,blocking @@ -7164,7 +7164,7 @@ boardcast,broadcast boardcasting,broadcasting boardcasts,broadcasts boardway,broadway -boaut,about,boat,bout +boaut,bout,boat,about bobard,board,bombard bobmers,bombers bobybuilding,bodybuilding @@ -7423,7 +7423,7 @@ bouyancy,buoyancy bouyant,buoyant bowkay,bouquet bowkays,bouquets -boxe,box,boxer,boxes +boxe,boxes,box,boxer boxs,box,boxes boyant,buoyant boycot,boycott @@ -7469,7 +7469,7 @@ brakley,barkley brakpoint,breakpoint brakpoints,breakpoints branc,branch -brance,brace,branch,branches +brance,branch,brace,branches branced,branched brances,branches branchces,branches @@ -7530,7 +7530,7 @@ breathtakng,breathtaking breating,beating,breathing breatsfeeding,breastfeeding brednan,brendan -breef,beef,brief +breef,brief,beef breefly,briefly brefore,before breif,brief @@ -7624,7 +7624,7 @@ broadcasing,broadcasting broadcastes,broadcasts broadcasti,broadcast broadcastors,broadcasts -broadcat,broadcast,broadcasts +broadcat,broadcasts,broadcast broadley,broadly broadwalk,boardwalk broady,broadly @@ -7843,7 +7843,7 @@ bulnerability,vulnerability bulnerable,vulnerable bult,built bultin,builtin -bumb,bomb,bum,bump +bumb,bump,bomb,bum bumbed,bombed,bumped bumber,bomber,bummer,bumper,number bumbing,bombing,bumping @@ -7895,7 +7895,7 @@ bureuacrats,bureaucrats burgunday,burgundy burgundry,burgundy burguny,burgundy -buring,burin,burning,burying,during +buring,burying,burning,burin,during buriser,bruiser burisers,bruisers burjun,burgeon @@ -7956,8 +7956,8 @@ butthoe,butthole butthoel,butthole buttin,button buttins,buttons -buttom,bottom,button -buttoms,bottom,buttons +buttom,button,bottom +buttoms,buttons,bottom buttong,button buttonn,button buttonns,buttons @@ -8001,7 +8001,7 @@ cacahe,cache cacahes,caches cacausian,caucasian cace,cache -cach,cache,catch +cach,catch,cache cachable,cacheable cacheed,cached cacheing,caching @@ -8156,7 +8156,7 @@ calcualted,calculated calcualter,calculator calcualtes,calculates calcualting,calculating -calcualtion,calculation,calculations +calcualtion,calculations,calculation calcualtions,calculations calcualtor,calculator calcualtors,calculators @@ -8171,11 +8171,11 @@ calculaion,calculation calcular,calculator calcularon,calculator calculataed,calculated -calculatble,calculable,calculatable +calculatble,calculatable,calculable calculater,calculator calculaters,calculators calculatess,calculated,calculates -calculatin,calculating,calculation,calculations +calculatin,calculations,calculating,calculation calculationg,calculating calculatios,calculators calculatoare,calculator @@ -8247,7 +8247,7 @@ califronian,californian caligraphy,calligraphy calilng,calling caliming,claiming -caling,calling,culling,scaling +caling,calling,scaling,culling caliofrnia,californian callabck,callback callabcks,callbacks @@ -8263,7 +8263,7 @@ callcain,callchain calld,called calle,called,caller callef,called,caller -calles,called,caller,callers,calls +calles,calls,called,caller,callers callibrate,calibrate callibrated,calibrated callibrates,calibrates @@ -8642,7 +8642,7 @@ carbohyrdate,carbohydrates carbohyrdates,carbohydrates carboyhdrates,carbohydrates carbus,cardbus -carcas,caracas,carcass +carcas,carcass,caracas carciature,caricature carcus,carcass carcuses,carcasses @@ -8838,7 +8838,7 @@ catacylsm,cataclysm catacyslm,cataclysm catagori,category catagorically,categorically -catagorie,categories,category +catagorie,category,categories catagories,categories catagorization,categorization catagorizations,categorizations @@ -8846,7 +8846,7 @@ catagorized,categorized catagory,category catalcysm,cataclysm catalgoue,catalogue -cataline,catalina,catiline +cataline,catiline,catalina cataloge,catalogue catalsyt,catalyst catapillar,caterpillar @@ -8881,7 +8881,7 @@ categogies,categories categogy,category categoricaly,categorically categorice,categorize -categorie,categories,category +categorie,category,categories categoried,categorized categoriei,categorize categoriezed,categorized @@ -9132,7 +9132,7 @@ ceremonias,ceremonies ceremoniis,ceremonies ceremonije,ceremonies cerificate,certificate -cerification,certification,verification +cerification,verification,certification cerifications,certifications,verifications cerified,certified,verified cerifies,certifies,verifies @@ -9240,7 +9240,7 @@ certiticate,certificate certiticated,certificated certiticates,certificates certitication,certification -cervial,cervical,serval,servile +cervial,cervical,servile,serval cessationalism,sensationalism cessationalist,sensationalist cesspol,cesspool @@ -9331,7 +9331,7 @@ chanceller,chancellor chancellour,chancellor chanched,changed chancillor,chancellor -chancnel,cancel,channel +chancnel,channel,cancel chandaleer,chandelier chandaleers,chandeliers chandalier,chandelier @@ -9339,8 +9339,8 @@ chandaliers,chandeliers chandeleer,chandelier chandeleers,chandeliers chandlure,chandler -chane,chain,change -chaned,chained,changed +chane,change,chain +chaned,changed,chained chaneged,changed chaneging,changing chanel,channel @@ -9368,7 +9368,7 @@ chanllenging,challenging channael,channel channe,channel channeles,channels -channes,chances,changes,channels +channes,channels,chances,changes channge,change channged,changed channges,changes @@ -9438,7 +9438,7 @@ characterizaton,characterization charactersistic,characteristic charactersistically,characteristically charactersistics,characteristics -charactersitic,characteristic,characteristics +charactersitic,characteristics,characteristic charactersitics,characteristics charactersm,characters characterss,characters @@ -9538,7 +9538,7 @@ chasim,chasm chasims,chasms chasiss,chassis chasnge,change,changes -chasr,chase,chaser +chasr,chaser,chase chassids,chassis chassies,chassis chassim,chasm @@ -9722,7 +9722,7 @@ childrends,childrens childrenis,childrens childrenmrs,childrens childrents,childrens -childres,children,childrens +childres,childrens,children childresn,childrens childs,children chiled,child,chilled @@ -9741,8 +9741,8 @@ chinense,chinese chinesse,chinese chinmey,chimney chiop,chip,chop -chiper,chimer,chipper,cipher -chipers,chimers,chippers,ciphers +chiper,cipher,chipper,chimer +chipers,ciphers,chippers,chimers chipersuite,ciphersuite chipersuites,ciphersuites chipertext,ciphertext @@ -9862,7 +9862,7 @@ choos,choose choosed,chose,chosen choosen,chosen chopipng,chopping -chopy,chop,choppy +chopy,choppy,chop chorline,chlorine chormosome,chromosome chormosomes,chromosomes @@ -9875,7 +9875,7 @@ choser,chooser chosing,choosing chosse,choose,chose chossen,chosen -chould,could,should +chould,should,could chouse,choose,chose,choux chowse,choose,chose chowsing,choosing @@ -9987,7 +9987,7 @@ cihphers,ciphers cilanto,cilantro cildren,children cilent,client,silent -cilents,clients,silence,silents +cilents,clients,silents,silence cilincer,cylinder,silencer cilincers,cylinders,silencers cilinder,cylinder @@ -10056,7 +10056,7 @@ cipersuite,ciphersuite cipersuites,ciphersuites cipertext,ciphertext cipertexts,ciphertexts -ciph,chip,cipher +ciph,cipher,chip ciphe,cipher cipherntext,ciphertext ciphersuit,ciphersuite @@ -10322,12 +10322,12 @@ claymoe,claymore clcoksource,clocksource clcosed,closed clea,clean -cleaer,cleaner,clear,clearer +cleaer,clear,clearer,cleaner cleaered,cleared cleaing,cleaning clealy,cleanly,clearly cleancacne,cleancache -cleand,clean,cleaned,cleans +cleand,cleaned,cleans,clean cleanes,cleanse cleaness,cleanness cleanies,cleanse @@ -10343,7 +10343,7 @@ cleanpu,cleanup cleanpus,cleanups cleansiness,cleanliness cleantup,cleanup -cleare,clear,cleared +cleare,cleared,clear cleareance,clearance cleares,clears clearified,clarified @@ -10474,7 +10474,7 @@ cloesly,closely cloest,closest cloisonay,cloisonné cloisonays,cloisonnés -clonez,cloner,clones +clonez,clones,cloner clonning,cloning cloreen,chlorine clory,glory @@ -10501,7 +10501,7 @@ clssrooms,classrooms cluase,clause cluases,clauses clucthing,clutching -clude,clue,clued +clude,clued,clue clumn,column clumsly,clumsily cluprit,culprit @@ -10625,7 +10625,7 @@ coctail,cocktail cocument,document cocumentation,documentation cocuments,document -codde,coddle,code,coded +codde,code,coded,coddle codeen,codeine codeing,coding codepoitn,codepoint @@ -10816,7 +10816,7 @@ collationg,collation collatoral,collateral collborative,collaborative collcetion,collections -colleage,colleague,colleagues +colleage,colleagues,colleague colleages,colleagues colleauge,colleague colleauges,colleagues @@ -10861,11 +10861,11 @@ colleteral,collateral colletion,collection collidies,collides colliquial,colloquial -collisin,collision,collisions,collusion +collisin,collisions,collision,collusion collisins,collisions,collusions collison,collision,collusion collisons,collisions,collusion,collusions -collission,collision,collisions,collusion +collission,collisions,collision,collusion collissions,collisions collisson,collisions collistion,collision @@ -10955,7 +10955,7 @@ columnss,columns columnular,columnar colums,columns columsn,columns -colunn,colon,column +colunn,column,colon colunns,columns comadres,comrades comammand,command @@ -10966,7 +10966,7 @@ comamndline,commandline comamnds,commands comand,command comanded,commanded -comander,commandeer,commander +comander,commander,commandeer comanding,commanding comandline,commandline comando,commando @@ -11003,7 +11003,7 @@ combatans,combatants combatents,combatants combatibility,compatibility combatible,compatible -combiantion,combination,combinations +combiantion,combinations,combination combiation,combination combiations,combinations combiens,combines @@ -11139,7 +11139,7 @@ commadn,command commadnline,commandline commadns,commands commads,commands -comman,comma,command,commas,common +comman,command,common,comma,commas commandbox,commando commandd,commanded commandemnts,commandment @@ -11218,7 +11218,7 @@ commerorative,commemorative commeted,commented,competed commets,comets,comments commiest,commits -commig,coming,commit +commig,commit,coming comming,coming comminicate,communicate comminicated,communicated @@ -11229,7 +11229,7 @@ comminists,communists comminity,community comminucate,communicate comminucating,communicating -comminucation,communication,communications +comminucation,communications,communication commishioned,commissioned commishioner,commissioner commision,commission @@ -11254,7 +11254,7 @@ commiter,committer commiters,committers commites,commits,committed commiteted,committed -commiti,commit,committee,committing +commiti,committee,committing,commit commitin,committing commiting,committing commitmet,commitments @@ -11333,7 +11333,7 @@ commond,command commongly,commonly commonhealth,commonwealth commonspace,commonplace -commont,comment,common +commont,common,comment commontly,commonly commonweath,commonwealth commonweatlh,commonwealth @@ -11501,7 +11501,7 @@ compareble,comparable compareing,comparing compareison,comparison compareisons,comparisons -comparement,comparing,comparison,compartment +comparement,compartment,comparing,comparison comparements,compartments comparemos,compares comparetive,comparative @@ -11533,13 +11533,13 @@ comparism,comparison comparisment,comparison comparisments,comparisons comparisms,comparisons -comparisn,comparison,comparisons +comparisn,comparisons,comparison comparisns,comparisons comparispon,comparison comparispons,comparisons -comparission,comparison,comparisons +comparission,comparisons,comparison comparissions,comparisons -comparisson,comparison,comparisons +comparisson,comparisons,comparison comparissons,comparisons comparistion,comparison comparistions,comparisons @@ -11627,7 +11627,7 @@ compears,compares compeat,compete compeated,competed compeates,competes -compeating,competing,completing +compeating,completing,competing compede,competed compeditive,competitive compeditively,competitively @@ -11652,8 +11652,8 @@ compelxities,complexities compelxity,complexity compemdium,compendium compenduim,compendium -compenent,competent,component -compenents,competence,components +compenent,component,competent +compenents,components,competence compenidum,compendium compensacion,compensation compensante,compensate @@ -11760,7 +11760,7 @@ compillers,compilers compilr,compiler compilter,compiler compilters,compilers -compination,combination,compilation +compination,compilation,combination compinsate,compensate compinsated,compensated compinsating,compensating @@ -11788,7 +11788,7 @@ complate,complacent,complete complated,completed complates,completes complating,completing -complation,compilation,completion +complation,completion,compilation complatly,completely complatness,completeness complats,completes @@ -11908,7 +11908,7 @@ complimentry,complimentary complimenty,complimentary complination,complication compling,compiling -complitation,compilation,complication +complitation,complication,compilation complitations,compilations,complications complitely,completely complition,completion @@ -11942,13 +11942,13 @@ componemt,component componemts,components componenent,component componenents,components -componenet,component,components +componenet,components,component componenete,component,components componenets,components componens,components componentes,components compones,compose -componet,component,components +componet,components,component componets,components componnents,components componnet,component @@ -11968,7 +11968,7 @@ composicion,composition composiiton,compositions composision,compositions composistion,compositions -composit,composite,compost +composit,compost,composite compositie,composite compositied,composite composities,composite @@ -12003,7 +12003,7 @@ compremised,compromised compremises,compromises compremising,compromising comprension,compression -compres,compares,compress +compres,compress,compares compresas,compress comprese,compressed compresed,compressed @@ -12177,8 +12177,8 @@ concatentation,concatenation concatentations,concatenations concatented,concatenated concatinate,concatenate -concatinated,concatenated,contaminated -concatination,concatenation,contamination +concatinated,contaminated,concatenated +concatination,contamination,concatenation concatinations,concatenations concating,concatenating concatonate,concatenate @@ -12326,7 +12326,7 @@ concurence,concurrence concurency,concurrency concurent,concurrent concurently,concurrently -concurents,concurrence,concurrents +concurents,concurrents,concurrence concurer,conqueror concures,concurs,conquers concuring,concurring,conquering @@ -12445,7 +12445,7 @@ condtitional,conditional condtitionals,conditionals condtitions,conditions conductiong,conducting -conductuve,conducive,conductive +conductuve,conductive,conducive conduict,conduit conduiting,conducting condulences,condolences @@ -12537,11 +12537,11 @@ conetnt,content conetor,connector conetors,connectors conets,connects -conetxt,connect,context -conetxts,connects,contexts +conetxt,context,connect +conetxts,contexts,connects conexant,connexant -conext,connect,connects,context -conexts,connects,contexts +conext,context,connect,connects +conexts,contexts,connects confedaracy,confederacy confedarate,confederate confedarcy,confederacy @@ -12554,7 +12554,7 @@ confederecy,confederacy conferance,conference conferances,conferences conferedate,confederate -conferene,conference,conferences +conferene,conferences,conference conferenze,conference confererate,confederate confermation,confirmation @@ -12619,8 +12619,8 @@ configration,configuration configrations,configurations configre,configure configred,configured -configruated,configuration,configured -configruation,configuration,configurations +configruated,configured,configuration +configruation,configurations,configuration configruations,configurations configrued,configured configuaration,configuration @@ -12646,12 +12646,12 @@ configuraion,configuration configuraiton,configuration configurare,configure configuratiens,configurations -configuratin,configurating,configuration,configurations +configuratin,configurations,configuration,configurating configuratiom,configuration configurationn,configuration configuratioon,configuration configurato,configuration -configuratoin,configuration,configurations +configuratoin,configurations,configuration configuratoins,configurations configuraton,configuration configuratons,configurations @@ -12715,7 +12715,7 @@ conflcits,conflicts conflcting,conflating conflicing,conflicting conflics,conflicts -conflictd,conflicted,conflicts +conflictd,conflicts,conflicted conflictin,conflicting conflictos,conflicts conflift,conflict @@ -12838,7 +12838,7 @@ conicidence,coincidence conicidental,coincidental conicidentally,coincidentally conider,consider -conifguration,configuration,configurations +conifguration,configurations,configuration conifgurations,configurations conifiguration,configuration conig,config @@ -12884,7 +12884,7 @@ connaect,connect connatation,connotation connatations,connotations conncection,connection -conncetion,connection,connections +conncetion,connections,connection connction,connection conncurrent,concurrent connecetd,connected @@ -12910,7 +12910,7 @@ connecties,connects connectin,connecting,connection connectino,connection connectinos,connections -connectins,connections,connects +connectins,connects,connections connectiom,connection connectioms,connections connectiona,connection @@ -13160,7 +13160,7 @@ considerion,consideration considerions,considerations considerstion,considerations considerstions,considerations -considert,consider,considerate,considered +considert,considerate,considered,consider considertaion,considerations consides,coincides,considers considred,considered @@ -13175,8 +13175,8 @@ consious,conscious consipracies,conspiracies consipracy,conspiracy consiquently,consequently -consire,consider,conspire -consired,considered,conspired +consire,conspire,consider +consired,conspired,considered consisant,consistent consisent,consistent consisently,consistently @@ -13197,7 +13197,7 @@ consistensy,consistency consistentcy,consistently consistenty,consistently consisteny,consistency,consistent -consistes,consisted,consists +consistes,consists,consisted consistuents,constituents consit,consist consitant,consistent @@ -13286,7 +13286,7 @@ constan,constant constand,constant constandly,constantly constanly,constantly -constans,constance,constant,constants +constans,constants,constance,constant constanst,constants constantins,constants constantivs,constants @@ -13321,7 +13321,7 @@ constituates,constitutes constitucion,constitution constitucional,constitutional constitude,constitute -constitue,constitute,constitutes +constitue,constitutes,constitute constitued,constitute constituem,constitute constituer,constitute @@ -13335,7 +13335,7 @@ constituional,constitutional constituit,constitute constituite,constitute constitutent,constituent -constitutents,constituents,constitutes +constitutents,constitutes,constituents constitutie,constitutes constitutiei,constitute constitutinal,constitutional @@ -13349,7 +13349,7 @@ constnatly,constantly constract,construct constracted,constructed constracting,constructing -constraction,constriction,construction,contraction +constraction,construction,constriction,contraction constractions,constrictions,constructions,contractions constractor,constructor constractors,constructors @@ -13360,7 +13360,7 @@ constrainsts,constraints constrainted,constrained constraintes,constraints constrainting,constraining -constrait,constraint,constraints +constrait,constraints,constraint constraits,constraints constrans,constrains constransi,constraints @@ -13372,12 +13372,12 @@ constrat,constraint constrating,constraint constratints,constraints constraucts,constructs -constrct,constrict,construct -constrcted,constricted,constructed -constrcting,constricting,constructing -constrction,constriction,construction -constrctions,constrictions,constructions -constrcts,constricts,constructs +constrct,construct,constrict +constrcted,constructed,constricted +constrcting,constructing,constricting +constrction,construction,constriction +constrctions,constructions,constrictions +constrcts,constructs,constricts constrcuct,construct constrcut,construct constrcuted,constructed @@ -13434,9 +13434,9 @@ construits,constructs construktor,constructor construnctor,constructor construrtors,constructors -construst,construct,constructs +construst,constructs,construct construsts,constructs -construt,construct,constructs +construt,constructs,construct construtced,constructed construted,constructed construter,constructor @@ -13485,7 +13485,7 @@ consultunt,consultant consumate,consummate consumated,consummated consumating,consummating -consumation,consummation,consumption +consumation,consumption,consummation consumbale,consumables consumbales,consumables consumend,consumed @@ -13530,7 +13530,7 @@ containe,contain,contained,container,contains containees,containers containered,contained containerr,container -containes,contained,container,contains +containes,contains,contained,container containg,containing containging,containing containig,containing @@ -13588,12 +13588,12 @@ contanti,contacting contanting,contacting contants,constants,contents contary,contrary -contast,contacts,contest,contrast +contast,contacts,contrast,contest contatenate,concatenate contatenated,concatenated contating,contacting,containing contatining,containing -contect,connect,contact,context +contect,contact,context,connect contection,contention contectual,contextual conted,counted,counter,countered @@ -13632,7 +13632,7 @@ contenht,content contenintal,continental contenplate,contemplate contenplating,contemplating -contens,contains,contents +contens,contents,contains contense,contenders contension,contention contensious,contentious @@ -13665,10 +13665,10 @@ contestents,contestants contestes,contests contestion,contention contestors,contests -contet,content,contest,context +contet,contest,content,context contets,contents,contexts contex,context -contexta,context,contextual +contexta,contextual,context contextes,contexts contextful,contextual contextl,contextual @@ -13706,7 +13706,7 @@ continaing,containing continant,continental continants,continents contination,continuation -contine,contain,continue +contine,continue,contain contined,continued continenal,continental continenet,continents @@ -13769,7 +13769,7 @@ continuos,continuous continuosly,continuously continuousle,continuously continure,continue -continus,continue,continues,continuous +continus,continues,continue,continuous continuse,continues,continuous continusly,continuously continut,continuity @@ -13853,8 +13853,8 @@ contradicton,contradiction contradictons,contradicts contradtion,contraction contrain,constrain -contrained,constrained,contained -contrainer,constrained,container +contrained,contained,constrained +contrainer,container,constrained contrainers,containers contraining,constraining contrains,constrains,constraints @@ -13919,7 +13919,7 @@ contries,countries contrinution,contribution contrinutions,contributions contritutions,contributions -contriubte,contribute,contributes +contriubte,contributes,contribute contriubted,contributed contriubtes,contributes contriubting,contributing @@ -13942,8 +13942,8 @@ controled,controlled controlelr,controllers controlelrs,controllers controler,controller -controlers,controllers,controls -controles,controllers,controls +controlers,controls,controllers +controles,controls,controllers controleurs,controllers controling,controlling controll,control @@ -13986,11 +13986,11 @@ contrubute,contribute contrubutes,contributes contruct,construct contructed,constructed -contructing,constructing,contracting +contructing,contracting,constructing contruction,construction -contructions,constructions,contractions +contructions,contractions,constructions contructor,constructor -contructors,constructors,contractors +contructors,contractors,constructors contructs,constructs contry,country contryie,countryie @@ -14038,7 +14038,7 @@ convencen,convenience convencion,convention convencional,conventional convencionally,conventionally -convenction,convection,convention +convenction,convention,convection convenctional,conventional convenctionally,conventionally conveneince,convenience @@ -14073,10 +14073,10 @@ convergens,converse convering,converting,covering converion,conversion converions,conversions -converison,conversion,conversions +converison,conversions,conversion converitble,convertible converning,converting -convers,converse,convert,converts +convers,converts,converse,convert conversacion,conversation conversacional,conversational conversaion,conversion @@ -14099,16 +14099,16 @@ conversino,conversions conversiones,conversions conversley,conversely conversly,conversely -conversoin,conversion,conversions +conversoin,conversions,conversion converson,conversion conversons,conversions converssion,conversion -converst,convert,converts +converst,converts,convert converstaion,conversation converstaional,conversational converstaions,conversations -converstion,conversation,conversion -converstions,conversations,conversions +converstion,conversion,conversation +converstions,conversions,conversations converston,conversation,conversion converstons,conversations,conversions convertable,convertible @@ -14163,7 +14163,7 @@ conviciton,conviction convicitons,convictions convicto,conviction convienant,convenient -convience,convenience,convince +convience,convince,convenience conviencece,convenience convienence,convenience convienent,convenient @@ -14181,7 +14181,7 @@ convinceing,convincing convincente,convenient convincersi,convinces convincted,convince -convine,combine,convince +convine,convince,combine convineance,convenience convineances,conveniences convined,combined,convinced @@ -14324,7 +14324,7 @@ coorinate,coordinate coorinates,coordinates coorination,coordination coorperation,cooperation,corporation -coorperations,cooperations,corporations +coorperations,corporations,cooperations cootdinate,coordinate cootdinated,coordinated cootdinates,coordinates @@ -14365,7 +14365,7 @@ coponents,components copoying,copying coppermines,coppermine coppied,copied -coppy,choppy,copy +coppy,copy,choppy copright,copyright coprighted,copyrighted coprights,copyrights @@ -14687,12 +14687,12 @@ corruptiuon,corruption corrupto,corruption corruput,corrupt corsari,corsair -corse,coarse,core,corpse,cors,corset,course,curse,horse,norse,torse,worse +corse,course,coarse,core,corpse,cors,corset,curse,horse,norse,torse,worse corsiar,corsair corsor,cursor corspes,corpses -corss,course,cross -corsses,courses,crosses +corss,cross,course +corsses,crosses,courses corssfire,crossfire corsshair,crosshair corsshairs,crosshairs @@ -14740,7 +14740,7 @@ costructer,constructor costruction,construction costructions,constructions costructor,constructor -costum,costume,custom +costum,custom,costume costumary,customary costumise,costumes costumizable,customizable @@ -14776,7 +14776,7 @@ cotrols,controls cotten,cotton coucil,council coud,could -coudl,cloud,could +coudl,could,cloud coudlnt,couldnt cought,caught,cough,fought coul,could @@ -14804,7 +14804,7 @@ councels,councils,counsels councidental,coincidental councidentally,coincidentally counciler,councilor -councilers,councilors,councils +councilers,councils,councilors counciles,councils councills,councils councilos,councils @@ -14816,7 +14816,7 @@ counds,counts counld,could counpound,compound counpounds,compounds -counries,counties,countries +counries,countries,counties counrtyside,countryside counseil,counsel counselers,counselors @@ -14876,20 +14876,20 @@ countertrap,counterpart countertraps,counterparts countes,counters countinue,continue -countinueq,continue,continueq -countires,counties,countries +countinueq,continueq,continue +countires,countries,counties countoring,countering countours,contours,counters -countr,contour,counter,country,county +countr,counter,contour,country,county countres,counters countriside,countryside -countrs,contours,counters,countries +countrs,counters,contours,countries countrycide,countryside countryies,countryside countrying,countering countrywides,countryside countrywise,countryside -cource,coerce,course,source +cource,course,coerce,source courcework,coursework courching,crouching coursefork,coursework @@ -14902,8 +14902,8 @@ courtrom,courtroom courtrooom,courtroom courtsey,courtesy coururier,courier,couturier -couse,cause,course -couses,causes,courses +couse,course,cause +couses,courses,causes cousines,cousins cousing,cousin cousings,cousins @@ -14942,9 +14942,9 @@ coverate,coverage coverd,covered covere,cover coveres,covers -coverge,converge,coverage +coverge,coverage,converge covergence,convergence -coverges,converges,coverages +coverges,coverages,converges coverred,covered coversion,conversion coversions,conversions @@ -14982,24 +14982,24 @@ cpatains,captains cpation,caption cpcheck,cppcheck cpontent,content -cpoy,copy,coy +cpoy,coy,copy cppp,cpp cption,caption,option cpuld,could crabine,carbine -crace,crate,grace +crace,grace,crate craced,graced craceful,graceful cracefully,gracefully cracefulness,gracefulness craceless,graceless craces,crates,graces -craches,caches,crashes,crutches +craches,crashes,caches,crutches cracing,gracing -craete,crate,create -craeted,crated,created +craete,create,crate +craeted,created,crated craetes,crates,creates -craeting,crating,creating +craeting,creating,crating craetor,crater,creator craetors,craters,creators crahed,crashed @@ -15048,12 +15048,12 @@ createin,creatine createing,creating createive,creative createn,creatine -creater,crater,creator,creature +creater,creature,creator,crater creaters,craters,creators createur,creature creatie,creatine creatien,creatine -creationg,creating,creation +creationg,creation,creating creationis,creations creationisim,creationism creationistas,creationists @@ -15516,7 +15516,7 @@ cursade,crusade cursader,crusader cursaders,crusaders curser,cursor -cursos,cursor,cursors +cursos,cursors,cursor cursot,cursor cursro,cursor curtesy,courtesy,curtsy @@ -15565,7 +15565,7 @@ custoizer,customizer custoizers,customizers custoizing,customizing customable,customizable -custome,costume,custom,customer,customs +custome,custom,customs,costume,customer customicable,customisable,customizable customie,customize customied,customized @@ -15624,9 +15624,9 @@ cutted,cut,cutter,gutted cuurently,currently cuurrent,current cuurrents,currents -cuves,caves,cubes,curves -cuvre,cover,curve -cuvres,covers,curves +cuves,curves,cubes,caves +cuvre,curve,cover +cuvres,curves,covers cuztomizable,customizable cuztomization,customization cuztomizations,customizations @@ -15709,7 +15709,7 @@ daclaration,declaration dacquiri,daiquiri dadlock,deadlock daed,dead -dael,dahl,deal,dial +dael,deal,dial,dahl daemonified,daemonised,daemonized dafault,default dafaults,defaults @@ -15736,7 +15736,7 @@ damanges,damages damanging,damaging damed,damned,damped,domed,gamed damenor,demeanor -dameon,daemon,damien,demon +dameon,daemon,demon,damien damge,damage daming,damning,damping,doming,gaming dammage,damage @@ -15822,7 +15822,7 @@ datatytpes,datatypes dataum,datum datbase,database datbases,databases -datea,data,date +datea,date,data datecreatedd,datecreated datection,detection datections,detections @@ -15844,7 +15844,7 @@ dchp,dhcp dcok,dock dcoked,docked dcoker,docker -dcokerd,docked,docker,dockerd +dcokerd,dockerd,docked,docker dcoking,docking dcoks,docks dcument,document @@ -16029,7 +16029,7 @@ decemer,december decend,descend decendant,descendant decendants,descendants -decendend,descended,descendent +decendend,descendent,descended decendent,descendent decendentant,descendant decendentants,descendants @@ -16100,7 +16100,7 @@ declaremos,declares declaritive,declarative declaritively,declaratively declarnig,declaring -declars,declared,declares +declars,declares,declared declartated,declared declartation,declaration declartations,declarations @@ -16212,8 +16212,8 @@ decosings,decodings decotations,decorations decpetion,deception decpetive,deceptive -decraesing,deceasing,decreasing -decrasing,deceasing,decreasing +decraesing,decreasing,deceasing +decrasing,decreasing,deceasing decration,decoration decreace,decrease decreas,decrease @@ -16227,15 +16227,15 @@ decremenet,decrement decremenetd,decremented decremeneted,decremented decrese,decrease -decresing,deceasing,decreasing +decresing,decreasing,deceasing decress,decrees decreypted,decrypted decribe,describe decribed,described decribes,describes decribing,describing -decription,decryption,description -decriptions,decryptions,descriptions +decription,description,decryption +decriptions,descriptions,decryptions decriptive,descriptive decriptor,descriptor decriptors,descriptors @@ -16282,8 +16282,8 @@ decyphered,deciphered ded,dead dedault,default dedect,deduct,detect -dedected,deducted,detected -dedection,deduction,detection +dedected,detected,deducted +dedection,detection,deduction dedections,detections dedects,deducts,detects dedfined,defined @@ -16370,8 +16370,8 @@ defaulr,default defaulrs,defaults defaulrt,default defaulrts,defaults -defauls,default,defaults -defaulst,default,defaults +defauls,defaults,default +defaulst,defaults,default defaultet,defaulted defaulty,default defauly,default @@ -16383,7 +16383,7 @@ defautled,defaulted defautling,defaulting defautls,defaults defautlt,default -defautly,default,defaultly +defautly,defaultly,default defauts,defaults defautt,default defautted,defaulted @@ -16443,15 +16443,15 @@ deffault,default deffaulted,defaulted deffaults,defaults deffensively,defensively -deffer,defer,differ -deffered,deferred,differed -defference,deference,difference -defferent,deferent,different -defferential,deferential,differential +deffer,differ,defer +deffered,differed,deferred +defference,difference,deference +defferent,different,deferent +defferential,differential,deferential defferently,differently deffering,differing defferred,deferred -deffers,defers,differs +deffers,differs,defers deffine,define deffined,defined deffinition,definition @@ -16459,7 +16459,7 @@ deffinitively,definitively deffirent,different defianetly,definitely defianlty,defiantly -defiantely,defiantly,definitely +defiantely,definitely,defiantly defiantley,definitely defibately,definitely deficately,definitely @@ -16558,7 +16558,7 @@ definitevly,definitively definiteyl,definitely definitian,definition definitie,definitive -definitiely,definitely,definitively +definitiely,definitively,definitely definitieve,definitive definitifely,definitively definitiion,definition @@ -16595,15 +16595,15 @@ definltey,definitely definned,defined definnition,definition definotely,definitely -defins,define,defines +defins,defines,define definstely,definitely -defint,define,definite +defint,definite,define defintaley,definitely defintaly,defiantly -definte,define,definite +definte,definite,define defintian,definition defintiely,definitely -defintiion,definition,definitions +defintiion,definitions,definition defintiions,definitions defintily,definitely defintion,definition @@ -16709,7 +16709,7 @@ deifning,defining deifnitly,definitely deimiter,delimiter deine,define -deined,defined,denied +deined,denied,defined deiners,deniers deines,defined,defines,denies deinitailse,deinitialise @@ -16772,8 +16772,8 @@ delcining,declining delclaration,declaration delearship,dealership delearships,dealerships -delection,deletion,detection,selection -delections,deletions,detections,selections +delection,detection,deletion,selection +delections,detections,deletions,selections delegatie,delegate delegaties,delegate delegative,delegate @@ -16878,7 +16878,7 @@ deliverees,deliveries deliveres,delivers delivermode,deliverymode deliverying,delivering -deliverys,deliveries,delivers +deliverys,delivers,deliveries deliviered,delivered deliviring,delivering delpeted,depleted @@ -17164,7 +17164,7 @@ dependencied,dependency dependenciens,dependencies dependencis,dependencies dependencys,dependencies -dependend,depended,dependent +dependend,dependent,depended dependendencies,dependencies dependendency,dependency dependendent,dependent @@ -17203,7 +17203,7 @@ depenendent,dependent depenending,depending depenent,dependent depenently,dependently -depening,deepening,depending +depening,depending,deepening depennding,depending depent,depend depercate,deprecate @@ -17229,12 +17229,12 @@ deplorabel,deplorable deplorabil,deplorable deplorabile,deplorable deplorible,deplorable -deployd,deploy,deployed +deployd,deployed,deploy deployement,deployment deploymenet,deployment deploymenets,deployments deploymnet,deployment -deply,deeply,deploy +deply,deploy,deeply deplying,deploying deplyoing,deploying deplyoment,deployment @@ -17269,8 +17269,8 @@ depreating,deprecating deprecatedf,deprecated depreceate,deprecate,depreciate depreceated,deprecated,depreciated -depreceating,deprecating,depreciating -depreceation,deprecation,depreciation +depreceating,depreciating,deprecating +depreceation,depreciation,deprecation deprectaed,deprecated deprectat,deprecate deprectate,deprecate @@ -17288,12 +17288,12 @@ depressieve,depressive depressin,depression depresso,depression depresssion,depression -depretiate,deprecate,depreciate -depretiated,deprecated,depreciated -depretiates,deprecates,depreciates -depretiating,deprecating,depreciating -depretiation,deprecation,depreciation -depretiats,deprecates,depreciates +depretiate,depreciate,deprecate +depretiated,depreciated,deprecated +depretiates,depreciates,deprecates +depretiating,depreciating,deprecating +depretiation,depreciation,deprecation +depretiats,depreciates,deprecates deprevation,deprivation depricate,deprecate depricated,deprecated @@ -17455,7 +17455,7 @@ descide,decide descided,decided descides,decides desciding,deciding -desciminate,decimate,discriminate,disseminate +desciminate,discriminate,disseminate,decimate descion,decision descipable,despicable desciption,description @@ -17470,7 +17470,7 @@ desciribes,describes desciribing,describing desciription,description desciriptions,descriptions -descirption,description,descriptions +descirption,descriptions,description descirptor,descriptor descision,decision descisions,decisions @@ -17532,7 +17532,7 @@ descriptior,descriptor descriptiors,descriptors descriptivos,descriptions descripto,descriptor -descriptoin,description,descriptions +descriptoin,descriptions,description descriptoins,descriptions descripton,description descriptons,descriptions @@ -17543,7 +17543,7 @@ descrise,describes descrition,description descritor,descriptor descritors,descriptors -descritpion,description,descriptions +descritpion,descriptions,description descritpions,descriptions descritpiton,description descritpitons,descriptions @@ -17766,19 +17766,19 @@ desstructor,destructor destablized,destabilized destanation,destination destanations,destinations -destiantion,destination,destinations +destiantion,destinations,destination destiantions,destinations destiation,destination destiations,destinations destinaion,destination destinaions,destinations -destinaiton,destination,destinations +destinaiton,destinations,destination destinaitons,destinations destinarion,destination destinarions,destinations destinataion,destination destinataions,destinations -destinatin,destination,destinations +destinatin,destinations,destination destinatino,destination destinatinos,destinations destinatins,destinations @@ -17892,11 +17892,11 @@ deteched,detached,detected detecing,detecting detecion,detection detecions,detections -detecs,detect,detects,deters +detecs,detects,deters,detect detectarlo,detector detectaron,detector detectas,detects -detecte,detect,detected,detects +detecte,detected,detect,detects detectected,detected detectes,detects detectetd,detected @@ -17943,7 +17943,7 @@ determinded,determine,determined determindes,determined,determines determinee,determine determineing,determining -determing,determine,determining +determing,determining,determine determinging,determining determinig,determining determinining,determining @@ -17968,14 +17968,14 @@ determinte,determine,determined determintes,determines determnine,determine deternine,determine -detet,delete,detect -deteted,deleted,detected +detet,detect,delete +deteted,detected,deleted detetes,deletes,detects -deteting,deleting,detecting -detetion,deletion,detection +deteting,detecting,deleting +detetion,detection,deletion detetions,deletions,detections detetmine,determine -detets,deletes,detects +detets,detects,deletes detial,detail detialed,detailed detialing,detailing @@ -18034,7 +18034,7 @@ develoeprs,developers develoers,developers develoment,development develoments,developments -develompent,development,developments +develompent,developments,development develompental,developmental develompents,developments develope,develop @@ -18047,7 +18047,7 @@ developmemt,development developmenet,developments developmently,developmental developmentwise,developments -developmet,development,developments +developmet,developments,development developmetn,developments developmetns,developments developmets,developments @@ -18074,7 +18074,7 @@ develpoment,developments develpoments,developments develps,develops devels,delves -deveolpment,development,developments +deveolpment,developments,development deveopers,developers deveploment,developments deverloper,developer @@ -18095,11 +18095,11 @@ deviceremoveable,deviceremovable devicesr,devices devicess,devices devicest,devices -devide,device,divide +devide,divide,device devided,divided devider,divider deviders,dividers -devides,devices,divides +devides,divides,devices deviding,dividing deviece,device devied,device @@ -18225,7 +18225,7 @@ dialgos,dialogs dialgoue,dialogue dialig,dialog dialigs,dialogs -dialoge,dialog,dialogue +dialoge,dialogue,dialog dialouge,dialogue dialouges,dialogues diamater,diameter @@ -18334,10 +18334,10 @@ dicussed,discussed dicussions,discussions didi,did didsapointed,disappointed -diea,die,idea +diea,idea,die diect,direct diectly,directly -dieing,dyeing,dying +dieing,dying,dyeing dielectirc,dielectric dielectircs,dielectrics diemsion,dimension @@ -18386,22 +18386,22 @@ differenciations,differentiation differencies,differences differenct,different differend,different -differene,difference,differences +differene,differences,difference differenes,differences differenly,differently -differens,difference,differences -differense,difference,differences +differens,differences,difference +differense,differences,difference differental,differential differentate,differentiate differente,difference -differentes,difference,differences,different +differentes,differences,difference,different differentiantion,differentiation differentiatiations,differentiations differentiatiors,differentiation differentiaton,differentiation differentitation,differentiation differentl,differential,differently -differents,difference,different +differents,different,difference differenty,differently differeny,differently differernt,different @@ -18454,7 +18454,7 @@ difficulites,difficulties difficulity,difficulty difficulte,difficulties difficultes,difficulties -difficults,difficult,difficulties +difficults,difficulties,difficult difficuly,difficulty difficut,difficulty difficutl,difficult @@ -18463,7 +18463,7 @@ difficutly,difficulty diffirentiate,differentiate diffreences,differences diffreent,different -diffreents,difference,different +diffreents,different,difference diffrence,difference diffrences,differences diffrent,different @@ -18471,7 +18471,7 @@ diffrential,differential diffrentiate,differentiate diffrentiated,differentiated diffrently,differently -diffrents,difference,different +diffrents,different,difference diffrerence,difference diffrerences,differences diffucult,difficult @@ -18493,9 +18493,9 @@ difract,diffract difracted,diffracted difraction,diffraction difractive,diffractive -difuse,defuse,diffuse -difused,defused,diffused -difuses,defused,diffuses +difuse,diffuse,defuse +difused,diffused,defused +difuses,diffuses,defused difussion,diffusion difussive,diffusive diganose,diagnose @@ -18620,9 +18620,9 @@ diplomatisch,diplomatic diplomma,diploma dipolma,diploma dipolmatic,diplomatic -dipose,depose,dispose -diposed,deposed,disposed -diposing,deposing,disposing +dipose,dispose,depose +diposed,disposed,deposed +diposing,disposing,deposing diposition,disposition diptheria,diphtheria dipthong,diphthong @@ -18666,7 +18666,7 @@ directely,directly directes,directs directgories,directories directgory,directory -directin,directing,direction,directions +directin,directions,directing,direction directinla,directional directiona,directional,directions directionl,directional @@ -18679,14 +18679,14 @@ directoies,directories directon,direction directoories,directories directoory,directory -directores,directories,directors +directores,directors,directories directorguy,directory directoriei,directories directorios,directors directoris,directories directort,directory directorty,directory -directorys,directories,directors +directorys,directors,directories directos,directors directoty,directory directove,directive @@ -18749,7 +18749,7 @@ disabl,disable disablle,disable disadvandage,disadvantaged disadvandages,disadvantaged -disadvantadge,disadvantage,disadvantaged +disadvantadge,disadvantaged,disadvantage disadvanteged,disadvantaged disadvanteges,disadvantages disadvantge,disadvantage @@ -18910,7 +18910,7 @@ discernable,discernible discertation,dissertation dischard,discharged discharded,discharged -dischare,discharge,discharged +dischare,discharged,discharge discimenation,dissemination disciniplary,disciplinary disciplanary,disciplinary @@ -19281,7 +19281,7 @@ displacment,displacement displacments,displacements displaing,displaying displayd,displayed -displayes,displayed,displays +displayes,displays,displayed displayfps,displays displayied,displayed displayig,displaying @@ -19311,7 +19311,7 @@ dispossing,disposing disposte,dispose dispostion,disposition dispoves,dispose -dispprove,disapprove,disprove +dispprove,disprove,disapprove dispraportionate,disproportionate dispraportionately,disproportionately disproportianate,disproportionate @@ -19576,7 +19576,7 @@ dissspointed,disappointed distace,distance,distaste distaced,distanced distaces,distances,distastes -distancef,distance,distanced,distances +distancef,distanced,distances,distance distange,distance distanse,distance distantce,distance @@ -19604,7 +19604,7 @@ distictly,distinctly distiguish,distinguish distiguished,distinguished distination,destination,distinction -distinations,destinations,distinctions +distinations,distinctions,destinations distinative,distinctive distincion,distinction distinciton,distinction @@ -19623,7 +19623,7 @@ distingishing,distinguishing distingiush,distinguish distingiushing,distinguishing distingquished,distinguished -distinguise,distinguish,distinguished +distinguise,distinguished,distinguish distinguised,distinguished distinguises,distinguishes distinguising,distinguishing @@ -19695,11 +19695,11 @@ distribitor,distributor distribitors,distributors distribtion,distribution distribtions,distributions -distribtuion,distribution,distributions +distribtuion,distributions,distribution distribtuions,distributions distribtution,distributions distribucion,distribution -distribue,distribute,distributed +distribue,distributed,distribute distribued,distributed distribuem,distribute distribuent,distribute @@ -19755,7 +19755,7 @@ distrubition,distribution distrubitions,distributions distrubitor,distributor distrubitors,distributors -distrubted,disrupted,distributed +distrubted,distributed,disrupted distrubtes,distrust distrubtion,distribution distrubute,distribute @@ -19809,14 +19809,14 @@ divdes,divides divding,dividing diverisfy,diversify diveristy,diversity -diversed,diverged,diverse +diversed,diverse,diverged diversifiy,diversify diversiy,diversify diverstiy,diversity divertion,diversion divertions,diversions divet,divot -diviation,deviation,divination +diviation,divination,deviation divice,device divicer,divider dividendes,dividends @@ -19826,7 +19826,7 @@ divideneds,dividend dividens,dividends dividor,divider,divisor dividors,dividers,divisors -divinition,definition,divination +divinition,divination,definition divinitiy,divinity divinitory,divinity divintiy,divinity @@ -19849,7 +19849,7 @@ doagonal,diagonal doagonals,diagonals doalog,dialog doamin,domain,dopamine -doamine,domain,dopamine +doamine,dopamine,domain doamins,domains doapmine,dopamine doas,does @@ -19951,10 +19951,10 @@ documnetation,documentation documument,document docunment,document doed,does -doen,doesn,don,done +doen,done,don,doesn doens,does,doesn doese,does -doesing,does,doing,dosing,dozing +doesing,doing,does,dosing,dozing doess,does dogamtic,dogmatic dogdammit,goddammit @@ -19969,10 +19969,10 @@ doiubled,doubled dokc,dock dokced,docked dokcer,docker -dokcerd,docked,docker,dockerd +dokcerd,dockerd,docked,docker dokcing,docking dokcre,docker -dokcred,docked,docker,dockerd +dokcred,dockerd,docked,docker dokcs,docks doker,docker dolhpin,dolphin @@ -20030,7 +20030,7 @@ donejun,dungeon donejuns,dungeons donesticated,domesticated donig,doing -donn,don,done +donn,done,don donwgrade,downgrade donwgraded,downgraded donwload,download @@ -20062,7 +20062,7 @@ dopmaine,dopamine dorce,force dorced,forced dorceful,forceful -dorder,disorder,order +dorder,order,disorder dordered,ordered dorment,dormant dormtund,dortmund @@ -20074,7 +20074,7 @@ doscloses,discloses dosclosing,disclosing dosclosure,disclosure dosclosures,disclosures -dosen,doesn,dose,dozen +dosen,dozen,dose,doesn dosens,dozens dosposing,disposing dossapointed,disappointed @@ -20084,7 +20084,7 @@ dosument,document dosuments,documents dota,data dotrmund,dortmund -doub,daub,doubt +doub,doubt,daub doube,double doubel,double doubellift,doublelift @@ -20288,7 +20288,7 @@ dravadian,dravidian draview,drawview drawack,drawback drawacks,drawbacks -drawed,drawn,drew +drawed,drew,drawn drawm,drawn drawng,drawing dreasm,dreams @@ -20373,7 +20373,7 @@ dubsetp,dubstep ducment,document ducument,document dudo,sudo -dueing,doing,dueling,during +dueing,doing,during,dueling duetschland,deutschland duirng,during dulaity,duality @@ -20385,7 +20385,7 @@ dumbbels,dumbbells dumbfouded,dumbfounded dumbfoundeads,dumbfounded dumbfouned,dumbfounded -dummp,dummy,dump +dummp,dump,dummy dumplicate,duplicate dumplicated,duplicated dumplicates,duplicates @@ -20482,7 +20482,7 @@ dymanically,dynamically dymanics,dynamics dymanite,dynamite dynamc,dynamic -dynamcly,dynamically,dynamincally +dynamcly,dynamincally,dynamically dynamcs,dynamics dynamicallly,dynamically dynamicaly,dynamically @@ -20547,7 +20547,7 @@ eample,example eamples,examples eanable,enable eanble,enable -earch,each,search +earch,search,each earhtbound,earthbound earhtquakes,earthquakes eariler,earlier @@ -20593,7 +20593,7 @@ eastwoood,eastwood eastwoord,eastwood easyer,easier eatswood,eastwood -eaturn,eaten,return,saturn +eaturn,return,saturn,eaten eaxct,exact eazier,easier eaziest,easiest @@ -20641,7 +20641,7 @@ ecountering,encountering ecounters,encounters ecplicit,explicit ecplicitly,explicitly -ecret,erect,secret +ecret,secret,erect ecspecially,especially ecstacys,ecstasy ecstascy,ecstasy @@ -20769,9 +20769,9 @@ effictiveness,effectiveness effiency,efficiency effient,efficient effiently,efficiently -efford,afford,effort +efford,effort,afford effordlessly,effortlessly -effords,affords,efforts +effords,efforts,affords effortlesly,effortlessly effortlessely,effortlessly effortlessley,effortlessly @@ -20815,14 +20815,14 @@ ehance,enhance ehanced,enhanced ehancement,enhancement ehancements,enhancements -ehen,even,hen,then,when +ehen,when,hen,even,then ehenever,whenever ehough,enough ehr,her ehtanol,ethanol ehtereal,ethereal ehternet,ethernet -ehther,either,ether +ehther,ether,either ehthernet,ethernet ehtically,ethically ehtnically,ethnically @@ -20833,7 +20833,7 @@ eifnach,einfach eighteeen,eighteen eighten,eighteen eighter,either -eigth,eight,eighth +eigth,eighth,eight eigtheen,eighteen eihter,either einfahc,einfach @@ -20874,7 +20874,7 @@ elecrto,electro elecrtomagnetic,electromagnetic elecrton,electron electhor,electro -electic,eclectic,electric +electic,electric,eclectic electical,electrical electirc,electric electircal,electrical @@ -21026,9 +21026,9 @@ elimintate,eliminate elimintates,eliminates eliminte,eliminate elimnated,eliminated -elipse,eclipse,ellipse -elipses,eclipses,ellipses,ellipsis -elipsis,eclipses,ellipsis +elipse,ellipse,eclipse +elipses,ellipses,eclipses,ellipsis +elipsis,ellipsis,eclipses elipsises,ellipses,ellipsis eliptic,elliptic eliptical,elliptical @@ -21179,7 +21179,7 @@ eminate,emanate eminated,emanated emipres,empires emision,emission -emiss,amass,amiss,remiss +emiss,remiss,amiss,amass emissed,amassed,amiss emited,emitted emiting,emitting @@ -21348,8 +21348,8 @@ encaspulation,encapsulation enceclopedia,encyclopedia enchamtment,enchantment enchanced,enhanced -enchancement,enchantment,enhancement -enchancements,enchantments,enhancements +enchancement,enhancement,enchantment +enchancements,enhancements,enchantments enchancing,enchanting enchancment,enchantment enchancments,enchantments @@ -21422,7 +21422,7 @@ encoses,encloses,encodes encosing,enclosing,encoding encosings,enclosings,encodings encosure,enclosure -encounted,encounter,encountered +encounted,encountered,encounter encounterd,encountered encounteres,encounters encountre,encounter,encountered @@ -21464,7 +21464,7 @@ encrupted,encrypted encryped,encrypted encrypiton,encryption encryptation,encryption -encrypte,encrypt,encrypted +encrypte,encrypted,encrypt encrypter,encryptor encryptiion,encryption encryptio,encryption @@ -21659,7 +21659,7 @@ enitities,entities enitity,entity enitre,entire enitrely,entirely -enity,enmity,entity +enity,entity,enmity enivitable,inevitable enivornment,environment enivornments,environments @@ -21838,7 +21838,7 @@ entired,entered,entire entireity,entirety entirelly,entirely entires,entries -entirey,entirely,entirety +entirey,entirety,entirely entirity,entirety entirley,entirely entirly,entirely @@ -21900,9 +21900,9 @@ entreprise,enterprise entretained,entertained entretaining,entertaining entretainment,entertainment -entrie,entries,entry +entrie,entry,entries entriess,entries -entriy,entries,entry +entriy,entry,entries entropay,entropy entrophy,entropy entrys,entries,entry @@ -21910,7 +21910,7 @@ enttries,entries enttry,entry entusiastic,enthusiastic entusiastically,enthusiastically -enty,entity,entry +enty,entry,entity enuf,enough enulation,emulation enumarate,enumerate @@ -21978,7 +21978,7 @@ enviromental,environmental enviromentalist,environmentalist enviromentally,environmentally enviroments,environments -enviromnent,environment,environments +enviromnent,environments,environment enviromnental,environmental enviromnentally,environmentally enviromnents,environments @@ -22000,10 +22000,10 @@ environmentals,environments environmentaly,environmentally environmentl,environmentally environmently,environmental -environmet,environment,environments +environmet,environments,environment environmetal,environmental environmets,environments -environmnet,environment,environments +environmnet,environments,environment environmont,environment environnement,environment environtment,environment @@ -22011,7 +22011,7 @@ envoke,evoke,invoke envoked,evoked,invoked envoker,evoker,invoker envokes,evokes,invokes -envoking,evoking,invoking +envoking,invoking,evoking envolutionary,evolutionary envolved,involved envorce,enforce @@ -22121,13 +22121,13 @@ equipmentd,equipment equipments,equipment equippment,equipment equiptment,equipment -equire,enquire,equine,esquire,require +equire,require,enquire,equine,esquire equitorial,equatorial equivalance,equivalence equivalant,equivalent equivalants,equivalents -equivalenet,equivalent,equivalents -equivalentsly,equivalency,equivalently +equivalenet,equivalents,equivalent +equivalentsly,equivalently,equivalency equivalet,equivalents equivallent,equivalent equivallently,equivalently @@ -22163,7 +22163,7 @@ equvivalent,equivalent eralier,earlier erally,orally,really erasablocks,eraseblocks -erasuer,eraser,erasure +erasuer,erasure,eraser eratic,erratic eratically,erratically eraticly,erratically @@ -22295,7 +22295,7 @@ especailly,especially especally,especially especialy,especially especialyl,especially -especifically,especially,specifically +especifically,specifically,especially especiially,especially espect,expect espeically,especially @@ -22359,7 +22359,7 @@ establishs,establishes establising,establishing establsihed,established establsihment,establishments -estbalishment,establishment,establishments +estbalishment,establishments,establishment estiamte,estimate estiamted,estimated estiamtes,estimates @@ -22386,11 +22386,11 @@ etamologies,etymologies etamology,etymology etcc,etc etcp,etc -etend,attend,extend -etended,attended,extended -etender,attender,extender -etenders,attenders,extenders -etends,attends,extends +etend,extend,attend +etended,extended,attended +etender,extender,attender +etenders,extenders,attenders +etends,extends,attends etensible,extensible etension,extension etensions,extensions @@ -22414,7 +22414,7 @@ ethnicitiy,ethnicity ethniticies,ethnicities ethniticy,ethnicity ethnocentricm,ethnocentrism -ethose,ethos,those +ethose,those,ethos etiher,either etiquete,etiquette etmyology,etymology @@ -22521,7 +22521,7 @@ evauluated,evaluated evauluates,evaluates evauluation,evaluation evelation,elevation -evelope,envelop,envelope +evelope,envelope,envelop eveluate,evaluate eveluated,evaluated eveluates,evaluates @@ -22817,8 +22817,8 @@ excepions,exceptions exceprt,excerpt exceprts,excerpts exceptation,expectation -exceptin,accepting,excepting,exception,exceptions,expecting -exceptins,excepting,exceptions +exceptin,exceptions,excepting,exception,expecting,accepting +exceptins,exceptions,excepting exceptionaly,exceptionally exceptionel,exceptional exceptionnal,exceptional @@ -22977,7 +22977,7 @@ excludled,excluded excludles,excludes excludling,excluding exclue,exclude -excluse,exclude,excludes,exclusive,excuse +excluse,excludes,exclude,excuse,exclusive exclusie,exclusives exclusiv,exclusive exclusivas,exclusives @@ -23105,7 +23105,7 @@ execuctors,executors execude,execute execuded,executed execudes,executes -execuding,excluding,executing +execuding,executing,excluding execue,execute execued,executed execues,executes @@ -23181,7 +23181,7 @@ executioneer,executioner executioneers,executioner executionees,executions executioness,executions -executiong,executing,execution +executiong,execution,executing executionier,executioner executionner,executioner executionor,executioner @@ -23255,7 +23255,7 @@ exercices,exercise exercicing,exercising exercide,exercised exercies,exercise -exerciese,exercise,exercises +exerciese,exercises,exercise exerciesed,exercised exercieses,exercises exerciesing,exercising @@ -23380,7 +23380,7 @@ existying,existing exitance,existence exitation,excitation exitations,excitations -exite,excite,exit,exits +exite,exit,excite,exits exitsing,existing,exiting exitss,exists,exits exitt,exit @@ -23444,8 +23444,8 @@ exorbatent,exorbitant exorbidant,exorbitant exorbirant,exorbitant exorbitent,exorbitant -exort,exhort,export -exorted,exerted,exported,extorted +exort,export,exhort +exorted,exported,extorted,exerted exoskelaton,exoskeleton exoticas,exotics exoticos,exotics @@ -23453,8 +23453,8 @@ expalin,explain expalined,explained expalining,explaining expalins,explains -expanation,expansion,explanation -expanations,expansions,explanations +expanation,explanation,expansion +expanations,explanations,expansions expanble,expandable expandas,expands expandes,expands @@ -23469,7 +23469,7 @@ expanshions,expansions expansie,expansive expansiones,expansions expansivos,expansions -expanssion,expansion,expansions +expanssion,expansions,expansion expantions,expansions exparation,expiration expasion,expansion @@ -23591,7 +23591,7 @@ expepected,expected expepectedly,expectedly expepecting,expecting expepects,expects -expept,except,expect +expept,expect,except expepted,expected expeptedly,expectedly expepting,expecting @@ -23611,8 +23611,8 @@ experamenters,experimenters experamenting,experimenting experaments,experiments experation,expiration -experct,excerpt,expect -expercted,excerpted,expected +experct,expect,excerpt +expercted,expected,excerpted expercting,expecting expercts,expects expereince,experience @@ -23804,7 +23804,7 @@ experimentts,experiments experimentul,experimental experimer,experimenter experimers,experimenters -experimet,experiment,experiments +experimet,experiments,experiment experimetal,experimental experimetally,experimentally experimetation,experimentation @@ -23942,7 +23942,7 @@ expermenter,experimenter expermenters,experimenters expermenting,experimenting experments,experiments -expermient,experiment,experiments +expermient,experiments,experiment expermiental,experimental expermientally,experimentally expermientation,experimentation @@ -24006,7 +24006,7 @@ expest,expect expested,expected expestedly,expectedly expesting,expecting -expet,expat,expect +expet,expect,expat expetancy,expectancy expetation,expectation expetc,expect @@ -24111,7 +24111,7 @@ explaing,explaining explainging,explaining explainig,explaining explaintory,explanatory -explanaiton,explanation,explanations +explanaiton,explanations,explanation explanaitons,explanations explanatin,explanations explane,explain @@ -24158,7 +24158,7 @@ explicte,explicate,explicit explictely,explicitly explictily,explicitly explictly,explicitly -explicty,explicit,explicitly +explicty,explicitly,explicit explin,explain explination,explanation explinations,explanations @@ -24187,8 +24187,8 @@ exploitaiton,exploitation exploitatie,exploitative exploitating,exploitation exploites,exploits -exploition,exploit,exploitation,exploiting,explosion -exploitions,exploitations,exploits,explosions +exploition,exploiting,explosion,exploitation,exploit +exploitions,explosions,exploitations,exploits exploititive,exploitative explonation,exploration exploracion,exploration @@ -24225,7 +24225,7 @@ expoent,exponent expoential,exponential expoentially,exponentially expoentntial,exponential -expoert,expert,export +expoert,export,expert expoerted,exported expoit,exploit expoitation,exploitation @@ -24293,7 +24293,7 @@ expressiong,expressing,expression expressivos,expressions expressley,expressly expresso,espresso -expresss,express,expresses +expresss,expresses,express expresssion,expression expresssions,expressions expresssive,expressive @@ -24322,18 +24322,18 @@ exrension,extension exrensions,extensions exressed,expressed exression,expression -exsist,exist,exists +exsist,exists,exist exsistence,existence exsistent,existent exsisting,existing exsists,exists exsit,exist,exit exsitance,existence -exsited,excited,existed +exsited,existed,excited exsitence,existence exsitent,existent exsiting,existing -exsits,exist,exists +exsits,exists,exist exspect,expect exspected,expected exspectedly,expectedly @@ -24347,7 +24347,7 @@ exsted,existed exsting,existing exstream,extreme exsts,exists -extact,exact,extract +extact,extract,exact extaction,extraction extactly,exactly extacy,ecstasy @@ -24429,12 +24429,12 @@ extimations,estimations extimator,estimator extimators,estimators exting,existing,exiting,texting -extint,extant,extinct +extint,extinct,extant extist,exist extit,exit extited,excited,exited extiting,exciting,exiting -extits,excites,exits +extits,exits,excites extnesion,extension extoics,exotics extortin,extortion @@ -24466,7 +24466,7 @@ extraordinairy,extraordinary extraordinaly,extraordinary extraordinarely,extraordinarily extraordinarilly,extraordinary -extraordinarly,extraordinarily,extraordinary +extraordinarly,extraordinary,extraordinarily extraordinaryly,extraordinarily extraordinay,extraordinary extraoridnary,extraordinary @@ -24509,7 +24509,7 @@ extreams,extremes extreem,extreme extreemly,extremely extreems,extremes -extrem,extreme,extremum +extrem,extremum,extreme extremaly,extremely extremaste,extremes extremeley,extremely @@ -24530,7 +24530,7 @@ extremistisk,extremists extremitys,extremities extremley,extremely extremly,extremely -extrems,extrema,extremes +extrems,extremes,extrema extrenal,external extrenally,externally extrenaly,externally @@ -24557,9 +24557,9 @@ exuberent,exuberant exucuted,executed exurpt,excerpt exurpts,excerpts -eyar,eyas,year -eyars,eyas,years -eyasr,eyas,years +eyar,year,eyas +eyars,years,eyas +eyasr,years,eyas eyeballers,eyeballs eyeballls,eyeballs eyebals,eyeballs @@ -24623,10 +24623,10 @@ facisnation,fascination facist,fascist facitilies,facilities faclons,falcons -facor,faker,favor +facor,favor,faker facorite,favorite facorites,favorites -facors,fakers,favors +facors,favors,fakers facour,favour facourite,favourite facourites,favourites @@ -24639,7 +24639,7 @@ facsists,fascists factization,factorization factores,factors factorizaiton,factorization -factorys,factories,factors +factorys,factors,factories facttories,factories facttory,factory factuallity,factually @@ -24653,11 +24653,11 @@ faggotus,faggots fahernheit,fahrenheit fahrenheight,fahrenheit fahrenhiet,fahrenheit -faied,fade,failed +faied,failed,fade faield,failed faild,failed failded,failed -faile,fail,failed +faile,failed,fail failer,failure failes,fails failicies,facilities @@ -24715,7 +24715,7 @@ fallthruogh,fallthrough falltrough,fallthrough falmethrower,flamethrower falseley,falsely -falsh,false,flash +falsh,flash,false falshbacks,flashbacks falshed,flashed falshes,flashes @@ -24794,7 +24794,7 @@ fantistically,fantastically faoming,foaming faptastically,fantastically farcking,fracking -farction,faction,fraction +farction,fraction,faction farehnheit,fahrenheit farenheight,fahrenheit farenheit,fahrenheit @@ -24821,7 +24821,7 @@ fascistes,fascists fascistisk,fascists fascits,fascist fascization,fascination -fase,false,faze,phase +fase,faze,phase,false fased,fazed,phased faseeshus,facetious faseeshusly,facetiously @@ -24901,11 +24901,11 @@ feasabile,feasible feasability,feasibility feasable,feasible feasbile,feasible -featch,each,fetch +featch,fetch,each featchd,fetched featched,fetched featcher,feather,feature,fetcher -featches,features,fetches +featches,fetches,features featching,fetching featchs,fetches featchss,fetches @@ -24944,7 +24944,7 @@ feeback,feedback feeded,fed feek,feel feeks,feels -feets,feats,feet +feets,feet,feats feetur,feature feeture,feature feild,field @@ -25009,7 +25009,7 @@ fetishers,fetishes fetishiste,fetishes fetishs,fetishes fetures,features -fewd,feud,few +fewd,few,feud fewg,few,fugue fewsha,fuchsia fezent,pheasant @@ -25018,7 +25018,7 @@ fials,fails fianite,finite fianlly,finally fibonaacci,fibonacci -ficks,fix,flicks +ficks,flicks,fix ficticious,fictitious ficticous,fictitious fictionaries,dictionaries @@ -25042,7 +25042,7 @@ fielesystem,filesystem fielesystems,filesystems fielname,filename fielneame,filename -fiels,feels,fields,files,phials +fiels,fields,feels,files,phials fiercly,fiercely fiew,few,flew fifht,fifth,fight @@ -25095,10 +25095,10 @@ fileystems,filesystems filiament,filament filies,files fillay,fillet -filld,filed,fill,filled +filld,filled,filed,fill fille,file,fill,filled fillement,filament -filles,files,filled,fills +filles,files,fills,filled fillowing,following fillung,filling filmamkers,filmmakers @@ -25110,7 +25110,7 @@ filp,flip filpped,flipped filpping,flipping filps,flips -fils,file,files,fills +fils,fills,files,file filse,files filsystem,filesystem filsystems,filesystems @@ -25134,7 +25134,7 @@ finall,final,finally finalle,finale,finally finallizes,finalizes finallly,finally -finaly,finale,finally +finaly,finally,finale finanace,finance finanaced,financed finanaces,finances @@ -25146,7 +25146,7 @@ finanize,finalize finanlize,finalize finantially,financially fincally,finally -finctional,fictional,functional +finctional,functional,fictional finctionalities,functionalities finctionality,functionality finde,find @@ -25178,7 +25178,7 @@ fininshed,finished finisch,finish,finnish finisched,finished finised,finished -finishe,finish,finished +finishe,finished,finish finishied,finished finishs,finishes finisse,finishes @@ -25187,9 +25187,9 @@ finness,finesse finnisch,finnish finnished,finished finnsih,finnish -finsh,finch,finish +finsh,finish,finch finshed,finished -finshes,finches,finishes +finshes,finishes,finches finshing,finishing finsih,finish finsihed,finished @@ -25235,25 +25235,25 @@ firsr,first firsrt,first firsth,first firt,first,flirt -firts,first,flirts +firts,flirts,first firtsly,firstly firware,firmware firwmare,firmware -fisical,fiscal,physical +fisical,physical,fiscal fisionable,fissionable fisisist,physicist fisist,physicist fisrt,first -fiter,fighter,filter,fitter,fiver +fiter,filter,fighter,fitter,fiver fitering,filtering -fiters,fighters,filters,fitters,fivers +fiters,filters,fighters,fitters,fivers fith,fifth,filth fitler,filter fitlered,filtered fitlering,filtering fitlers,filters fivety,fifty -fixe,fix,fixed,fixer,fixes,fixme +fixe,fixed,fixes,fix,fixme,fixer fixel,pixel fixels,pixels fixeme,fixme @@ -25270,12 +25270,12 @@ flacoured,flavoured flacouring,flavouring flacourings,flavourings flacours,flavours -flage,flag,flags +flage,flags,flag flaged,flagged flages,flags flagg,flag flaghsip,flagship -flahs,flags,flash +flahs,flash,flags flahsed,flashed flahses,flashes flahsing,flashing @@ -25296,7 +25296,7 @@ flashligt,flashlight flashligth,flashlight flasing,flashing flaskbacks,flashbacks -flass,class,flash,flask,glass +flass,class,glass,flask,flash flate,flat flatened,flattened flattend,flattened @@ -25349,13 +25349,13 @@ flor,floor,flow flordia,florida florecen,florence florene,florence -floresent,florescent,fluorescent +floresent,fluorescent,florescent floride,fluoride floridia,florida floruide,fluoride floruish,flourish floting,floating -flourescent,florescent,fluorescent +flourescent,fluorescent,florescent flouride,fluoride flourine,fluorine flourishment,flourishing @@ -25388,7 +25388,7 @@ fnaatic,fanatic fnction,function fnctions,functions fnuction,function -fo,do,for,go,of,to +fo,of,for,do,go,to focu,focus focued,focused focument,document @@ -25406,7 +25406,7 @@ fogets,forgets fogot,forgot fogotten,forgotten fointers,pointers -folde,fold,folder +folde,folder,fold foler,folder folers,folders folfer,folder @@ -25440,7 +25440,7 @@ follfowong,following follfows,follows follin,following follind,following -folling,falling,following,rolling +folling,following,falling,rolling follinwg,following folliong,following folliw,follow @@ -25467,7 +25467,7 @@ folllowinwg,following folllowiong,following folllowiwng,following folllowong,following -folllows,followings,follows +folllows,follows,followings follod,followed folloeing,following folloing,following @@ -25475,7 +25475,7 @@ folloiwng,following follolwing,following follong,following follos,follows -followd,follow,followed,follows +followd,followed,follows,follow followes,follows followig,following followign,following @@ -25608,7 +25608,7 @@ fomatted,formatted fomatter,formatter fomatting,formatting fomed,formed -fomr,form,from +fomr,from,form fomrat,format fomrated,formatted fomrater,formatter @@ -25627,13 +25627,13 @@ fonctioning,functioning fonctionnalies,functionalities fonctionnalities,functionalities fonctionnality,functionality -fonctionnaly,functionality,functionally +fonctionnaly,functionally,functionality fonctions,functions fondamentalist,fundamentalist fondamentalists,fundamentalists fonetic,phonetic -fontain,contain,fountain -fontains,contains,fountains +fontain,fountain,contain +fontains,fountains,contains fontier,frontier fontisizing,fontifying fontonfig,fontconfig @@ -25770,7 +25770,7 @@ formen,foremen formend,formed formerlly,formerly formery,formerly -formes,formed,forms +formes,forms,formed formidabble,formidable formidabel,formidable formidabelt,formidable @@ -25857,12 +25857,12 @@ forwaded,forwarded forwading,forwarding forwads,forwards forwardig,forwarding -forwared,forward,forwarded +forwared,forwarded,forward forwaring,forwarding forwwarded,forwarded fossiles,fossils fossilis,fossils -fot,cot,dot,fit,fog,for,got,rot,tot +fot,for,fit,dot,rot,cot,got,tot,fog foto,photo fotograf,photograph fotografic,photographic @@ -25898,7 +25898,7 @@ fowards,forwards fowll,follow,foul fowlling,following fowrards,forwards -fpr,far,for,fps +fpr,for,far,fps fprmat,format fpt,ftp fracional,fractional @@ -26042,7 +26042,7 @@ frequenies,frequencies frequensies,frequencies frequenties,frequencies frequentily,frequently -frequeny,frequency,frequent,frequently +frequeny,frequency,frequently,frequent frequenzies,frequencies frequncies,frequencies frequncy,frequency @@ -26258,7 +26258,7 @@ functionallities,functionalities functionallity,functionality functionaltiy,functionality functionalty,functionality -functionaly,functionality,functionally +functionaly,functionally,functionality functiong,functioning functionionalities,functionalities functionionality,functionality @@ -26505,7 +26505,7 @@ garfeild,garfield garfied,garfield garfiled,garfield garflied,garfield -gargage,garage,garbage +gargage,garbage,garage gargoil,gargoyle gargoils,gargoyles garilla,guerilla @@ -26522,7 +26522,7 @@ garuantied,guaranteed gastly,ghastly,vastly gatable,gateable gateing,gating -gatherig,gathering,gatherings +gatherig,gatherings,gathering gatherins,gatherings gatway,gateway gauage,gauge @@ -26542,7 +26542,7 @@ gaurantee,guarantee gauranteed,guaranteed gauranteeing,guaranteeing gaurantees,guarantees -gaurd,gourd,guard +gaurd,guard,gourd gaurdian,guardian gaurding,guarding gaurentee,guarantee @@ -26603,7 +26603,7 @@ generalizate,generalize generalizating,generalization generalizaton,generalization generalizng,generalizing -generall,general,generally +generall,generally,general generalnie,generalize generaly,generally generalyl,generally @@ -26611,7 +26611,7 @@ generalyse,generalise generas,generals generase,generates generaste,generates -generat,general,generate +generat,generate,general generater,generator generaters,generates,generators generatie,generate @@ -26874,7 +26874,7 @@ gisers,geysers gitar,guitar gitars,guitars gitatributes,gitattributes -gived,gave,given +gived,given,gave giveing,giving givem,given givien,given @@ -26980,7 +26980,7 @@ goemetries,geometries goergia,georgia goess,goes gogether,together -gogin,gauguin,going +gogin,going,gauguin goign,going goilath,goliath goin,going @@ -27194,8 +27194,8 @@ gravitiation,gravitation grbber,grabber greande,grenade greandes,grenades -greate,create,grate,great,greater -greated,graded,grated,greater +greate,greater,create,grate,great +greated,greater,grated,graded greatful,grateful greatfull,grateful,gratefully greatfully,gratefully @@ -27238,10 +27238,10 @@ grooup,group groouped,grouped groouping,grouping grooups,groups -grop,drop,group +grop,group,drop gropu,group gropuing,grouping -gropus,gropes,groups +gropus,groups,gropes groshuries,groceries groshury,grocery groth,growth @@ -27251,7 +27251,7 @@ groudnbreaking,groundbreaking grouepd,grouped groupd,grouped groupe,group,grouped -groupes,grouped,groups +groupes,groups,grouped groupped,grouped groupping,grouping groupt,grouped @@ -27433,7 +27433,7 @@ guatamala,guatemala guatamalan,guatemalan gubnatorial,gubernatorial gud,good -gude,good,guide +gude,guide,good guerrila,guerrilla guerrilas,guerrillas guerrillera,guerrilla @@ -27501,10 +27501,10 @@ habeus,habeas hability,ability habsbourg,habsburg hace,have -hach,hack,hash,hatch +hach,hatch,hack,hash hachish,hackish hacthing,hatching -haders,haters,headers,shaders +haders,headers,shaders,haters hadlers,handler hadling,handling hadnler,handler @@ -27516,13 +27516,13 @@ hafltime,halftime hagas,haggis hagases,haggises hagasses,haggises -hahve,half,halve,have +hahve,have,halve,half hailfax,halifax haircuit,haircut hairstlye,hairstyle hairsytle,hairstyle halarious,hilarious -hald,half,hall,held,hold +hald,held,half,hall,hold halfiax,halifax halfitme,halftime halfs,halves @@ -27573,15 +27573,15 @@ handbok,handbook handboook,handbook handcuffes,handcuffs handcufs,handcuffs -hande,hand,handle +hande,handle,hand handedley,handedly handedlly,handedly handedy,handedly handel,handle handelbars,handlebars -handeld,handheld,handled +handeld,handled,handheld handeldy,handedly -handeled,handheld,handled +handeled,handled,handheld handeler,handler handeles,handles handeling,handling @@ -27670,7 +27670,7 @@ hapenns,happens hapens,happens hapmshire,hampshire happaned,happened -happend,happen,happened,happens +happend,happened,happens,happen happended,happened happends,happens happenend,happened @@ -27680,7 +27680,7 @@ happenning,happening happennings,happenings happenns,happens happilly,happily -happing,happen,happening +happing,happening,happen happliy,happily happne,happen happnes,happens,happiness @@ -27694,9 +27694,9 @@ harases,harasses harasment,harassment harasments,harassments harassement,harassment -harcode,charcode,hardcode +harcode,hardcode,charcode harcoded,hardcoded -harcodes,charcodes,hardcodes +harcodes,hardcodes,charcodes harcoding,hardcoding hardare,hardware hardend,hardened @@ -27752,7 +27752,7 @@ hathcing,hatching hatian,haitian hauntig,haunting hauty,haughty -hav,half,have +hav,have,half hava,have havea,have havee,have @@ -27788,7 +27788,7 @@ headquartes,headquarters headquater,headquarter headquatered,headquartered headquaters,headquarters -headrom,bedroom,headroom +headrom,headroom,bedroom headseat,headset headses,headsets headshoot,headshot @@ -27808,7 +27808,7 @@ heapdhone,headphone heapdhones,headphones hearbeat,heartbeat hearder,header -heared,header,heard +heared,heard,header hearhtstone,hearthstone heartbeart,heartbeat heartbeast,heartbeat @@ -27866,7 +27866,7 @@ heiroglyphics,hieroglyphics heistant,hesitant heistate,hesitate heistation,hesitation -hel,heal,hell,help +hel,help,hell,heal helathcare,healthcare helemts,helmets helerps,helpers @@ -27977,7 +27977,7 @@ heterosexal,heterosexual heterosexuella,heterosexual hetreosexual,heterosexual hetrogeneous,heterogeneous -hetrogenous,heterogeneous,heterogenous +hetrogenous,heterogenous,heterogeneous heuristc,heuristic heuristcs,heuristics heursitics,heuristics @@ -28000,7 +28000,7 @@ hiarchy,hierarchy hiddden,hidden hidded,hidden hiddin,hidden,hiding -hidding,hidden,hiding +hidding,hiding,hidden hideen,hidden hiden,hidden hiearchies,hierarchies @@ -28135,7 +28135,7 @@ histgram,histogram histocompatability,histocompatibility historgram,histogram historgrams,histograms -histori,historic,history +histori,history,historic historiaan,historians historial,historical historicaly,historically @@ -28398,8 +28398,8 @@ hsyteria,hysteria htacccess,htaccess htaching,hatching hte,the -hten,hen,the,then -htere,here,there +hten,then,hen,the +htere,there,here htey,they htiboxes,hitboxes htikn,think @@ -28436,7 +28436,7 @@ humantiy,humanity humants,humanist humber,number humer,humor -humerous,humerus,humorous +humerous,humorous,humerus humiditiy,humidity humidiy,humidity humiliatin,humiliation @@ -28976,7 +28976,7 @@ imaginatiei,imaginative imaginating,imagination imaginativo,imagination imaginaton,imagination -imaginery,imagery,imaginary +imaginery,imaginary,imagery imaginitave,imaginative imaginitve,imaginative imakes,makes @@ -29024,11 +29024,11 @@ imgage,image imgrants,migrants imidiately,immediately imigrant,emigrant,immigrant -imigrate,emigrate,immigrate +imigrate,immigrate,emigrate imigrated,emigrated,immigrated imigration,emigration,immigration imilar,similar -iminent,eminent,immanent,imminent +iminent,eminent,imminent,immanent imlement,implement imlementation,implementation imlemented,implemented @@ -29159,7 +29159,7 @@ impelementing,implementing impelements,implements impelentation,implementation impelment,implement -impelmentation,implementation,implementations +impelmentation,implementations,implementation impelmentations,implementations impelments,implements impement,implement @@ -29244,7 +29244,7 @@ implemencted,implemented implemend,implement implemends,implements implemened,implemented -implemenet,implement,implements +implemenet,implements,implement implemenetaion,implementation implemenetaions,implementations implemenetation,implementation @@ -29272,7 +29272,7 @@ implementataion,implementation implementatation,implementation implementated,implemented implementates,implements -implementatin,implementation,implementations,implementing +implementatin,implementations,implementation,implementing implementating,implementation,implementing implementatino,implementations implementatins,implementations @@ -29299,13 +29299,13 @@ implemention,implementation implementions,implementations implementos,implements implementtaion,implementation -implemet,implement,implements +implemet,implements,implement implemetation,implementation implemetations,implementations implemeted,implemented implemetend,implemented implemeting,implementing -implemetnation,implementation,implementations +implemetnation,implementations,implementation implemets,implements implemnt,implement implemntation,implementation @@ -29421,7 +29421,7 @@ importently,importantly importerad,imported importes,imports importnt,important -imporv,improv,improve +imporv,improve,improv imporve,improve imporved,improved imporvement,improvement @@ -29723,7 +29723,7 @@ inclode,include inclreased,increased includ,include includea,include -includeds,included,includes +includeds,includes,included includee,include includeing,including includied,included @@ -29767,7 +29767,7 @@ incomming,incoming incommplete,incomplete incompaitible,incompatible incompaitiblity,incompatibility -incomparible,incomparable,incompatible +incomparible,incompatible,incomparable incompartible,incompatible incompasitate,incapacitate incompasitated,incapacitated @@ -30064,7 +30064,7 @@ indefintly,indefinitely indeginous,indigenous indempotent,idempotent indendation,indentation -indended,indented,intended +indended,intended,indented indendent,indent,indented,independent indentaction,indentation indentaion,indentation @@ -30097,7 +30097,7 @@ indepdendently,independently indepdendet,independent indepdendetly,independently indepdenence,independence -indepdenent,independent,independents +indepdenent,independents,independent indepdenently,independently indepdent,independent indepdented,independent @@ -30135,7 +30135,7 @@ independetn,independents independets,independents independly,independently independnent,independent -independnet,independent,independents +independnet,independents,independent independnt,independent independntly,independently independt,independent @@ -30170,7 +30170,7 @@ indevering,endeavoring indevers,endeavors indexig,indexing indexs,indexes,indices -indext,indent,index +indext,index,indent indiaan,indiana indiactor,indicator indianaoplis,indianapolis @@ -30189,7 +30189,7 @@ indicaite,indicate indicaste,indicates indicat,indicate indicateds,indicated,indicates -indicatee,indicated,indicates +indicatee,indicates,indicated indicaters,indicates,indicators indicateurs,indicates indicatie,indicative @@ -30199,7 +30199,7 @@ indicatiors,indicators indicativo,indication indicato,indication indicatore,indicate -indicats,indicate,indicates,indicators +indicats,indicators,indicates,indicate indicees,indices indicence,incidence indicentally,incidentally @@ -30216,9 +30216,9 @@ indictement,indictment indictes,indicates indictor,indicator indictrinated,indoctrinated -indide,indeed,inside -indien,endian,indian -indiens,endians,indians +indide,inside,indeed +indien,indian,endian +indiens,indians,endians indifferance,indifference indifferant,indifferent indifferente,indifference @@ -30437,7 +30437,7 @@ inexperiened,inexperienced inexperiente,inexperience inexperince,inexperience inexperineced,inexperience -inexpierence,inexperience,inexperienced +inexpierence,inexperienced,inexperience inexpierenced,inexperienced inexpirience,inexperience inexpirienced,inexperienced @@ -30452,7 +30452,7 @@ infallable,infallible infallibale,infallible infallibe,infallible infallibile,infallible -infaltable,infallible,inflatable +infaltable,inflatable,infallible infalte,inflate infalted,inflated infaltes,inflates @@ -30520,7 +30520,7 @@ infinitey,infinity infinitie,infinite,infinity infinitiy,infinity infinitley,infinitely -infinitly,infinitely,infinity +infinitly,infinity,infinitely infinte,infinite infintesimal,infinitesimal infintie,infinite @@ -30674,7 +30674,7 @@ ingerdients,ingredients ingestigator,investigator ingeunity,ingenuity ingition,ignition -ingnorar,ignorant,ignore +ingnorar,ignore,ignorant ingnore,ignore ingnored,ignored ingnores,ignores @@ -30732,7 +30732,7 @@ inhertances,inheritances inherted,inherited inhertiance,inheritance inhertied,inherited -inhertig,inherited,inheriting +inhertig,inheriting,inherited inherting,inheriting inherts,inherits inhomogenous,inhomogeneous @@ -30840,14 +30840,14 @@ initalling,initialling initally,initially initalness,initialness initals,initials -initate,imitate,initiate -initated,imitated,initiated +initate,initiate,imitate +initated,initiated,imitated initates,imitates,initiates initating,imitating,initiating -initation,imitation,initiation +initation,initiation,imitation initations,imitations,initiations initator,imitator,initiator -initators,imitators,initiators +initators,initiators,imitators initiailize,initialize initiailized,initialized initiailizes,initializes @@ -30855,7 +30855,7 @@ initiailizing,initializing initiaitive,initiative initiaitives,initiatives initiaitve,initiatives -initiales,initialise,initialises,initializes,initials +initiales,initials,initialise,initializes,initialises initialialise,initialise initialialize,initialize initialiasation,initialisation @@ -30934,9 +30934,9 @@ initiatiater,initiator initiatiating,initiating initiatiator,initiator initiatiats,initiates -initiatie,initiate,initiatives +initiatie,initiatives,initiate initiatied,initiated -initiaties,initiates,initiatives +initiaties,initiatives,initiates initiatin,initiation initiativs,initiatives initiatve,initiate @@ -31185,7 +31185,7 @@ insall,install insallation,installation insalled,installed insalling,installing -insance,insane,instance +insance,instance,insane insanelly,insanely insaney,insanely insanley,insanely @@ -31254,7 +31254,7 @@ insesitivity,insensitivity insetad,instead insetead,instead inseted,inserted -insetion,insection,insertion +insetion,insertion,insection insid,inside insidde,inside insiddes,insides @@ -31356,14 +31356,14 @@ installating,installation installationa,installation installatons,installations installatron,installation -installe,install,installed,installer +installe,installer,installed,install installeer,installer installeert,installer installemnt,installment installent,installment installes,installs installesd,installs -installion,installation,installing +installion,installing,installation installl,install installling,installing installmant,installment @@ -31567,7 +31567,7 @@ insturmental,instrumental insturmentals,instrumental insturments,instruments instutionalized,institutionalized -instutions,institutions,intuitions +instutions,intuitions,institutions instutition,institution instutitional,institutional instutitionalized,institutionalized @@ -31731,7 +31731,7 @@ intensley,intensely intenst,intents intentas,intents intentation,indentation -intented,indented,intended +intented,intended,indented intentended,intended intentially,intentionally intentialy,intentionally @@ -31747,7 +31747,7 @@ intepret,interpret intepretable,interpretable intepretation,interpretation intepretations,interpretations -intepretator,interpreter,interpretor +intepretator,interpretor,interpreter intepretators,interpreters intepreted,interpreted intepreter,interpreter @@ -31790,26 +31790,26 @@ interaktions,interactions interaktive,interactive,interactively interaktively,interactively interaktivly,interactively -interal,integral,internal,interval -interally,integrally,internally -interals,integrals,internals,intervals +interal,internal,interval,integral +interally,internally,integrally +interals,internals,intervals,integrals interaly,internally interanl,internal interanlly,internally interasted,interacted interasting,interacting interate,iterate -interated,integrated,interacted,iterated +interated,iterated,interacted,integrated interatellar,interstellar -interates,integrated,interacts,iterates -interating,integrating,interacting,iterating -interation,integration,interaction,iteration +interates,iterates,interacts,integrated +interating,iterating,interacting,integrating +interation,iteration,interaction,integration interational,international interationalism,internationalism interationalist,internationalist interationalists,internationalists interationally,internationally -interations,interactions,iterations +interations,iterations,interactions interative,interactive interatively,interactively interator,iterator @@ -31818,7 +31818,7 @@ interaxction,interaction interaxctions,interactions interaxtion,interaction interaxtions,interactions -interbread,interbred,interbreed +interbread,interbreed,interbred intercahnge,interchange intercahnged,interchanged intercation,integration,interaction @@ -31850,14 +31850,14 @@ intereaction,intersection intereactions,intersections intereacts,interfaces interecptor,interceptor -interect,interact,interacted,intersect +interect,interacted,interact,intersect interected,interacted,intersected interecting,interacting,intersecting interection,interaction,intersection interectioned,interaction,intersection interections,interactions,intersections interects,interacts,intersects -intered,interned,interred +intered,interred,interned intereested,interested intereference,interference intereferences,interferences @@ -31902,7 +31902,7 @@ interesing,interesting interespersed,interspersed interesring,interfering interesseted,interested -interesst,interest,interests +interesst,interests,interest interessted,interested interessting,interesting interestes,interests @@ -32102,7 +32102,7 @@ interpreteert,interpreter interpretes,interprets interpretet,interpreted interpretier,interpreter -interpretion,interpretation,interpreting +interpretion,interpreting,interpretation interpretions,interpretations interprett,interpret interpretted,interpreted @@ -32152,7 +32152,7 @@ interruptable,interruptible interrupteds,interrupts interruptes,interrupts interruptis,interrupts -interruptors,interrupters,interrupts +interruptors,interrupts,interrupters interruptted,interrupted interrut,interrupt interrutps,interrupts @@ -32434,7 +32434,7 @@ intrerupted,interrupted intresst,interest intressted,interested intressting,interesting -intrest,insert,interest +intrest,interest,insert intrested,interested intresting,interesting intrewebs,interwebs @@ -32483,8 +32483,8 @@ introdue,introduces introdued,introduced introduktion,introduction introdus,introduces -introduse,introduce,introduces -introdused,introduced,introduces +introduse,introduces,introduce +introdused,introduces,introduced introduses,introduces introdusing,introducing introsepectable,introspectable @@ -32570,7 +32570,7 @@ invaderas,invaders invaderats,invaders invaid,invalid invaild,invalid -invaildate,invalidate,invalidates +invaildate,invalidates,invalidate invailid,invalid invairably,invariably invalaid,invalid @@ -32732,7 +32732,7 @@ invoekr,invoker invokable,invocable invokation,invocation invokations,invocations -invokee,invoke,invoked +invokee,invoked,invoke invokve,invoke invokved,invoked invokves,invokes @@ -32933,7 +32933,7 @@ isssues,issues issueing,issuing issure,issue issus,issues -ist,is,it,its,list,sit +ist,is,it,its,sit,list istalling,installing istambul,istanbul istance,instance @@ -32978,7 +32978,7 @@ itereating,iterating itereator,iterator iterface,interface iterfaces,interfaces -iterm,intern,item,term +iterm,term,item,intern iternations,iterations iterpreter,interpreter iterration,iteration @@ -33058,7 +33058,7 @@ jailbrocken,jailbroken jaimacan,jamaican jalibreak,jailbreak jalibroken,jailbroken -jalusey,jalousie,jealousy +jalusey,jealousy,jalousie jamacain,jamaican jamacia,jamaica jamaicain,jamaican @@ -33092,7 +33092,7 @@ javascritp,javascript javascropt,javascript javasript,javascript javasrript,javascript -jave,have,java +jave,java,have javescript,javascript javscript,javascript javsscript,javascript @@ -33186,7 +33186,7 @@ journys,journeys joysitck,joystick joystik,joystick jpin,join -jpng,jpeg,jpg,png +jpng,png,jpg,jpeg jscipt,jscript jstu,just jsut,just @@ -33233,7 +33233,7 @@ juli,july jumo,jump jumoed,jumped jumpimng,jumping -jumpt,jump,jumped +jumpt,jumped,jump junglig,jungling junglign,jungling juni,june @@ -33265,7 +33265,7 @@ jurnys,journeys jursidiction,jurisdiction jursidictions,jurisdictions jus,just -juse,jude,juice,june,just +juse,just,juice,jude,june jusitfication,justifications jusitfy,justify jusridiction,jurisdiction @@ -33313,8 +33313,8 @@ katemine,ketamine kazakstan,kazakhstan keept,kept keesh,quiche -kenel,kennel,kernel -kenels,kennels,kernels +kenel,kernel,kennel +kenels,kernels,kennels kenendy,kennedy kenerl,kernel kenerls,kernels @@ -33349,7 +33349,7 @@ keyboaard,keyboard keyboaards,keyboards keyboad,keyboard keyboads,keyboards -keyboars,keyboard,keyboards +keyboars,keyboards,keyboard keybooard,keyboard keybooards,keyboards keyborad,keyboard @@ -33588,7 +33588,7 @@ kyeboshing,kiboshing kyrillic,cyrillic kyrptonite,kryptonite labarotory,laboratory -labatory,laboratory,lavatory +labatory,lavatory,laboratory labbel,label labbeled,labeled labbels,labels @@ -33775,7 +33775,7 @@ lasgana,lasagna laso,also,lasso lasonya,lasagna lastes,latest -lastest,last,latest +lastest,latest,last lastr,last lateration,alteration lates,later,latest @@ -33817,12 +33817,12 @@ launguage,language launguages,languages launhed,launched lavae,larvae -lavel,label,laravel,level -laveled,labeled,leveled -laveling,labeling,leveling +lavel,level,laravel,label +laveled,leveled,labeled +laveling,leveling,labeling lavelled,labelled,levelled -lavelling,labelling,levelling -lavels,labels,levels +lavelling,levelling,labelling +lavels,levels,labels lavendr,lavender lawernce,lawrence laybrinth,labyrinth @@ -33840,7 +33840,7 @@ laysers,lasers,layers lazer,laser laziliy,lazily lazyness,laziness -lcoal,coal,local +lcoal,local,coal lcoally,locally lcoation,location lcuase,clause @@ -33867,7 +33867,7 @@ leaglize,legalize leaglizing,legalizing leaneant,lenient leaneantly,leniently -leanr,lean,leaner,learn +leanr,lean,learn,leaner learing,learning leary,leery leaset,least @@ -33875,7 +33875,7 @@ leasure,leisure leasurely,leisurely leasures,leisures leasy,least -leat,lead,leaf,leak,least +leat,lead,leak,least,leaf leathal,lethal leats,least leaveing,leaving @@ -34025,9 +34025,9 @@ lepracy,leprosy leran,learn leraned,learned lerans,learns -lern,lean,learn -lerned,leaned,learned -lerning,leaning,learning +lern,learn,lean +lerned,learned,leaned +lerning,learning,leaning lesbain,lesbian lesbains,lesbians lesbianas,lesbians @@ -34141,7 +34141,7 @@ libgng,libpng libguistic,linguistic libguistics,linguistics libitarianisn,libertarianism -lible,liable,libel +lible,libel,liable libraarie,library libraaries,libraries libraary,library @@ -34246,9 +34246,9 @@ lifetimers,lifetimes lifetsyles,lifestyles lifeycle,lifecycle liftime,lifetime -ligh,lie,light,lye -ligher,liar,liger,lighter -lighers,liars,ligers,lighters +ligh,light,lie,lye +ligher,lighter,liar,liger +lighers,lighters,liars,ligers lighhtning,lightening lighing,lighting lighitng,lighting @@ -34298,7 +34298,7 @@ ligths,lights ligthweight,lightweight ligthweights,lightweights liitle,little -lik,lick,like,link +lik,like,lick,link likebale,likeable likeley,likely likelly,likely @@ -34311,7 +34311,7 @@ likly,likely lileral,literal limiation,limitation limiations,limitations -limination,lamination,limitation +limination,limitation,lamination liminted,limited limitacion,limitation limitaion,limitation @@ -34360,7 +34360,7 @@ linceses,licenses linclon,lincoln lincolin,lincoln lincolon,lincoln -linearily,linearity,linearly +linearily,linearly,linearity lineary,linearly linerisation,linearisation linerisations,linearisations @@ -34389,7 +34389,7 @@ lingusitics,linguistics lingvistic,linguistic linheight,lineheight linix,linux -linke,like,linked +linke,linked,like linkfy,linkify linnaena,linnaean lintain,lintian @@ -34579,17 +34579,17 @@ logarithimic,logarithmic logarithmical,logarithmically logaritmic,logarithmic logcal,logical -loged,lodged,logged,longed -loger,lodger,logger,longer +loged,logged,lodged,longed +loger,logger,lodger,longer loggging,logging -loggin,logging,login +loggin,login,logging logial,logical logially,logically logicaly,logically logictech,logitech logictical,logistical logile,logfile -loging,lodging,logging +loging,logging,lodging logisitcal,logistical logisitcs,logistics logisticas,logistics @@ -34619,7 +34619,7 @@ lolal,total lolerant,tolerant lollipoop,lollipop lollipoopy,lollipop -lonber,loner,longer +lonber,longer,loner lond,long lonelyness,loneliness longe,longer,lounge @@ -34654,15 +34654,15 @@ loopup,lookup looseley,loosely loosley,loosely loosly,loosely -loosy,loose,lossy,lousy +loosy,lossy,lousy,loose loreplay,roleplay -losd,load,lose,loss,lost +losd,lost,loss,lose,load losely,loosely losen,loosen losened,loosened losslesly,losslessly -losted,lasted,listed,lost -lotation,flotation,rotation +losted,listed,lost,lasted +lotation,rotation,flotation lotharingen,lothringen louieville,louisville louisiania,louisiana @@ -34673,13 +34673,13 @@ louisvile,louisville louisvillle,louisville lousiville,louisville lowcase,lowercase -lowd,load,loud,low +lowd,load,low,loud lozonya,lasagna lpatform,platform -lsat,last,sat,slat +lsat,last,slat,sat lsip,lisp -lsit,list,sit,slit -lsits,lists,sits,slits +lsit,list,slit,sit +lsits,lists,slits,sits luanched,launched luancher,launcher luanchers,launchers @@ -34853,18 +34853,18 @@ maitainers,maintainers majoroty,majority mak,make,mask maka,make -maked,made,marked +maked,marked,made makefle,makefile makeing,making makign,making makretplace,marketplace makro,macro makros,macros -makrs,macros,makers,makes +makrs,makes,makers,macros makrsman,marksman -maks,make,makes,mask,masks +maks,mask,masks,makes,make makse,makes,masks -makss,makes,masks +makss,masks,makes makwfile,makefile malaira,malaria malariya,malaria @@ -35026,7 +35026,7 @@ manipulacion,manipulation manipulant,manipulate manipulare,manipulate manipulatie,manipulative -manipulatin,manipulating,manipulation +manipulatin,manipulation,manipulating manipulationg,manipulating manipulaton,manipulation manipule,manipulate @@ -35185,9 +35185,9 @@ margarent,margaret margaritte,margaret margart,margaret margenalized,marginalized -marger,marker,merger +marger,merger,marker margerat,margaret -margers,markers,mergers +margers,mergers,markers margianlly,marginally marginaal,marginal marginaali,marginal @@ -35226,7 +35226,7 @@ markedet,marketed markeras,markers markerplace,marketplace markerts,markers -markes,marked,markers,marks +markes,marks,marked,markers marketpalce,marketplace marketting,marketing markey,marquee @@ -35358,7 +35358,7 @@ masturdating,masturbating masturpiece,masterpiece mastutbation,masturbation masuclinity,masculinity -mata,mater,meta +mata,meta,mater matadata,metadata matainer,maintainer matainers,maintainers @@ -35392,7 +35392,7 @@ materialisimo,materialism materialsim,materialism materialsm,materialism materias,materials -materiasl,material,materials +materiasl,materials,material materil,material materilism,materialism materilize,materialize @@ -35475,7 +35475,7 @@ matterss,mattress mattreses,mattress matzch,match mauarder,marauder -maube,mauve,maybe +maube,maybe,mauve maunals,manuals mavrick,maverick mawsoleum,mausoleum @@ -35581,7 +35581,7 @@ meaninless,meaningless meaninng,meaning meanins,meanings meanting,meaning -mear,mare,mere,wear +mear,wear,mere,mare mearly,merely,nearly meassurable,measurable meassurably,measurably @@ -35598,7 +35598,7 @@ measuements,measurements measuer,measure,measurer measues,measures measuing,measuring -measurd,measure,measured +measurd,measured,measure measuremenet,measurement measuremenets,measurements measurmenet,measurement @@ -35702,7 +35702,7 @@ mediciad,medicaid medicince,medicine medicinens,medicines medicineras,medicines -mediciney,medicinal,medicine,mediciny +mediciney,mediciny,medicine,medicinal medicins,medicines medicinske,medicine medicore,mediocre @@ -35886,13 +35886,13 @@ menual,manual menue,menu menues,menus menutitems,menuitems -meny,many,menu +meny,menu,many meoldic,melodic meoldies,melodies meory,maori,memory meraj,mirage merajes,mirages -meranda,miranda,veranda +meranda,veranda,miranda merang,meringue mercahnt,merchant mercanaries,mercenaries @@ -35931,7 +35931,7 @@ mergging,merging merhcant,merchant merhcants,merchants mericful,merciful -merly,formerly,merely +merly,merely,formerly mermory,memory merory,memory merrors,mirrors @@ -36070,7 +36070,7 @@ methodss,methods metholodogy,methodology methon,method methons,methods -methos,method,methods +methos,methods,method methot,method methots,methods metics,metrics @@ -36263,7 +36263,7 @@ migrantes,migrants migrateable,migratable migriane,migraine migrianes,migraines -migt,midget,might +migt,might,midget migth,might miht,might miinimisation,minimisation @@ -36457,7 +36457,7 @@ ministerens,ministers ministeres,ministers ministerios,ministers ministerns,ministers -ministery,minister,ministry +ministery,ministry,minister ministr,minister ministy,ministry minisucle,miniscule @@ -36491,7 +36491,7 @@ minsiters,ministers minsitry,ministry minstries,ministries minstry,ministry -mintor,mentor,minor,monitor +mintor,mentor,monitor,minor mintored,mentored,monitored mintoring,mentoring,monitoring mintors,mentors,monitors @@ -36501,7 +36501,7 @@ minum,minimum minumum,minimum minumun,minimum minuscle,minuscule -minusculy,minuscule,minusculely +minusculy,minusculely,minuscule minut,minute minuts,minutes miplementation,implementation @@ -36538,14 +36538,14 @@ mirgated,migrated mirgates,migrates mirometer,micrometer mirometers,micrometers -miror,minor,mirror +miror,mirror,minor mirored,mirrored miroring,mirroring mirorr,mirror mirorred,mirrored mirorring,mirroring mirorrs,mirrors -mirors,minors,mirrors +mirors,mirrors,minors mirro,mirror mirroed,mirrored mirrord,mirrored @@ -36725,7 +36725,7 @@ missen,mizzen missign,missing missigno,mission missils,missiles -missin,missing,mission +missin,mission,missing missingassignement,missingassignment missings,missing missionaire,missionaries @@ -36867,7 +36867,7 @@ mmbers,members mmnemonic,mnemonic mnay,many mnemnonic,mnemonic -moast,moat,most +moast,most,moat mobify,modify mobilitiy,mobility mobiliy,mobility @@ -37119,7 +37119,7 @@ monarkeys,monarchies monarkies,monarchies monatge,montage mondey,monday,money,monkey -mone,money,mono,none +mone,mono,money,none monestaries,monasteries monestary,monastery,monetary monestic,monastic @@ -37279,7 +37279,7 @@ mortards,mortars mortarts,mortars morter,mortar moruning,mourning -mose,mode,more,mouse +mose,more,mouse,mode mositurizer,moisturizer mositurizing,moisturizing moslty,mostly @@ -37296,7 +37296,7 @@ mostlky,mostly mosture,moisture mosty,mostly mosue,mosque,mouse -motation,motivation,notation,rotation +motation,notation,rotation,motivation moteef,motif moteefs,motifs motehrboard,motherboard @@ -37319,7 +37319,7 @@ motherobard,motherboards mothing,nothing mothreboard,motherboards motivacional,motivational -motivaiton,motivation,motivations +motivaiton,motivations,motivation motivatie,motivate motivatin,motivations motivatinal,motivational @@ -37479,7 +37479,7 @@ multiplays,multiply multiplebgs,multiples multipled,multiplied multipleies,multiples -multipler,multiple,multiplier +multipler,multiplier,multiple multiplers,multipliers multipleye,multiply multiplicacion,multiplication @@ -37552,7 +37552,7 @@ murderes,murders murderus,murders murr,myrrh muscel,muscle,mussel -muscels,muscles,mussels +muscels,mussels,muscles muscial,musical muscially,musically muscician,musician @@ -37613,7 +37613,7 @@ mutlinationals,multinational mutlipart,multipart mutliplayer,multiplayer mutliple,multiple -mutlipler,multiple,multiplier +mutlipler,multiplier,multiple mutliples,multiples mutliplication,multiplication mutliplicites,multiplicities @@ -37673,7 +37673,7 @@ nacionalistic,nationalistic nacionalists,nationalists nacrotics,narcotics nadly,badly -naerly,gnarly,nearly +naerly,nearly,gnarly naferious,nefarious nagative,negative nagatively,negatively @@ -37697,7 +37697,7 @@ naivity,naivety nam,name namaed,named namaes,names -namd,name,named +namd,named,name nameing,naming namemespace,namespace namepace,namespace @@ -37957,8 +37957,8 @@ nd,and ndefined,undefined ndoe,node ndoes,nodes -nead,head,knead,need -neaded,headed,kneaded,needed +nead,need,head,knead +neaded,needed,kneaded,headed neader,header,kneader neaders,headers,kneaders neading,heading,kneading,needing @@ -37968,7 +37968,7 @@ neagtive,negative nealy,nearly,newly neares,nearest nearset,nearest -neast,beast,nearest +neast,nearest,beast necassery,necessary necassry,necessary necause,because @@ -37996,8 +37996,8 @@ necessarally,necessarily necessaraly,necessarily necessarilly,necessarily necessarilyn,necessarily -necessariy,necessarily,necessary -necessarly,necessarily,necessary +necessariy,necessary,necessarily +necessarly,necessary,necessarily necessarry,necessary necessaryly,necessarily necessaties,necessities @@ -38036,7 +38036,7 @@ necromanser,necromancer necromencer,necromancer necssary,necessary nectode,netcode -ned,end,need +ned,need,end nedd,need nedded,needed neded,needed @@ -38045,10 +38045,10 @@ nedium,medium nediums,mediums nedle,needle nedles,needles,needless -nedless,needles,needless +nedless,needless,needles nedlessly,endlessly neds,needs -neede,need,needed +neede,needed,need needeed,needed needels,needles needlees,needles @@ -38060,7 +38060,7 @@ neeeded,needed neeeding,needing neeedle,needle neeedles,needles,needless -neeedless,needles,needless +neeedless,needless,needles neeeds,needs neeeed,need,needed neees,knees,needs @@ -38069,7 +38069,7 @@ neesd,needs neesds,needs neested,nested neesting,nesting -neet,neat,need +neet,need,neat neether,neither nefarios,nefarious negaive,negative @@ -38341,9 +38341,9 @@ neibor,neighbor neiborhood,neighborhood neiborhoods,neighborhoods neibors,neighbors -neice,nice,niece +neice,niece,nice neigbhor,neighbor -neigbhorhood,neighborhood,neighborhoods +neigbhorhood,neighborhoods,neighborhood neigbhorhoods,neighborhoods neigbhors,neighbors neigbhour,neighbour @@ -38439,7 +38439,7 @@ neighboods,neighborhoods neighboor,neighbor,neighbour neighboordhood,neighborhood neighboordhoods,neighborhoods -neighboorhod,neighborhood,neighbourhood +neighboorhod,neighbourhood,neighborhood neighboorhods,neighborhoods neighboorhood,neighborhood neighboorhoods,neighborhoods @@ -38463,7 +38463,7 @@ neighborhods,neighborhoods neighborhooding,neighboring neighborhoof,neighborhood neighborhoofs,neighborhoods -neighborhoood,neighborhood,neighborhoods +neighborhoood,neighborhoods,neighborhood neighborhooods,neighborhoods neighborhoor,neighbor neighborhoors,neighbors @@ -38616,7 +38616,7 @@ netowrks,networks netropolitan,metropolitan netruality,neutrality netscpe,netscape -netural,natural,neutral +netural,neutral,natural neturality,neutrality neturon,neutron netwplit,netsplit @@ -38752,7 +38752,7 @@ nimphos,nymphos nimphs,nymphs nimute,minute nimutes,minutes -nin,bin,inn,min,nine +nin,inn,min,bin,nine nineth,ninth ninima,minima ninimal,minimal @@ -38762,7 +38762,7 @@ ninj,ninja ninjs,ninja,ninjas ninteenth,nineteenth ninties,nineties -ninty,minty,ninety +ninty,ninety,minty nipticking,nitpicking nirtogen,nitrogen nirvanna,nirvana @@ -38797,11 +38797,11 @@ nodel,model,nodal nodels,models nodess,nodes nodulated,modulated -noe,know,no,node,not,note,now +noe,not,no,node,know,now,note nofified,notified nofity,notify nohypen,nohyphen -noice,nice,noise,notice +noice,noise,nice,notice nojification,notification nojifications,notifications nomber,number @@ -38840,7 +38840,7 @@ nonsignificant,insignificant nonte,note nontheless,nonetheless noo,no -noral,moral,normal +noral,normal,moral noralize,normalize noralized,normalized noramal,normal @@ -38856,7 +38856,7 @@ noramals,normals noraml,normal noramlly,normally noramls,normals -nore,more,node,nor,note +nore,nor,more,node,note norhern,northern norhteast,northeast norhtern,northern @@ -39025,7 +39025,7 @@ notoriosly,notoriously notority,notoriety notoriuosly,notoriously notoroius,notorious -notse,note,notes +notse,notes,note nott,not nottaion,notation nottaions,notations @@ -39064,7 +39064,7 @@ nubmers,numbers nucelar,nuclear nucelus,nucleus nuclean,unclean -nucleous,nucleolus,nucleus +nucleous,nucleus,nucleolus nuclues,nucleus nucular,nuclear nuculear,nuclear @@ -39091,7 +39091,7 @@ numbber,number numbbered,numbered numbbering,numbering numbbers,numbers -numbe,numb,number +numbe,number,numb numberal,numeral numberals,numerals numberic,numeric @@ -39446,7 +39446,7 @@ occuracy,accuracy occurance,occurrence occurances,occurrences occurately,accurately -occurd,occur,occurred +occurd,occurred,occur occurded,occurred occure,occur,occurred occured,occurred @@ -39504,7 +39504,7 @@ ocurrred,occurred ocurrs,occurs odasee,odyssey odasees,odysseys -oder,odor,order +oder,order,odor odly,oddly ody,body oen,one @@ -39533,8 +39533,8 @@ offereings,offerings offesnively,offensively offest,offset offests,offsets -offet,offer,offset -offets,offers,offsets +offet,offset,offer +offets,offsets,offers offfence,offence offfences,offences offfense,offense @@ -39619,7 +39619,7 @@ oiginals,originals oiginating,originating oigins,origins oilgarchy,oligarchy -oints,pints,points +oints,points,pints ois,is ojbect,object oje,one @@ -39635,7 +39635,7 @@ olbiterated,obliterated oldes,oldest oligarcy,oligarchy oligrachy,oligarchy -oll,all,oil,old,ole,olly +oll,all,ole,old,olly,oil olmypic,olympic olmypics,olympics olny,only @@ -39702,9 +39702,9 @@ omre,more onatrio,ontario onbaord,onboard onborad,onboard -onces,once,ones,ounces +onces,ounces,once,ones onchage,onchange -ond,and,one +ond,one,and onece,once oneyway,oneway onfigure,configure @@ -39727,7 +39727,7 @@ onmisiences,omnisciences onoly,only onomanopea,onomatopoeia onomonopea,onomatopoeia -onot,not,note +onot,note,not onother,another onsalught,onslaught onself,oneself @@ -39757,7 +39757,7 @@ onwer,owner onwership,ownership onwing,owning onws,owns -ony,on,one,only +ony,only,on,one onyl,only oommits,commits ooutput,output @@ -39856,7 +39856,7 @@ operatations,operations operater,operator operatie,operative operatin,operating,operation -operatings,operating,operations +operatings,operations,operating operatio,operation operationable,operational operatione,operation @@ -39929,7 +39929,7 @@ opnegroup,opengroup opnssl,openssl opoen,open oponent,opponent -oportions,apportions,options +oportions,options,apportions oportunity,opportunity opose,oppose oposed,opposed @@ -40003,13 +40003,13 @@ opthamologist,ophthalmologist optiional,optional optimaal,optimal optimasation,optimisation -optimation,optimisation,optimization +optimation,optimization,optimisation optimazation,optimization optimial,optimal optimiality,optimality optimice,optimise,optimize optimiced,optimised,optimized -optimier,optimiser,optimizer +optimier,optimizer,optimiser optimim,optimism optimimum,optimum optimisim,optimism @@ -40072,8 +40072,8 @@ opton,option optonal,optional optonally,optionally optons,options -opulate,opiate,opulent,populate -opulates,opiates,populates +opulate,populate,opiate,opulent +opulates,populates,opiates opyion,option opyions,options oracels,oracles @@ -40217,7 +40217,7 @@ orgasmus,orgasms orgiginal,original orgiginally,originally orgiginals,originals -orgin,organ,origin +orgin,origin,organ orginal,original orginally,originally orginals,originals @@ -40245,7 +40245,7 @@ orginization,organization orginizations,organizations orginize,organize orginized,organized -orgins,organs,origins +orgins,origins,organs orginx,originx orginy,originy orgnaisation,organisations @@ -40272,7 +40272,7 @@ orieations,orientations orienatate,orientate orienatated,orientated orienatation,orientation -orienate,orient,orientate,ornate +orienate,orientate,orient,ornate orienation,orientation orientacion,orientation orientaion,orientation @@ -40394,7 +40394,7 @@ ostricized,ostracized ostridge,ostrich ostridges,ostriches ostrocized,ostracized -ot,not,of,or,to +ot,to,of,or,not otain,obtain otained,obtained otains,obtains @@ -40452,7 +40452,7 @@ otification,notification otifications,notifications otiginal,original otion,option -otional,notional,optional +otional,optional,notional otionally,optionally otions,options otpion,option @@ -40476,7 +40476,7 @@ ouputarea,outputarea ouputs,outputs ouputted,outputted ouputting,outputting -ourselfe,ourself,ourselves +ourselfe,ourselves,ourself ourselfes,ourselves ourselfs,ourselves ourselv,ourself,ourselves @@ -40724,18 +40724,18 @@ overriabled,overridable overriddable,overridable overriddden,overridden overridde,overridden,override -overridded,overridden,overrode +overridded,overrode,overridden overriddes,overrides overridding,overriding overrideable,overridable -overrided,overridden,overrode +overrided,overrode,overridden overriden,overridden overrident,overridden overridiing,overriding overrids,overrides -overrie,ovary,override -overries,ovaries,overrides -overrite,overrate,override,overwrite +overrie,override,ovary +overries,overrides,ovaries +overrite,overwrite,override,overrate overrriddden,overridden overrridden,overridden overrride,override @@ -40878,7 +40878,7 @@ ownder,owner ownders,wonders ownerhsip,ownership ownersip,ownership -ownes,ones,owns +ownes,owns,ones ownner,owner ownward,onward ownwer,owner @@ -40966,9 +40966,9 @@ pagentry,pageantry,plangently pagents,pageants,plangents pahntom,phantom pahses,phases -paht,part,pat,path +paht,path,pat,part pahtfinder,pathfinder -pahts,parts,paths,pats +pahts,paths,pats,parts paide,paid paied,paid,paired painfullly,painfully @@ -41018,11 +41018,11 @@ paladinlst,paladins paladinos,paladins palastinians,palestinians palatte,palette -palce,palace,place +palce,place,palace palcebo,placebo palceholder,placeholder palcements,placements -palces,pales,places +palces,places,pales paleolitic,paleolithic palesitnian,palestinians palesitnians,palestinians @@ -41048,7 +41048,7 @@ palistinians,palestinians pallete,palette pallette,palette palletted,paletted -paln,pain,palm,plan +paln,plan,pain,palm palster,plaster palstics,plastics paltette,palette @@ -41180,7 +41180,7 @@ parameterical,parametrical parameterr,parameter parameterts,parameters parametes,parameters -parametic,paramedic,parametric +parametic,parametric,paramedic parametics,paramedics parametised,parametrised parametr,parameter @@ -41204,7 +41204,7 @@ paramterise,parameterise paramterised,parameterised paramterises,parameterises paramterising,parameterising -paramterization,parameterization,parametrization +paramterization,parametrization,parameterization paramterize,parameterize paramterized,parameterized paramterizes,parameterizes @@ -41288,9 +41288,9 @@ parentheesis,parenthesis parenthese,parentheses parenthesed,parenthesized parenthesees,parentheses -parenthesies,parentheses,parenthesis +parenthesies,parenthesis,parentheses parenthesys,parentheses -parenthises,parentheses,parenthesis +parenthises,parenthesis,parentheses parenthisis,parenthesis parenthsis,parenthesis paret,parent,parrot @@ -41344,7 +41344,7 @@ parliementary,parliamentary parliment,parliament parlimentary,parliamentary parliments,parliaments -parm,param,parma,pram +parm,param,pram,parma parmaeter,parameter parmaeters,parameters parmameter,parameter @@ -41419,7 +41419,7 @@ partialy,partially partians,partisan partiarchal,patriarchal partiarchy,patriarchy -partical,partial,particle,particular +partical,particular,partial,particle particalar,particular particalarly,particularly particale,particle @@ -41532,7 +41532,7 @@ partnetship,partnership partols,patrols partonizing,patronizing partsian,partisan -pary,parry,party +pary,party,parry pascheurisation,pasteurisation pascheurise,pasteurise pascheurised,pasteurised @@ -41553,8 +41553,8 @@ paschurize,pasteurize paschurized,pasteurized paschurizes,pasteurizes paschurizing,pasteurizing -pase,pace,parse,pass -pased,parsed,passed +pase,pass,pace,parse +pased,passed,parsed pasengers,passengers paser,parser pasesd,passed @@ -41705,14 +41705,14 @@ patronis,patrons patronos,patrons patronozing,patronizing patryarchy,patriarchy -patten,patent,pattern +patten,pattern,patent pattened,patented,patterned -pattens,patents,patterns +pattens,patterns,patents pattented,patented patterno,patterson -pattersn,patterns,patterson -pattren,patron,pattern -pattrens,patrons,patterns +pattersn,patterson,patterns +pattren,pattern,patron +pattrens,patterns,patrons pattrns,patterns pavillion,pavilion pavillions,pavilions @@ -41752,7 +41752,7 @@ pebbleos,pebbles pebblers,pebbles pebblets,pebbles pecentage,percentage -pecified,pacified,specified +pecified,specified,pacified peciluar,peculiar pecuilar,peculiar peculair,peculiar @@ -41906,7 +41906,7 @@ peopels,peoples peopl,people peotry,poetry pepare,prepare -peported,purported,reported +peported,reported,purported pepperin,pepperoni pepperino,pepperoni pepperment,peppermint @@ -41922,7 +41922,7 @@ percantile,percentile percaution,precaution percautions,precautions perceded,preceded -percenatge,percentage,percentages +percenatge,percentages,percentage percenatges,percentages percentagens,percentages percentange,percentage @@ -41970,7 +41970,7 @@ peremiter,perimeter perenially,perennially perephirals,peripherals pereptually,perpetually -peresent,percent,presence,present,presents +peresent,present,presents,presence,percent peretrator,perpetrator perfec,perfect perfeccion,perfection @@ -42066,7 +42066,7 @@ perfomnaces,performances perfomr,perform perfomramce,performance perfomramces,performances -perfomrance,performance,performances +perfomrance,performances,performance perfomranse,performance perfomranses,performances perfomrant,performant @@ -42079,12 +42079,12 @@ perfomrnace,performance perfomrnaces,performances perfomrs,performs perfoms,performs -perfoom,perform,perfume +perfoom,perfume,perform perfor,perform perforam,perform perforamed,performed perforaming,performing -perforamnce,performance,performances +perforamnce,performances,performance perforamnces,performances perforams,performs perford,performed @@ -42097,7 +42097,7 @@ performamce,performance performancepcs,performances performancetest,performances performancewise,performances -performane,performance,performances +performane,performances,performance performanes,performances performans,performances performanse,performances @@ -42108,7 +42108,7 @@ performence,performance performences,performances performens,performers performes,performed,performs -performnace,performance,performances +performnace,performances,performance performous,performs perfors,performs perfro,perform @@ -42217,7 +42217,7 @@ permise,premise permises,premises permision,permission permisions,permission,permissions -permisison,permission,permissions +permisison,permissions,permission permisisons,permissions permissble,permissible permissiable,permissible @@ -42227,7 +42227,7 @@ permissin,permissions permissiosn,permissions permisson,permission permissons,permissions -permisssion,permission,permissions +permisssion,permissions,permission permisssions,permissions permitas,permits permited,permitted @@ -42349,7 +42349,7 @@ persciuosly,preciously perscius,precious persciusly,preciously perscribe,prescribe -persective,perspective,respective +persective,respective,perspective persectives,perspectives persectued,persecuted persectuion,persecution @@ -42422,7 +42422,7 @@ personallity,personally personaly,personally personarse,personas personatus,personas -personel,personal,personnel +personel,personnel,personal personell,personnel persones,persons personhod,personhood @@ -42809,7 +42809,7 @@ piar,pair,pier,pliers piars,pairs,piers,pliers piblisher,publisher pice,piece -pich,pick,pinch,pitch +pich,pitch,pick,pinch piched,picked,pinched,pitched piches,pinches,pitches piching,picking,pinching,pitching @@ -42925,13 +42925,13 @@ pitchworks,pitchforks pitckforks,pitchforks pithcers,pitchers pithces,pitches -pitmap,bitmap,pixmap +pitmap,pixmap,bitmap pittaburgh,pittsburgh pittsbrugh,pittsburgh pitty,pity pivott,pivot pivotting,pivoting -pixelx,pixel,pixels +pixelx,pixels,pixel pixes,pixels pkaythroughs,playthroughs plabeswalker,planeswalker @@ -42948,11 +42948,11 @@ placeholers,placeholders placehoulder,placeholder placehoulders,placeholders placematt,placemat,placement -placemenet,placement,placements +placemenet,placements,placement placemenets,placements placemens,placements -placemet,placemat,placement,placements -placemets,placemats,placements +placemet,placements,placement,placemat +placemets,placements,placemats placholder,placeholder placholders,placeholders placmenet,placement @@ -42999,12 +42999,12 @@ plantext,plaintext plantiff,plaintiff plantium,platinum plarform,platform -plase,phase,place,plaice,please -plased,phased,placed,pleased +plase,place,please,phase,plaice +plased,placed,pleased,phased plasement,placement plasements,placements -plases,phases,places,pleases -plasing,phasing,placing,pleasing +plases,places,pleases,phases +plasing,placing,pleasing,phasing plasitcs,plastics plasticas,plastics plasticos,plastics @@ -43110,7 +43110,7 @@ plcaement,placement plcaements,placements plcaes,places pleaase,please -pleace,place,please +pleace,please,place pleacing,placing pleae,please pleaee,please @@ -43118,7 +43118,7 @@ pleaes,please pleasd,pleased pleasent,pleasant pleasently,pleasantly -pleass,bless,pleases +pleass,pleases,bless plebicite,plebiscite plecing,placing plehtora,plethora @@ -43128,7 +43128,7 @@ plesae,please plesant,pleasant plese,please plesently,pleasantly -plesing,blessing,pleasing +plesing,pleasing,blessing plethoria,plethora plethorian,plethora plethroa,plethora @@ -43159,9 +43159,9 @@ plyotropy,pleiotropy pnatheon,pantheon pobular,popular pobularity,popularity -pocess,possess,process -pocessed,possessed,processed -pocession,possession,procession +pocess,process,possess +pocessed,processed,possessed +pocession,procession,possession podemso,podemos podfie,podfile podmeos,podemos @@ -43173,7 +43173,7 @@ poentials,potentials poeoples,peoples poeple,people poeples,peoples -poer,poor,pour,power +poer,power,poor,pour poerful,powerful poers,powers poety,poetry @@ -43260,7 +43260,7 @@ polgyamy,polygamy polgyon,polygon polical,political polically,politically -policie,police,policies,policy +policie,policies,policy,police policitally,politically policitian,politician policitians,politicians @@ -43365,12 +43365,12 @@ poointed,pointed poointer,pointer pooints,points poost,post -poped,pooped,popped +poped,popped,pooped poperee,potpourri poperly,properly,property poperties,properties -poperty,properly,property -poping,pooping,popping +poperty,property,properly +poping,popping,pooping popluar,popular popluations,populations popoen,popen @@ -43485,7 +43485,7 @@ portioon,portion portoflio,portfolio portoguese,portuguese portraiing,portraying -portrail,portrait,portrayal +portrail,portrayal,portrait portraing,portraying portrais,portraits portrary,portray @@ -43537,7 +43537,7 @@ posifions,positions posiitive,positive posiitives,positives posiitivity,positivity -posion,poison,position,psion +posion,poison,psion,position posioned,poisoned,positioned posioning,poisoning,positioning posions,poisons,positions,psions @@ -43547,7 +43547,7 @@ posistion,position positevely,positively positioing,positioning positiond,positioned -positiong,position,positioning +positiong,positioning,position positionial,positional positionl,positional positionly,positional @@ -43573,7 +43573,7 @@ positiviy,positivity positivley,positively positivly,positively positivs,positives -positivy,positive,positively,positivity +positivy,positivity,positive,positively positoin,position positoined,positioned positoins,positions @@ -43868,7 +43868,7 @@ precendent,precedent precendes,precedences precending,preceding precends,precedence -precenence,precedence,preference +precenence,preference,precedence precenences,preferences precense,presence precent,percent,prescient @@ -43893,7 +43893,7 @@ precisley,precisely precisly,precisely precison,precision precisou,precious -precission,percussion,precession,precision +precission,precision,percussion,precession precize,precise precomuted,precomputed preconceieved,preconceived @@ -43912,7 +43912,7 @@ preconveived,preconceived precrastination,procrastination precsion,precision precsions,precisions -precuation,precaution,precautions +precuation,precautions,precaution precuations,precautions preculde,preclude preculded,precluded @@ -43955,7 +43955,7 @@ predetermind,predetermined predeterminded,predetermined predetirmined,predetermined predfined,predefined -predicat,predicate,predict +predicat,predict,predicate predicatble,predictable prediccion,prediction predicement,predicament @@ -44027,7 +44027,7 @@ preferecnes,preferences prefered,preferred preferencfe,preference preferencfes,preferences -preferend,preference,preferred +preferend,preferred,preference preferens,preferences preferenser,preferences preferentail,preferential @@ -44376,7 +44376,7 @@ prespective,perspective prespectives,perspectives presrciption,prescriptions presreved,preserved -presse,press,pressed +presse,pressed,press pressent,present pressentation,presentation pressented,presented @@ -44454,7 +44454,7 @@ preveiw,preview preveiwed,previewed preveiwer,previewer preveiwers,previewers -preveiwes,previewers,previews +preveiwes,previews,previewers preveiws,previews prevelance,prevalence prevelant,prevalent @@ -44462,7 +44462,7 @@ preven,prevent prevencion,prevention prevend,prevent preventation,presentation -prevente,prevent,prevented +prevente,prevented,prevent preventetive,preventative preventin,prevention preventitive,preventative @@ -44512,7 +44512,7 @@ prexixed,prefixed prezidential,presidential prfer,prefer prferable,preferable -prferables,preferable,preferables +prferables,preferables,preferable prference,preference prferred,preferred prgram,program @@ -44577,7 +44577,7 @@ principly,principally princliple,principle prind,print prinf,print,printf,sprintf -pring,bring,ping,print,spring +pring,print,bring,ping,spring pringing,printing,springing prinicipal,principal prinicpals,principals @@ -44728,12 +44728,12 @@ probelmatic,problematic probelms,problems probem,problem proberly,properly -proberty,properly,property +proberty,property,properly problably,probably problaem,problem problaems,problems problamatic,problematic -proble,probably,probe,problem +proble,probe,probably,problem probleem,problem problemas,problems problematisch,problematic @@ -44771,13 +44771,13 @@ procecure,procedure procecures,procedures procedding,proceeding proceddings,proceedings -procede,precede,proceed -proceded,preceded,proceeded +procede,proceed,precede +proceded,proceeded,preceded proceder,procedure procederal,procedural -procedes,precedes,proceeds +procedes,proceeds,precedes procedger,procedure -proceding,preceding,proceeding +proceding,proceeding,preceding procedings,proceedings procedre,procedure procedres,procedures @@ -44826,11 +44826,11 @@ processore,processor processores,processors processos,processors processpr,processor -processs,process,processes +processs,processes,process processsed,processed processses,processes processsing,processing -processsor,processor,processors +processsor,processors,processor processsors,processors procesure,procedure procesures,procedures @@ -44899,9 +44899,9 @@ prodiction,production prodictions,productions prodominantly,predominantly producable,producible -producables,producible,producibles +producables,producibles,producible produccion,production -produceds,produced,produces +produceds,produces,produced produceras,produces producerats,producers produceres,produces @@ -44911,7 +44911,7 @@ producitons,productions producted,produced productie,productive productin,productions -producting,producing,production +producting,production,producing productino,productions productioin,productions productiviy,productivity @@ -44929,7 +44929,7 @@ produktion,production produktions,productions produktive,productive produly,proudly -produse,produce,produces +produse,produces,produce prodused,produced produses,produces produtcion,productions @@ -44945,9 +44945,9 @@ proeprly,properly proeprties,properties proeprty,property proerties,properties -proerty,poetry,property +proerty,property,poetry proessing,processing -profesion,profession,profusion +profesion,profusion,profession profesional,professional profesionally,professionally profesionals,professionals @@ -45116,7 +45116,7 @@ programmare,programmer programmars,programmers programmate,programme programmaticaly,programmatically -programmd,programme,programmed +programmd,programmed,programme programmend,programmed programmetically,programmatically programmets,programmers @@ -45163,7 +45163,7 @@ progresso,progression progressoin,progressions progresson,progression progressos,progresses -progresss,progress,progresses +progresss,progresses,progress progresssing,progressing progresssion,progressions progresssive,progressives @@ -45274,7 +45274,7 @@ prominance,prominence prominant,prominent prominantely,prominently prominantly,prominently -prominately,predominately,prominently +prominately,prominently,predominately prominenty,prominently prominetly,prominently promis,promise @@ -45285,7 +45285,7 @@ promisculous,promiscuous promiscuos,promiscuous promiscus,promiscuous promiss,promise -promisse,promise,promised,promises +promisse,promise,promises,promised promissed,promised promisses,promises promissing,promising @@ -45308,7 +45308,7 @@ promptus,prompts prompty,promptly promsicuous,promiscuous promt,prompt -promted,promoted,prompted +promted,prompted,promoted promter,promoter,prompter promters,promoters,prompters promting,promoting,prompting @@ -45417,7 +45417,7 @@ properity,property,proprietary properlty,properly,property properries,properties properrt,property -properry,properly,property +properry,property,properly properrys,properties propersity,propensity propert,property @@ -45425,7 +45425,7 @@ properteis,properties propertery,property propertes,properties propertiary,proprietary -propertie,properties,property +propertie,property,properties propertiees,properties propertiies,properties propertion,proportion @@ -45433,13 +45433,13 @@ propertional,proportional propertions,proportions propertise,properties propertius,properties -propertly,properly,property +propertly,property,properly propertu,property propertus,properties propertyn,property propertys,properties propertyst,properties -propery,properly,property +propery,property,properly propesterous,preposterous propeties,properties propetry,property @@ -45511,9 +45511,9 @@ proposte,propose proposterous,preposterous propostion,proposition propostions,proportions -propotion,promotion,proportion -propotional,promotional,proportional -propotions,promotions,proportions +propotion,proportion,promotion +propotional,proportional,promotional +propotions,proportions,promotions proppely,properly propper,proper propperly,properly @@ -45594,7 +45594,7 @@ prospertiy,prosperity prospettive,prospective prosphetic,prosthetic prosporous,prosperous -prosseses,possesses,processes +prosseses,processes,possesses prostehtic,prosthetic prosterity,prosperity prostethic,prosthetic @@ -45653,14 +45653,14 @@ proteccion,protection protecion,protection proteciton,protections protecs,protects -protecte,protect,protected,protective +protecte,protective,protected,protect protectes,protects protectice,protective protectie,protective protectiei,protective protectings,protections protectiv,protective -protectoin,protection,protections +protectoin,protections,protection protectons,protectors protectoras,protectors protectores,protectors @@ -45751,7 +45751,7 @@ provded,provided provder,provider provdes,provides provdided,provided -provdidet,provided,provident,provider +provdidet,provided,provider,provident provdie,provide provdied,provided provdies,provides @@ -45768,7 +45768,7 @@ provicded,provided provicdes,provides provice,provide,province provicial,provincial -provid,prove,proved,proves,provide +provid,provide,prove,proved,proves providance,providence providee,providence providencie,providence @@ -45778,13 +45778,13 @@ providfers,providers providince,providence providor,provider,providore providors,providers,providores -provids,proves,provides -providse,provide,provides -provie,prove,provide -provied,proved,provide,provided +provids,provides,proves +providse,provides,provide +provie,provide,prove +provied,provide,provided,proved provieded,provided proviedes,provides -provies,proves,provides +provies,provides,proves provinciaal,provincial provinciae,province provincie,province @@ -45852,9 +45852,9 @@ prusuit,pursuit prviate,private pryamid,pyramid pryamids,pyramids -psace,pace,space +psace,space,pace psaced,paced,spaced -psaces,paces,spaces +psaces,spaces,paces psacing,pacing,spacing psaswd,passwd pscyhed,psyched @@ -45994,7 +45994,7 @@ pubished,published pubisher,publisher pubishers,publishers pubishing,publishing -publc,pubic,public +publc,public,pubic publcation,publication publcise,publicise publcize,publicize @@ -46002,7 +46002,7 @@ publiaher,publisher publically,publicly publicaly,publicly publicani,publication -publich,public,publish +publich,publish,public publiched,published publicher,publisher publichers,publishers @@ -46059,7 +46059,7 @@ pucini,puccini puhsups,pushups puinsher,punisher pulisher,publisher -puls,plus,pulse +puls,pulse,plus pumkin,pumpkin pumkpins,pumpkins pumpinks,pumpkins @@ -46211,7 +46211,7 @@ qoute,quote qouted,quoted qoutes,quotes qouting,quoting -qtuie,quiet,quite +qtuie,quite,quiet quadddec,quaddec quadranle,quadrangle quadraped,quadruped @@ -46294,7 +46294,7 @@ quartlery,quarterly quaruntine,quarantine quatation,quotation quater,quarter -quating,equating,quoting,squatting +quating,quoting,squatting,equating quation,equation quations,equations qucikest,quickest @@ -46388,7 +46388,7 @@ quried,queried quroum,quorum qust,quest qusts,quests -qutie,quiet,quite +qutie,quite,quiet quuery,query quwesant,croissant quwesants,croissants @@ -46415,7 +46415,7 @@ ractise,practise radaince,radiance radaint,radiant radation,radiation -rade,raid,read +rade,read,raid rademption,redemption rademptions,redemptions rademtion,redemption @@ -46454,7 +46454,7 @@ railrod,railroad rainbos,rainbows rainbowers,rainbows raisedd,raised -raison,raisin,reason +raison,reason,raisin ralation,relation ramificaitons,ramifications randayvoo,rendezvous @@ -46556,7 +46556,7 @@ reacahble,reachable reaccurring,recurring reaceive,receive reacheable,reachable -reacher,reader,richer +reacher,richer,reader reachers,readers reachs,reaches reacing,reaching @@ -46591,7 +46591,7 @@ readyness,readiness reaeched,reached reagrding,regarding reagrds,regards -reaise,raise,realise +reaise,realise,raise reaktivate,reactivate reaktivated,reactivated realease,release @@ -46643,10 +46643,10 @@ realsitic,realistic realtable,relatable realted,related realtes,relates -realtion,reaction,relation -realtions,reactions,relations +realtion,relation,reaction +realtions,relations,reactions realtionships,relationships -realtive,reactive,relative +realtive,relative,reactive realtively,relatively realtives,relatives realtivity,relativity @@ -46749,7 +46749,7 @@ reasssign,reassign reassureing,reassuring reassurring,reassuring reast,rest -reasy,easy,ready +reasy,ready,easy reate,create,relate reates,creates reather,feather,rather @@ -46759,8 +46759,8 @@ reattache,reattach,reattached reattachement,reattachment reaveled,revealed reaveling,revealing -reay,ray,ready,really -reayd,read,ready +reay,ready,really,ray +reayd,ready,read rebellios,rebellious rebellis,rebellious rebiulding,rebuilding @@ -46778,7 +46778,7 @@ rebuildling,rebuilding rebuildt,rebuilt rebuillt,rebuilt rebuils,rebuilds -rebuilts,rebuild,rebuilds,rebuilt +rebuilts,rebuilds,rebuilt,rebuild rebuit,rebuilt rebuld,rebuild rebulding,rebuilding @@ -46890,7 +46890,7 @@ recepcionist,receptionist recepient,recipient recepients,recipients recepion,reception -recepit,receipt,recipe +recepit,recipe,receipt recepits,receipts receptical,receptacle recepticals,receptacles @@ -46975,7 +46975,7 @@ reclami,reclaim recliam,reclaim reclutant,reluctant reclutantly,reluctantly -recnt,recant,recent,rent +recnt,recent,recant,rent recntly,recently recocnisable,recognisable,reconcilable recocnised,recognised @@ -47159,7 +47159,7 @@ recordss,records recored,recorded recoriding,recording recorre,recorder -recource,recourse,resource +recource,resource,recourse recourced,resourced recources,resources recourcing,resourcing @@ -47211,7 +47211,7 @@ rectangel,rectangle rectanges,rectangles rectanglar,rectangular rectangluar,rectangular -rectangual,rectangle,rectangular +rectangual,rectangular,rectangle rectangualr,rectangular rectanguar,rectangular rectangulaire,rectangular @@ -47248,9 +47248,9 @@ recursses,recurses recurssing,recursing recurssion,recursion recurssive,recursive -recusion,reclusion,recursion -recusive,reclusive,recursive -recusively,reclusively,recursively +recusion,recursion,reclusion +recusive,recursive,reclusive +recusively,recursively,reclusively recusrion,recursion recusrive,recursive recusrively,recursively @@ -47265,7 +47265,7 @@ recyling,recycling redability,readability redable,readable redandant,redundant -redction,redaction,reduction +redction,reduction,redaction redeable,readable redeclaation,redeclaration redeemd,redeemed @@ -47454,7 +47454,7 @@ referenes,references referening,referencing referennces,references referens,references -referense,reference,references +referense,references,reference referensed,referenced referenses,referees,references referentes,references @@ -47464,7 +47464,7 @@ refererd,referred referere,referee refererence,reference referers,referrer,referrers -referes,referees,refers +referes,refers,referees referiang,referring referig,referring referign,referring @@ -47503,7 +47503,7 @@ refeshes,refreshes refeshing,refreshing reffered,referred refference,reference -refferes,referees,refers +refferes,refers,referees reffering,referring refferr,refer reffers,refers @@ -47750,7 +47750,7 @@ regularlizes,regularizes regularlizing,regularizing regularlly,regularly regularlos,regulars -regulary,regular,regularly +regulary,regularly,regular regulas,regulars regulaters,regulators regulatin,regulations @@ -47931,7 +47931,7 @@ relatdness,relatedness relateds,relates relatiate,retaliate relatiation,retaliation -relatib,relatable,relative +relatib,relative,relatable relatibe,relative relatibely,relatively relatie,relative @@ -47978,7 +47978,7 @@ releafing,relieving releafs,relieves releagtion,relegation releaing,releasing -releant,relent,relevant +releant,relevant,relent releas,release releasead,released releasse,release @@ -48051,7 +48051,7 @@ reliablely,reliably reliabley,reliably reliablity,reliability reliased,realised -relie,really,relief,relies,rely +relie,rely,relies,really,relief reliefed,relieved reliefes,relieves reliefing,relieving @@ -48108,12 +48108,12 @@ reluctently,reluctantly relyable,reliable relyably,reliably relyed,relied -relyes,realise,realize,relies +relyes,relies,realize,realise relys,relies remaind,remained,remind remainds,remains remainer,remainder -remaines,remained,remains +remaines,remains,remained remaing,remaining remainging,remaining remainig,remaining @@ -48278,7 +48278,7 @@ rendererd,rendered renderered,rendered rendererers,renderers renderering,rendering -renderes,renderers,renders +renderes,renders,renderers renderning,rendering renderr,render renderring,rendering @@ -48539,7 +48539,7 @@ renyolds,reynolds reoadmap,roadmap reoccurrence,recurrence reocmpression,recompression -reocurring,recurring,reoccurring +reocurring,reoccurring,recurring reoder,reorder reomvable,removable reomve,remove @@ -48563,7 +48563,7 @@ reosurces,resources reosurcing,resourcing reounded,rounded reource,resource -reouted,rerouted,routed +reouted,routed,rerouted reoutes,routes reove,remove reowrked,reworked @@ -48596,7 +48596,7 @@ reparamterized,reparameterized reparamterizes,reparameterizes reparamterizing,reparameterizing reparied,repaired -repatition,repartition,repetition +repatition,repetition,repartition repatwar,repertoire repatwars,repertoires repblic,republic @@ -48686,9 +48686,9 @@ repitition,repetition repititions,repetitions repitle,reptile repitles,reptiles -replaca,replace,replica +replaca,replica,replace replacability,replaceability -replacable,replaceable,replicable +replacable,replicable,replaceable replacables,replaceables replacacing,replacing replacaiblity,replaceability,replicability @@ -48696,7 +48696,7 @@ replacalbe,replaceable replacalbes,replaceables replacament,replacement replacaments,replacements -replacas,replaces,replicas +replacas,replicas,replaces replacate,replicate replacated,replicated replacates,replicates @@ -48722,12 +48722,12 @@ replacted,replaced,replicated replactes,replaces,replicates replacting,replacing,replicating replaint,repaint -replase,relapse,rephase,replace,replaces -replased,relapsed,rephased,replaced +replase,replaces,replace,relapse,rephase +replased,relapsed,replaced,rephased replasement,replacement replasements,replacements -replases,relapses,rephases,replaces -replasing,relapsing,rephasing,replacing +replases,replaces,relapses,rephases +replasing,replacing,relapsing,rephasing replayd,replayed replayes,replays replcace,replace @@ -48740,7 +48740,7 @@ replentished,replenished replentishes,replenishes replentishing,replenishing replentishs,replenishes -replicae,replicate,replicated +replicae,replicated,replicate replicaes,replicates replicaiing,replicating replicaion,replication @@ -48807,13 +48807,13 @@ repostiory,repository repostories,repositories repostory,repository repostus,reposts -repote,remote,report +repote,report,remote repport,report reppository,repository repraesentation,representation repraesentational,representational repraesentations,representations -reprecussion,repercussion,repercussions +reprecussion,repercussions,repercussion reprecussions,repercussions repreesnt,represent repreesnted,represented @@ -48841,14 +48841,14 @@ represenatations,representations represenation,representation represenational,representational represenations,representations -represend,represent,represented +represend,represented,represent represensible,reprehensible representacion,representation representaciones,representations representaion,representation representaional,representational representaions,representations -representaiton,representation,representations +representaiton,representations,representation representas,represents representate,representative representated,represented @@ -48862,13 +48862,13 @@ representationer,representations representativas,representatives representativo,representation representd,represented -represente,represented,represents +represente,represents,represented representerad,represented -representes,represented,represents +representes,represents,represented representetive,representative representetives,representatives representiative,representative -represention,representation,representing +represention,representing,representation representions,representations representitive,representative representitives,representatives @@ -48878,7 +48878,7 @@ representives,representatives representn,representing representstion,representations representstive,representatives -represet,represent,represents +represet,represents,represent represetation,representation represeted,represented represeting,representing @@ -48887,7 +48887,7 @@ represetning,representing represets,represents represnet,represent represnetated,represented -represnetation,representation,representations +represnetation,representations,representation represnetations,representations represneted,represented represneting,representing @@ -48898,7 +48898,7 @@ represntative,representative represnted,represented represnting,representing represnts,represents -repressent,represent,represents +repressent,represents,represent repressentation,representation repressenting,representing repressents,represents @@ -48912,10 +48912,10 @@ repricussions,repercussions reprihensible,reprehensible reprociblbe,reproducible reprocible,reproducible -reprocuce,reprocure,reproduce -reprocuced,reprocured,reproduced -reprocuces,reprocures,reproduces -reprocucing,reprocuring,reproducing +reprocuce,reproduce,reprocure +reprocuced,reproduced,reprocured +reprocuces,reproduces,reprocures +reprocucing,reproducing,reprocuring reprodice,reproduce reprodiced,reproduced reprodicibility,reproducibility @@ -49044,10 +49044,10 @@ requeset,request,requisite requesr,request requesst,request requestd,requested -requestes,requested,requests +requestes,requests,requested requestesd,requested requestested,requested -requestests,requested,requests +requestests,requests,requested requestied,requested requestor,requester requestors,requesters @@ -49124,7 +49124,7 @@ rertieves,retrieves reruirement,requirement reruirements,requirements reruning,rerunning -rerurn,rerun,return +rerurn,return,rerun rerwite,rewrite resapwn,respawn resarch,research @@ -49179,7 +49179,7 @@ reserv,reserve reserverad,reserved reserverd,reserved reservered,reserved -resest,recessed,reset +resest,reset,recessed resestatus,resetstatus resetable,resettable reseted,reset @@ -49254,12 +49254,12 @@ resoiurced,resourced resoiurces,resources resoiurcing,resourcing resoltion,resolution -resoltuion,resolution,resolutions +resoltuion,resolutions,resolution resoltuions,resolutions resolucion,resolution resoluitons,resolutions -resolutin,resolution,resolutions -resolutino,resolution,resolutions +resolutin,resolutions,resolution +resolutino,resolutions,resolution resolutinos,resolutions resolutins,resolutions resolutionary,revolutionary @@ -49301,7 +49301,7 @@ resotration,restoration resotrations,restorations resotrative,restorative resotre,restore -resotred,resorted,restored +resotred,restored,resorted resotrer,restorer resotrers,restorers resotres,restores @@ -49312,18 +49312,18 @@ resouces,resources resoucing,resourcing resoultion,resolution resoultions,resolutions -resourcd,resource,resourced -resourcde,resource,resourced +resourcd,resourced,resource +resourcde,resourced,resource resourcees,resources resourceype,resourcetype -resourcs,resource,resources -resourcse,resource,resources -resourcsed,resource,resourced +resourcs,resources,resource +resourcse,resources,resource +resourcsed,resourced,resource resoure,resource resourecs,resources resoured,resourced resoures,resources -resourse,recourse,resource,resources +resourse,resources,recourse,resource resourses,resources resoution,resolution resoves,resolves @@ -49370,7 +49370,7 @@ respitatory,respiratory respnse,response respnses,responses respoduce,reproduce -responc,respond,response +responc,response,respond responce,response responces,response,responses responcibilities,responsibilities @@ -49379,12 +49379,12 @@ responcible,responsible responcibly,responsibly responcive,responsive respondas,responds -responde,respond,responded,responder,responds,response +responde,respond,response,responds,responded,responder respondendo,responded respondible,responsible respondis,responds respondus,responds -respone,respond,response +respone,response,respond responed,respond respones,response,responses responibilities,responsibilities @@ -49395,7 +49395,7 @@ responisble,responsible responisbly,responsibly responisve,responsive responnsibilty,responsibility -respons,respond,response +respons,response,respond responsabile,responsible responsabilities,responsibilities responsability,responsibility @@ -49411,7 +49411,7 @@ responsed,responded,responses responser,responder responsers,responders responsess,responses -responsibe,responsible,responsive +responsibe,responsive,responsible responsibel,responsibly responsibil,responsibly responsibile,responsible @@ -49555,7 +49555,7 @@ restrainig,restraining restrainted,restrained restrainting,restraining restrait,restraint -restraunt,restaurant,restraint +restraunt,restraint,restaurant restraunts,restaurants,restraints restrcited,restricted restrcitions,restriction @@ -49613,8 +49613,8 @@ resubstituion,resubstitution resuced,rescued resuces,rescues resuction,reduction -resue,rescue,reuse -resued,rescued,resumed,reused +resue,reuse,rescue +resued,reused,rescued,resumed resuilt,result resuilted,resulted resuilting,resulting @@ -49649,7 +49649,7 @@ resurse,recurse,resource resursive,recursive,resourceful resursively,recursively resuse,reuse -resused,refused,resumed,reused +resused,reused,refused,resumed resut,result resuts,results resycn,resync @@ -49675,7 +49675,7 @@ retcieve,receive,retrieve retcieved,received,retrieved retciever,receiver,retriever retcievers,receivers,retrievers -retcieves,receives,retrieves +retcieves,retrieves,receives reteriver,retriever retet,reset,retest retetting,resetting,retesting @@ -49756,7 +49756,7 @@ retrieces,retrieves retriev,retrieve retrieveds,retrieved retrivable,retrievable -retrival,retrial,retrieval +retrival,retrieval,retrial retrive,retrieve retrived,retrieved retrives,retrieves @@ -49784,7 +49784,7 @@ retrvieves,retrieves retsart,restart retsarts,restarts retun,return -retunr,retune,return +retunr,return,retune retunred,returned retunrned,returned retunrs,returns @@ -49869,7 +49869,7 @@ reveiw,review reveiwed,reviewed reveiwer,reviewer reveiwers,reviewers -reveiwes,reviewers,reviews +reveiwes,reviews,reviewers reveiwing,reviewing reveiws,reviews revelaed,revealed @@ -49886,8 +49886,8 @@ revelution,revelation,revolution revelutionary,revolutionary revelutions,revolutions reveokes,revokes -rever,fever,refer,revert -reveral,referral,reversal +rever,revert,refer,fever +reveral,reversal,referral reverals,reversal reverce,reverse reverced,reversed @@ -49933,11 +49933,11 @@ revoltuions,revolutions revoluion,revolution revoluionary,revolutionary revoluions,revolutions -revoluiton,revolution,revolutions +revoluiton,revolutions,revolution revoluitonary,revolutionary revoluitons,revolutions revolulionary,revolutionary -revolutin,revolution,revolutions +revolutin,revolutions,revolution revolutinary,revolutionary revolutins,revolutions revolutionaary,revolutionary @@ -49989,10 +49989,10 @@ rewitable,rewritable rewite,rewrite rewitten,rewritten reworkd,reworked -rewriable,reliable,rewritable +rewriable,rewritable,reliable rewriet,rewrite rewriite,rewrite -rewrited,rewritten,rewrote +rewrited,rewrote,rewritten rewriten,rewritten rewritte,rewrite rewritting,rewriting @@ -50054,7 +50054,7 @@ rienforcement,reinforcements rienforcements,reinforcements rige,rice,ride,ridge,rigs riges,rides,ridges -rigeur,rigour,rigueur +rigeur,rigueur,rigour righ,right righetous,righteous righetousness,righteousness @@ -50159,7 +50159,7 @@ rocorder,recorder rocording,recording rocordings,recordings rocords,records -roduce,produce,reduce +roduce,reduce,produce roduceer,producer roelplay,roleplay roestta,rosetta @@ -50227,11 +50227,11 @@ rotaitons,rotations rotat,rotate rotataion,rotation rotataions,rotations -rotatd,rotate,rotated +rotatd,rotated,rotate rotateable,rotatable -rotatio,ratio,rotation -rotatios,ratios,rotations -rotats,rotate,rotates +rotatio,rotation,ratio +rotatios,rotations,ratios +rotats,rotates,rotate rotuers,routers rouding,rounding roughtly,roughly @@ -50255,7 +50255,7 @@ rountriping,roundtripping rountripped,roundtripped rountripping,roundtripping routeros,routers -routet,route,routed,router +routet,routed,route,router routiens,routines routin,routine,routing routins,routines @@ -50267,14 +50267,14 @@ roviding,providing royalites,royalties roylaties,royalties rplace,replace -rqeuest,quest,request +rqeuest,request,quest rqeuested,requested rqeuesting,requesting -rqeuests,quests,requests -rquest,quest,request +rqeuests,requests,quests +rquest,request,quest rquested,requested rquesting,requesting -rquests,quests,requests +rquests,requests,quests rquire,require rquired,required rquirement,requirement @@ -50312,10 +50312,10 @@ rulle,rule rumatic,rheumatic rumorus,rumors rumuors,rumors -runing,ruining,running +runing,running,ruining runn,run -runned,ran,ruined,run -runnging,rummaging,running +runned,ran,run,ruined +runnging,running,rummaging runnig,running runnign,running runnigng,running @@ -50327,7 +50327,7 @@ runnning,running runns,runs runnung,running runtimr,runtime -runtine,routine,runtime +runtine,runtime,routine runting,runtime rurrent,current ruslted,rustled @@ -50528,7 +50528,7 @@ sart,star,start sarted,started sarter,starter sarters,starters -sarting,sorting,starting +sarting,starting,sorting sarts,stars,starts sasauges,sausages sascatchewan,saskatchewan @@ -50547,7 +50547,7 @@ sastifying,satisfying sastisfies,satisfies sasuage,sausage sasuages,sausages -sasy,sassy,says +sasy,says,sassy satandard,standard satandards,standards satasfaction,satisfaction @@ -50572,7 +50572,7 @@ satisfaccion,satisfaction satisfacion,satisfaction satisfacory,satisfactory satisfacting,satisfaction -satisfactorally,satisfactorily,satisfactory +satisfactorally,satisfactory,satisfactorily satisfactoraly,satisfactory satisfactorilly,satisfactory satisfactority,satisfactorily @@ -50635,7 +50635,7 @@ saven,save savere,severe savety,safety savgroup,savegroup -savve,salve,save,savvy +savve,save,savvy,salve savves,salves,saves savy,savvy sawnsea,swansea @@ -50705,7 +50705,7 @@ scannign,scanning scannning,scanning scantuary,sanctuary scaramento,sacramento -scarch,scorch,scratch,search +scarch,search,scorch,scratch scaricity,scarcity scarifice,sacrifice scarificed,sacrificed @@ -50744,14 +50744,14 @@ sccripts,scripts sceanrio,scenario sceanrios,scenarios scecified,specified -sceen,scene,scheme,screen,seen -sceens,scenes,schemes,screens +sceen,scene,seen,screen,scheme +sceens,scenes,screens,schemes sceintific,scientific sceintifically,scientifically sceintist,scientist sceintists,scientists -sceme,scene,scheme -scemes,scenes,schemes +sceme,scheme,scene +scemes,schemes,scenes scenaireo,scenario scenaireos,scenarios scenarioes,scenarios @@ -50759,7 +50759,7 @@ scenarion,scenario scenarions,scenarios scenarious,scenarios scence,scene,science,sense -scences,census,scenes,sciences,senses +scences,scenes,sciences,senses,census scenegraaph,scenegraph scenegraaphs,scenegraphs sceond,second @@ -50788,7 +50788,7 @@ scheduluing,scheduling scheems,schemes schem,scheme schemd,schemed -schems,schemas,schemes +schems,schemes,schemas scheudling,scheduling schisophrenic,schizophrenic schiziphrenic,schizophrenic @@ -50811,7 +50811,7 @@ scholarhip,scholarship scholarhips,scholarship,scholarships scholarhsips,scholarships scholarley,scholarly -scholarstic,scholarly,scholastic +scholarstic,scholastic,scholarly scholary,scholarly scholership,scholarship scholerships,scholarships @@ -50845,7 +50845,7 @@ scientificaly,scientifically scientificlly,scientifically scientis,scientist scientiss,scientist -scientisst,scientist,scientists +scientisst,scientists,scientist scientits,scientist scince,science scinece,science @@ -50894,9 +50894,9 @@ scorpiomon,scorpion scorpoin,scorpion scostman,scotsman scottisch,scottish -scource,scouse,source -scourced,scoured,sourced -scourcer,scourer,scouser,sorcerer +scource,source,scouse +scourced,sourced,scoured +scourcer,scourer,sorcerer,scouser scources,sources scpeter,scepter scrach,scratch @@ -51007,7 +51007,7 @@ scubscribes,subscribes scuccess,success scuccesses,successes scuccessully,successfully -sculpter,sculptor,sculpture +sculpter,sculpture,sculptor sculpters,sculptors,sculptures sculpteur,sculpture sculputre,sculpture @@ -51054,8 +51054,8 @@ secceeded,seceded,succeeded seccond,second secconds,seconds secction,section -seceed,secede,succeed -seceeded,seceded,succeeded +seceed,succeed,secede +seceeded,succeeded,seceded secene,scene secertary,secretary secertly,secretly @@ -51074,7 +51074,7 @@ seconadry,secondary seconcary,secondary secondaray,secondary seconday,secondary -secondy,secondary,secondly +secondy,secondly,secondary seconf,second seconfs,seconds seconly,secondly @@ -51107,7 +51107,7 @@ sectin,section sectins,sections sectionis,sections sectionning,sectioning -sectiont,section,sectioned +sectiont,sectioned,section secton,section sectoned,sectioned sectoning,sectioning @@ -51159,7 +51159,7 @@ seemless,seamless seemlessly,seamlessly seesion,session seesions,sessions -seeting,seating,seething,setting +seeting,seating,setting,seething seetings,settings seeverities,severities seeverity,severity @@ -51226,7 +51226,7 @@ sekects,selects selcetion,selection selct,select selctable,selectable -selctables,selectable,selectables +selctables,selectables,selectable selcted,selected selcting,selecting selction,selection @@ -51243,10 +51243,10 @@ selecgting,selecting selecing,selecting selecrtion,selection selectd,selected -selecte,select,selected +selecte,selected,select selectes,selects selectie,selective -selectin,selecting,selection +selectin,selection,selecting selectiose,selections selectivley,selectively selectivly,selectively @@ -51258,9 +51258,9 @@ seledted,selected selektions,selections selektor,selector selet,select -seleted,deleted,selected -seletion,deletion,selection -seletions,deletions,selections +seleted,selected,deleted +seletion,selection,deletion +seletions,selections,deletions selets,selects selfeshness,selfishness selfiers,selfies @@ -51269,7 +51269,7 @@ selfs,self selifes,selfies sellect,select sellected,selected -selt,self,set,sold +selt,set,self,sold selv,self semaintics,semantics semanitcs,semantics @@ -51386,9 +51386,9 @@ sensitivitiy,sensitivity sensitiviy,sensitivity sensitivties,sensitivities sensitivty,sensitivity -sensitivy,sensitively,sensitivity +sensitivy,sensitivity,sensitively sensitve,sensitive -sensivity,sensitively,sensitivity +sensivity,sensitivity,sensitively sensores,sensors senstive,sensitive sensure,censure @@ -51637,7 +51637,7 @@ sequenstial,sequential sequentialy,sequentially sequenzes,sequences sequetial,sequential -sequeze,sequence,squeeze +sequeze,squeeze,sequence sequnce,sequence sequnced,sequenced sequncer,sequencer @@ -51724,7 +51724,7 @@ serialzies,serializes serialzing,serializing seriban,serbian serice,service -serices,series,services +serices,services,series serie,series seriel,serial serieses,series @@ -51760,9 +51760,9 @@ sertificates,certificates sertification,certification servans,servants servantes,servants -servce,serve,service -servced,served,serviced -servces,serves,services +servce,service,serve +servced,serviced,served +servces,services,serves servcie,service servcies,services servcing,servicing,serving @@ -51779,7 +51779,7 @@ serveless,serverless serveral,several serverite,severity serverites,severities -serveritie,severities,severity +serveritie,severity,severities serverities,severities serverity,severity serverles,serverless @@ -51878,7 +51878,7 @@ severirirty,severity severirities,severities severite,severity severites,severities -severitie,severities,severity +severitie,severity,severities severiy,severity severl,several severley,severely @@ -51982,7 +51982,7 @@ shcizophrenic,schizophrenic shcolars,scholars shcooled,schooled sheakspeare,shakespeare -sheat,cheat,sheath,sheet +sheat,sheath,sheet,cheat sheck,check,shuck shecked,checked,shucked shecker,checker,shucker @@ -52080,7 +52080,7 @@ shoft,shift,short shoftware,software shoild,should shoing,showing -shold,hold,should,sold +shold,should,hold,sold sholder,shoulder sholuld,should shoould,should @@ -52120,7 +52120,7 @@ shoudln,should shoudlnt,shouldnt shoudn,shouldn shoudt,should -shoul,shawl,shoal,should +shoul,should,shawl,shoal shouldbe,should shouldes,shoulders shouldnot,shouldnt @@ -52153,19 +52153,19 @@ shrelock,sherlock shreshold,threshold shriks,shrinks shriley,shirley -shrinked,shrank,shrunk +shrinked,shrunk,shrank shrpanel,shrapnel shs,nhs,ssh shtiless,shitless -shtop,shop,stop -shtoped,shopped,stopped -shtopes,shops,stops -shtoping,shopping,stopping -shtopp,shop,stop -shtopped,shopped,stopped -shtoppes,shops,stops -shtopping,shopping,stopping -shtops,shops,stops +shtop,stop,shop +shtoped,stopped,shopped +shtopes,stops,shops +shtoping,stopping,shopping +shtopp,stop,shop +shtopped,stopped,shopped +shtoppes,stops,shops +shtopping,stopping,shopping +shtops,stops,shops shttp,https shudown,shutdown shufle,shuffle @@ -52205,10 +52205,10 @@ sidelinked,sideline sideral,sidereal sidleine,sideline siduction,seduction -sie,side,sigh,size +sie,size,sigh,side sience,science,silence -sies,sides,sighs,size -siez,seize,size +sies,size,sighs,sides +siez,size,seize siezable,sizable sieze,seize,size siezed,seized,sized @@ -52220,9 +52220,9 @@ siffixation,suffixation,suffocation siffixed,suffixed siffixes,suffixes siffixing,suffixing -sigal,sigil,signal +sigal,signal,sigil sigaled,signaled -sigals,sigils,signals +sigals,signals,sigils siganture,signature sigantures,signatures sigature,signature @@ -52241,14 +52241,14 @@ siginifies,signifies siginify,signify sigit,digit sigits,digits -sigle,sigil,single -sigles,sigils,singles +sigle,single,sigil +sigles,singles,sigils sigleton,singleton signabl,signable,signal signales,signals signall,signal signapore,singapore -signatue,signature,signatures +signatue,signatures,signature signatur,signature signes,signs signficant,significant @@ -52285,9 +52285,9 @@ signins,signings signitories,signatories signitory,signatory signitures,signatures -signle,signal,single +signle,single,signal signleplayer,singleplayer -signles,signals,singles +signles,singles,signals signol,signal signture,signature signul,signal @@ -52322,7 +52322,7 @@ silibus,syllabus silibuses,syllabuses silicoln,silicon silicoon,silicon -siliently,saliently,silently +siliently,silently,saliently silimiar,similar sillabus,syllabus sillabuses,syllabuses @@ -52397,11 +52397,11 @@ similiraties,similarities simillar,similar similtaneous,simultaneous similtaneously,simultaneously -simily,similarly,simile,simply,smiley +simily,simile,smiley,simply,similarly simlar,similar simlarlity,similarity simlarly,similarly -simle,simile,simple,smile +simle,simple,smile,simile simliar,similar simliarities,similarities simliarity,similarity @@ -52419,7 +52419,7 @@ simluations,simulations simluator,simulator simlutaneous,simultaneous simlutaneously,simultaneously -simly,simile,simply,smiley +simly,simply,simile,smiley simmetric,symmetric simmetrical,symmetrical simmetricaly,symmetrically @@ -52495,7 +52495,7 @@ simualtions,simulations simualtor,simulator simualtors,simulators simulacion,simulation -simulaiton,simulation,simulations +simulaiton,simulations,simulation simulaitons,simulations simulantaneous,simultaneous simulantaneously,simultaneously @@ -52554,12 +52554,12 @@ singaled,signaled singals,signals singature,signature singatures,signatures -singel,signal,single +singel,single,signal singelar,singular singelarity,singularity singelarly,singularly -singeled,signaled,singled -singeles,signals,singles +singeled,singled,signaled +singeles,singles,signals singelplayer,singleplayer singels,singles singelton,singleton @@ -52571,7 +52571,7 @@ singlar,singular singlely,singly singlepalyer,singleplayer singlers,singles -singls,single,singles +singls,singles,single singlton,singleton singltons,singletons singluar,singular @@ -52585,12 +52585,12 @@ singol,signal,single singolar,singular singoled,signaled,singled singols,signals,singles -singool,signal,single +singool,single,signal singoolar,singular singoolarity,singularity singoolarly,singularly -singooled,signaled,singled -singools,signals,singles +singooled,singled,signaled +singools,singles,signals singpaore,singapore singsog,singsong singualrity,singularity @@ -52626,7 +52626,7 @@ sinoid,sinusoid sinoidal,sinusoidal sinoids,sinusoids sinply,simply -sinse,since,sines +sinse,sines,since sinsiter,sinister sintac,syntax sintacks,syntax @@ -52673,7 +52673,7 @@ sirvayling,surveiling sirvayls,surveils sirynge,syringe sirynges,syringes -sise,sisal,size +sise,size,sisal sisnce,since sisser,scissor,sissier,sister sissered,scissored @@ -52691,7 +52691,7 @@ sistemed,systemed sistemic,systemic sistemically,systemically sistemics,systemics -sisteming,stemming,systemic +sisteming,systemic,stemming sistemist,systemist sistemists,systemists sistemize,systemize @@ -52719,7 +52719,7 @@ situacional,situational situaion,situation situaions,situations situatinal,situational -situationals,situational,situations +situationals,situations,situational situationly,situational,situationally situationnal,situational situatuion,situation @@ -52826,7 +52826,7 @@ skipp,skip,skipped skippd,skipped skippped,skipped skippps,skips -skipt,skip,skipped,skype +skipt,skip,skype,skipped skirmiches,skirmish skitsofrinic,schizophrenic skitsofrinics,schizophrenics @@ -53105,11 +53105,11 @@ soldgers,soldiers soldiarity,solidarity soldies,soldiers soldily,solidly -soler,solar,solely,solver +soler,solver,solar,solely soley,solely -solf,sold,solve +solf,solve,sold solfed,solved -solfer,solder,solver +solfer,solver,solder solfes,solves solfing,solving solfs,solves @@ -53215,14 +53215,14 @@ somwho,somehow somwhow,somehow sonething,something songlar,singular -songle,dongle,single -songled,dongled,singled -songles,dongles,singles -songling,dongling,singling +songle,single,dongle +songled,singled,dongled +songles,singles,dongles +songling,singling,dongling sooaside,suicide soodonim,pseudonym -sooit,soot,suet,suit -soop,scoop,snoop,soap,soup +sooit,suet,suit,soot +soop,soup,scoop,snoop,soap soource,source soovinear,souvenir soovinears,souvenirs @@ -53246,7 +53246,7 @@ sopund,sound sopunded,sounded sopunding,sounding sopunds,sounds -sorce,force,source +sorce,source,force sorcercy,sorcery sorcerey,sorcery sorceror,sorcerer @@ -53260,18 +53260,18 @@ sortings,sorting sortlst,sortlist sortner,sorter sortnr,sorter -sortrage,shortage,storage +sortrage,storage,shortage soruce,source,spruce soruces,sources,spruces soscket,socket -soterd,sorted,stored +soterd,stored,sorted sotfware,software -sotrage,shortage,storage +sotrage,storage,shortage sotred,sorted,stored sotres,stores -sotring,sorting,storing +sotring,storing,sorting sotrmfront,stormfront -sotry,sorry,story +sotry,story,sorry sotryline,storyline sotrylines,storylines sotyr,satyr,story @@ -53297,18 +53297,18 @@ soundtraks,soundtracks sountrack,soundtrack sourbraten,sauerbraten sourc,source -sourcd,source,sourced -sourcde,source,sourced +sourcd,sourced,source +sourcde,sourced,source sourcedrectory,sourcedirectory sourcee,source sourcees,sources -sourcs,source,sources -sourcse,source,sources +sourcs,sources,source +sourcse,sources,source sourct,source -soure,sore,sour,source,soured,sure -soures,sores,sources,soured,sours +soure,source,sure,sore,sour,soured +soures,sources,sores,sours,soured sourrounding,surrounding -sourt,sort,sour,south +sourt,sort,south,sour sourth,south sourthern,southern southampon,southampton @@ -53432,7 +53432,7 @@ speace,peace,space speaced,spaced speaces,spaces,species speach,speech -speacial,spacial,special +speacial,special,spacial speacing,spacing spearate,separate spearated,separated @@ -53482,7 +53482,7 @@ specialazation,specialization speciales,specials specialication,specialization specialice,specialize -specialiced,specialised,specialized +specialiced,specialized,specialised specialices,specializes specialied,specialized specialies,specializes @@ -53537,7 +53537,7 @@ speciffic,specific speciffically,specifically specifi,specific,specify specifially,specifically -specificaiton,specification,specifications +specificaiton,specifications,specification specificaitons,specification,specifications specificallly,specifically specificaly,specifically @@ -53550,7 +53550,7 @@ specificatons,specifications specificed,specified specificer,specifier specifices,specifics,specifies -specifich,specific,specify +specifich,specify,specific specificially,specifically specificiation,specification specificiations,specifications @@ -53561,7 +53561,7 @@ specificl,specific specificly,specifically specifiction,specification specifictions,specifications -specificy,specifically,specificity,specify +specificy,specify,specificity,specifically specifid,specified specifiec,specific specifiecally,specifically @@ -53968,9 +53968,9 @@ sperately,separately sperhical,spherical spermatozoan,spermatozoon speshal,special -speshally,especially,specially +speshally,specially,especially speshel,special -speshelly,especially,specially +speshelly,specially,especially spesialisation,specialisation spesific,specific spesifical,specific @@ -53995,7 +53995,7 @@ sphereos,spheres spicific,specific spicified,specified spicify,specify -spile,spiral,spite +spile,spite,spiral spilnter,splinter spiltter,splitter spiltting,splitting @@ -54023,11 +54023,11 @@ spitirually,spiritually splaton,splatoon splatooon,splatoon spleling,spelling -splig,splign,split +splig,split,splign spligs,splits spliiter,splitter spliitting,splitting -splite,splice,split,splits +splite,split,splits,splice splited,split spliting,splitting splitner,splinter @@ -54096,7 +54096,7 @@ spotfiy,spotify spotifiy,spotify spotifty,spotify sppeches,speeches -spped,sapped,sipped,sopped,sped,speed,supped +spped,speed,sped,sipped,sapped,supped,sopped spport,support spported,supported spporting,supporting @@ -54180,7 +54180,7 @@ squashgin,squashing squeakey,squeaky squeakly,squeaky squence,sequence -squirel,squirrel,squirtle +squirel,squirtle,squirrel squirl,squirrel squirle,squirrel squirlte,squirtle @@ -54210,7 +54210,7 @@ sreampropinfo,streampropinfo sreenshot,screenshot sreenshots,screenshots sreturns,returns -srew,screw,sew,shrew +srew,screw,shrew,sew sriarcha,sriracha srikeout,strikeout sring,string @@ -54230,7 +54230,7 @@ srpouts,sprouts srriacha,sriracha srtifact,artifact srtifacts,artifacts -srting,sorting,string +srting,string,sorting srtings,strings srtructure,structure srttings,settings @@ -54330,7 +54330,7 @@ standarize,standardize standarized,standardized standarizes,standardizes standarizing,standardizing -standars,standard,standards +standars,standards,standard standart,standard standartd,standard standartds,standards @@ -54351,7 +54351,7 @@ standlone,standalone standrat,standard standrats,standards standtard,standard -standy,sandy,standby,standee +standy,standby,sandy,standee stangant,stagnant stange,strange stanp,stamp @@ -54417,7 +54417,7 @@ statemet,statement statemets,statements statemnet,statement statemnts,statements -stati,state,statuses +stati,statuses,state staticly,statically statictic,statistic statictics,statistics @@ -54612,7 +54612,7 @@ storeage,storage stoream,stream storeble,storable storeing,storing -storeis,stores,storeys +storeis,storeys,stores storelines,storylines storge,storage storise,stories @@ -54668,15 +54668,15 @@ straines,strains straings,strains straitforward,straightforward stram,steam,stream,tram -straming,steaming,streaming +straming,streaming,steaming strams,steams,streams,trams -stran,strain,strand +stran,strand,strain strangel,strangle strangeshit,strangest stranget,strangest strangets,strangest stranglove,strangle -strangly,strange,strangely,strangle +strangly,strangely,strange,strangle strangness,strangeness strangreal,strangle strart,start @@ -54822,7 +54822,7 @@ stringifed,stringified stringnet,stringent strinsg,strings strippen,stripped -stript,script,stripped +stript,stripped,script stripted,scripted,stripped stripting,scripting,stripping stripts,scripts,strips @@ -54843,7 +54843,7 @@ strored,stored strores,stores stroring,storing strotage,storage -stroy,destroy,story +stroy,story,destroy stroyboard,storyboard stroyline,storyline stroylines,storylines @@ -54913,8 +54913,8 @@ ststr,strstr stte,state stteting,setting sttetings,settings -stting,setting,sitting,string -sttings,settings,sittings,strings +stting,string,setting,sitting +sttings,strings,settings,sittings sttutering,stuttering stuation,situation,station stuations,situations,stations @@ -54932,7 +54932,7 @@ stuctures,structures studdy,study studetn,student studetns,students -studi,studio,study +studi,study,studio studing,studying studioes,studios studis,studies,studios @@ -55067,7 +55067,7 @@ submergered,submerged submerines,submarines submision,submission submisions,submissions -submisison,submission,submissions +submisison,submissions,submission submisisons,submissions submissies,submissive submisson,submission @@ -55156,12 +55156,12 @@ subsciber,subscriber subscibers,subscribers subscirbe,subscribe subscirbed,subscribed -subscirber,subscriber,subscribers +subscirber,subscribers,subscriber subscirbers,subscribers subscirbes,subscribes subscirbing,subscribing subscirpt,subscript -subscirption,subscription,subscriptions +subscirption,subscriptions,subscription subscirptions,subscriptions subsconcious,subconscious subsconciously,subconsciously @@ -55181,7 +55181,7 @@ subscriping,subscribing subscriptin,subscriptions subscripton,subscription subscriptons,subscriptions -subscritpion,subscription,subscriptions +subscritpion,subscriptions,subscription subscritpions,subscriptions subscritpiton,subscription subscritpitons,subscriptions @@ -55322,7 +55322,7 @@ substraction,subtraction substracts,subtracts substucture,substructure substuctures,substructures -substutite,substitute,substitutes +substutite,substitutes,substitute subsudized,subsidized subsysthem,subsystem subsysthems,subsystems @@ -55431,7 +55431,7 @@ successfullt,successfully successfuly,successfully successing,succession,successive successivo,succession -successs,success,successes +successs,successes,success successsfully,successfully successsion,succession successtion,succession,suggestion @@ -55464,7 +55464,7 @@ sucesive,successive sucess,success sucesscient,sufficient sucessed,succeeded -sucesseding,seceding,succeeding +sucesseding,succeeding,seceding sucessefully,successfully sucesses,successes sucessess,success @@ -55560,7 +55560,7 @@ sugested,suggested sugestion,suggestion sugestions,suggestions sugests,suggests -suggesst,suggest,suggests +suggesst,suggests,suggest suggessted,suggested suggessting,suggesting suggesstion,suggestion @@ -55687,7 +55687,7 @@ superioara,superior superioare,superior superiorest,superiors superioris,superiors -superios,superior,superiors +superios,superiors,superior superiour,superior superisor,superiors superivsor,supervisors @@ -55807,7 +55807,7 @@ supportare,supporters supportd,supported supporte,supported,supporter supportes,supports -supportet,supported,supporter +supportet,supporter,supported supporteur,supporter supporteurs,supporters supportied,supported @@ -55828,7 +55828,7 @@ supposidely,supposedly supposidly,supposedly supposingly,supposedly suppossed,supposed -suppost,support,supports,suppose +suppost,supports,support,suppose suppot,support suppoted,supported suppplied,supplied @@ -55924,7 +55924,7 @@ surgested,suggested surgestion,suggestion surgestions,suggestions surgests,suggests -surley,surely,surly +surley,surly,surely suround,surround surounded,surrounded surounding,surrounding @@ -55949,7 +55949,7 @@ surprized,surprised surprizing,surprising surprizingly,surprisingly surregat,surrogate -surrended,surrendered,surrounded +surrended,surrounded,surrendered surrenderd,surrendered surrenderred,surrendered surrepetitious,surreptitious @@ -56097,15 +56097,15 @@ sustems,systems sustitution,substitution sustitutions,substitutions susupend,suspend -sutable,stable,suitable +sutable,suitable,stable sutdown,shutdown -sute,site,suit,suite +sute,site,suite,suit sutisfaction,satisfaction sutisfied,satisfied sutisfies,satisfies sutisfy,satisfy sutisfying,satisfying -suttle,shuttle,subtle +suttle,subtle,shuttle suttled,shuttled suttles,shuttles suttlety,subtlety @@ -56260,7 +56260,7 @@ sykward,skyward sylablle,syllable sylablles,syllables sylabus,syllabus -sylabuses,syllabi,syllabuses +sylabuses,syllabuses,syllabi syle,style syles,styles sylibol,syllable @@ -56270,7 +56270,7 @@ sylistic,stylistic syllabe,syllable syllabel,syllable syllabels,syllables -syllabills,syllabification,syllabus +syllabills,syllabus,syllabification sylog,syslog symantics,semantics symapthetic,sympathetic @@ -56603,7 +56603,7 @@ tacticaly,tactically tacticas,tactics tacticts,tactics tacticus,tactics -tage,stage,tag,tagged,take +tage,stage,take,tag,tagged taged,tagged tages,stages,tags taget,target @@ -56627,7 +56627,7 @@ tailsman,talisman tained,stained,tainted taiwanee,taiwanese taiwanesse,taiwanese -taks,takes,task,tasks +taks,task,tasks,takes takslet,tasklet talbe,table talbian,taliban @@ -56708,7 +56708,7 @@ taryvon,trayvon tasbar,taskbar taskelt,tasklet tasliman,talisman -tast,task,taste,test +tast,taste,task,test tatgert,target tatgerted,targeted tatgerting,targeting @@ -56891,7 +56891,7 @@ teminated,terminated teminating,terminating temination,termination temlate,template -temmporary,temporarily,temporary +temmporary,temporary,temporarily temorarily,temporarily temorary,temporary tempalrs,templars @@ -56916,7 +56916,7 @@ tempatised,templatised tempatized,templatized tempature,temperature tempdate,template -tempearture,temperature,temperatures +tempearture,temperatures,temperature tempeartures,temperatures tempearure,temperature tempelate,template @@ -56965,7 +56965,7 @@ temporaily,temporarily temporairly,temporarily temporali,temporarily temporalily,temporarily -temporaly,temporally,temporarily,temporary +temporaly,temporary,temporarily,temporally temporaraly,temporarily temporarely,temporarily temporarilly,temporarily @@ -56973,7 +56973,7 @@ temporarilty,temporarily temporarilu,temporary temporarirly,temporarily temporarity,temporarily -temporarly,temporarily,temporary +temporarly,temporary,temporarily temporay,temporary tempories,temporaries temporily,temporarily @@ -57012,13 +57012,13 @@ temprament,temperament tempramental,temperamental tempraraily,temporarily tempraral,temporal -tempraraly,temporally,temporarily +tempraraly,temporarily,temporally temprararily,temporarily temprararly,temporarily temprarary,temporary tempraray,temporary temprarily,temporarily -temprary,temporarily,temporary +temprary,temporary,temporarily temprature,temperature tempratures,temperatures tempray,temporary @@ -57032,7 +57032,7 @@ temproarily,temporarily temproarly,temporarily temproary,temporary temproay,temporary -temproily,temporally,temporarily +temproily,temporarily,temporally temprol,temporal temproment,temperament tempromental,temperamental @@ -57222,8 +57222,8 @@ terurn,return terurns,returns tescase,testcase tescases,testcases -tese,tease,terse,these -tesed,teased,tested,used +tese,these,tease,terse +tesed,used,teased,tested tesellate,tessellate tesellated,tessellated tesellation,tessellation @@ -57300,10 +57300,10 @@ thant,than thar,than,that thare,there thast,that -thatn,than,that +thatn,that,than thaught,taught,thought thaughts,thoughts -thay,that,they +thay,they,that thck,thick theard,thread thearding,threading @@ -57322,7 +57322,7 @@ thei,their,they theif,thief theifs,thieves theire,their -theis,thesis,this +theis,this,thesis theisitc,theistic theistc,theistic theiv,thief @@ -57332,10 +57332,10 @@ themeselves,themselves themplate,template themsef,themself themselces,themselves -themselfe,themself,themselves +themselfe,themselves,themself themselfes,themselves themselfs,themselves -themselve,themself,themselves +themselve,themselves,themself themselvs,themselves themsevles,themselves themslef,themself @@ -57359,7 +57359,7 @@ theorically,theoretically theoritical,theoretical theoritically,theoretically theorits,theorist -ther,other,the,their,there +ther,there,their,the,other therafter,thereafter therapautic,therapeutic therapetic,therapeutic @@ -57377,7 +57377,7 @@ therefo,thereof therefoer,therefor therefour,therefor thereian,therein -therem,theorem,there +therem,there,theorem thereom,theorem thereotical,theoretical thereotically,theoretically @@ -57424,15 +57424,15 @@ theroist,theorist theroists,theorists theromdynamics,thermodynamics theromstat,thermostat -therough,thorough,through +therough,through,thorough therstat,thermostat therwise,otherwise -thes,these,this +thes,this,these theshold,threshold thesholds,thresholds thesitic,theistic thesits,theists -thess,these,this +thess,this,these thest,test thetering,tethering thether,tether,whether @@ -57450,15 +57450,15 @@ thhese,these thhis,this thi,the,this thialand,thailand -thicking,thickening,thinking -thicknes,thickens,thickness +thicking,thinking,thickening +thicknes,thickness,thickens thid,this thie,the,this thier,their thiestic,theistic thiests,theists -thight,fight,thigh,tight -thights,fights,thighs,tights +thight,tight,thigh,fight +thights,tights,thighs,fights thign,thing thigns,things thigny,thingy @@ -57468,16 +57468,16 @@ thiking,thinking thikn,think thikness,thickness thiknesses,thicknesses -thikning,thickening,thinking +thikning,thinking,thickening thikns,thinks thiks,thinks -thime,theme,thine,thyme,time +thime,time,theme,thyme,thine thimngs,things thingking,thinking thinigs,things thinkabel,thinkable -thinkg,thing,things,think -thinkgs,things,thinks +thinkg,think,thing,things +thinkgs,thinks,things thinn,thin thirites,thirties thirldy,thirdly @@ -57523,18 +57523,18 @@ thoroidal,toroidal thoroughty,thoroughly thoroughy,thoroughly thorttling,throttling -thorugh,thorough,through +thorugh,through,thorough thorughout,throughout thoruim,thorium thoruoghly,thoroughly -thorwn,thorn,thrown -thos,this,those +thorwn,thrown,thorn +thos,those,this thoses,those thosse,those thouch,touch thoughout,throughout thoughs,thoughts -thougt,though,thought +thougt,thought,though thougth,thought thougths,thoughts thounsands,thousands @@ -57549,7 +57549,7 @@ thown,thrown,town thows,those,throws,tows thq,the thrad,thread -thre,the,their,there,three +thre,three,there,their,the threadd,threaded threadened,threaded threadsave,threadsafe @@ -57595,7 +57595,7 @@ throaths,throats throen,thrown throgh,through throium,thorium -thron,throne,thrown +thron,thrown,throne throners,thrones throough,thorough throrough,thorough @@ -57652,17 +57652,17 @@ thsoe,those thsose,those thsould,should thst,that -tht,that,the +tht,the,that thta,that thtat,that -thte,that,the +thte,the,that thubmnails,thumbnails thudnerbolt,thunderbolt thuis,this,thus thumbbnail,thumbnail thumbmails,thumbnails thumbnailers,thumbnails -thumbnal,thumbnail,thumbnails +thumbnal,thumbnails,thumbnail thumbnals,thumbnails thumbnial,thumbnail thunberbolt,thunderbolt @@ -57687,12 +57687,12 @@ thursdsay,thursdays thursdsy,thursdays thursters,thrusters thurver,further -thw,thaw,the +thw,the,thaw thyat,that thyorid,thyroid thyriod,thyroid tiawanese,taiwanese -tich,stitch,thick,tick,titch +tich,thick,tick,titch,stitch tichened,thickened tichness,thickness tickness,thickness @@ -57700,7 +57700,7 @@ tidibt,tidbit tidibts,tidbits tidyness,tidiness tieing,tying -tiem,item,time +tiem,time,item tiemout,timeout tiemstamp,timestamp tiemstamped,timestamped @@ -57745,8 +57745,8 @@ timesamps,timestamps timespanp,timespan timespanps,timespans timestan,timespan -timestanp,timespan,timestamp -timestanps,timespans,timestamps +timestanp,timestamp,timespan +timestanps,timestamps,timespans timestans,timespans timestap,timestamp timestaped,timestamped @@ -57773,7 +57773,7 @@ tindergarten,kindergarten tinterrupts,interrupts tiolets,toilets tiome,time,tome -tipe,tip,type +tipe,type,tip tipically,typically tirangle,triangle tirangles,triangles @@ -57807,7 +57807,7 @@ tocuhpad,touchpad tocuhscreen,touchscreen todya,today toekn,token -toether,tether,together +toether,together,tether togehter,together togeter,together togeterness,togetherness @@ -57959,7 +57959,7 @@ touchdwon,touchdown touchsceen,touchscreen touchscreeen,touchscreen touchscren,touchscreen -tought,taught,thought,tough +tought,thought,taught,tough toughtful,thoughtful toughtly,tightly toughts,thoughts @@ -58086,11 +58086,11 @@ tral,trail,trial traled,traced,traded,trailed,traveled,trawled,trialed tralier,trailer traliers,trailers -traling,tracing,trading,trailing,traveling,trawling,trialing +traling,trailing,trialing,tracing,trading,traveling,trawling tralled,trailed,travelled,trawled,trialled,trilled,trolled tralling,thralling,trailing,travelling,trialling,trilling,trolling trals,trails,trials -trama,tram,trams,trauma +trama,trauma,tram,trams tramas,trams,traumas tramautic,traumatic tramautized,traumatized @@ -58182,15 +58182,15 @@ tranpshobic,transphobic transaccion,transaction transacion,transaction transacions,transactions -transaciton,transaction,transactions +transaciton,transactions,transaction transacitons,transactions transacrtion,transaction transacrtions,transactions transactiona,transactional,transactions transactoin,transaction transactoins,transactions -transaition,transaction,transition,translation -transaitions,transactions,transitions,translations +transaition,translation,transition,transaction +transaitions,translations,transitions,transactions transalation,translation transalations,translations transalt,translate @@ -58203,9 +58203,9 @@ transaltions,translations transaltor,translator transaltors,translators transaprency,transparency -transation,transaction,transition,translation +transation,transition,transaction,translation transational,transitional -transations,transactions,transitions,translations +transations,transitions,transactions,translations transcation,transaction transcations,transactions transcendance,transcendence @@ -58253,7 +58253,7 @@ transcrito,transcript transcrits,transcripts transcrpit,transcript transction,transaction -transctions,transactions,transitions +transctions,transitions,transactions transculent,translucent transeat,translates transeint,transient @@ -58300,7 +58300,7 @@ transformated,transformed transformates,transforms transformaton,transformation transformatted,transformed -transforme,transfer,transform,transformed,transformer +transforme,transfer,transformed,transformer,transform transformees,transforms transformered,transformed transformes,transformers @@ -58315,7 +58315,7 @@ transfromate,transform,transformed transfromation,transformation transfromations,transformations transfromed,transformed -transfromer,transformer,transformers +transfromer,transformers,transformer transfromers,transformers transfroming,transforming transfroms,transforms @@ -58706,7 +58706,7 @@ travestry,travesty travesy,travesty travles,travels tre,tree -treadet,threaded,treaded,treated +treadet,treated,threaded,treaded treak,treat,tweak treasue,treasure treasuers,treasures @@ -58787,7 +58787,7 @@ tribunaal,tribunal trickey,trickery trickyer,trickery tridnet,trident -triger,tiger,trigger +triger,trigger,tiger trigered,triggered trigerred,triggered trigerring,triggering @@ -58815,17 +58815,17 @@ trilinar,trilinear,trillionaire trilineal,trilinear trilogoy,trilogy trimed,trimmed -triming,timing,trimming +triming,trimming,timing trimmng,trimming trimuph,triumph trinagle,triangle trinagles,triangles trinekts,trinkets -tring,ring,string,trying +tring,trying,string,ring tringale,triangle tringket,trinket tringkets,trinkets -trings,rings,strings +trings,strings,rings trinitiy,trinity triniy,trinity trinkes,trinkets @@ -58933,10 +58933,10 @@ troubleshotting,troubleshooting troublshoot,troubleshoot troublshooting,troubleshooting troughout,throughout,throughput -troughput,throughout,throughput +troughput,throughput,throughout trought,through troup,troupe -troups,troops,troupes +troups,troupes,troops trown,thrown trpoical,tropical trriger,trigger @@ -59027,7 +59027,7 @@ tucan,toucan tucans,toucans tuesdey,tuesday tuesdsay,tuesdays -tuesdsy,tuesday,tuesdays +tuesdsy,tuesdays,tuesday tufure,future tuhmbnail,thumbnail tunelled,tunnelled @@ -59039,7 +59039,7 @@ tungues,tongues tunned,tuned tunnell,tunnel tunnells,tunnels -tunning,running,tuning +tunning,tuning,running tunnles,tunnels tunraround,turnaround tunrtable,turntable @@ -59055,7 +59055,7 @@ turain,terrain turains,terrains turbins,turbines turcoise,turquoise -ture,pure,true +ture,true,pure turkisch,turkish turkoise,turquoise turksih,turkish @@ -59064,7 +59064,7 @@ turltes,turtles turly,truly turnapound,turnaround turnaroud,turnaround -turnk,trunk,turn,turnkey +turnk,trunk,turnkey,turn turntabe,turntable turntabel,turntable turorial,tutorial @@ -59101,20 +59101,20 @@ twelth,twelfth twilgiht,twilight twiligt,twilight twon,town -twoo,too,two +twoo,two,too twosday,tuesday twpo,two -tye,tie,type +tye,type,tie tyelnol,tylenol tyep,type tyepof,typeof -tyes,ties,types +tyes,types,ties tyhat,that -tyhe,the,they,type +tyhe,they,the,type tyies,tries tylenool,tylenol tymecode,timecode -tyoe,toe,toey,type +tyoe,type,toe,toey tyope,type typcast,typecast typcasting,typecasting @@ -59126,14 +59126,14 @@ typechek,typecheck typecheking,typechecking typesrript,typescript typess,types -typicall,typical,typically +typicall,typically,typical typicallly,typically typicaly,typically typicially,typically typle,tuple typles,tuples -typoe,type,types,typo -typoes,types,typos +typoe,typo,type,types +typoes,typos,types typographc,typographic typopgrahic,typographic typopgrahical,typographical @@ -59169,10 +59169,10 @@ ubunut,ubuntu ubunutu,ubuntu ubutu,ubuntu ubutunu,ubuntu -udated,dated,updated +udated,updated,dated udateed,updated -udater,dater,updater -udating,dating,updating +udater,updater,dater +udating,updating,dating udid,uuid udnercut,undercut udnerdog,underdog @@ -59186,14 +59186,14 @@ udpated,updated udpater,updater udpates,updates udpating,updating -ue,due,use +ue,use,due ueful,useful uegister,unregister ues,use,yes uesd,used ueses,uses uesful,useful -uesfull,useful,usefull +uesfull,usefull,useful uesfulness,usefulness uesless,useless ueslessness,uselessness @@ -59218,7 +59218,7 @@ uites,suites ukarine,ukraine uknown,unknown uknowns,unknowns -ukowns,unknown,unknowns +ukowns,unknowns,unknown ukrainain,ukrainian ukrainains,ukrainians ukraineans,ukrainians @@ -59283,7 +59283,7 @@ unablet,unable unabnned,unbanned unaccaptable,unacceptable unacceptible,unacceptable -unaccesible,inaccessible,unaccessible +unaccesible,unaccessible,inaccessible unaccessable,inaccessible unaccpetable,unacceptable unacknowleged,unacknowledged @@ -59422,7 +59422,7 @@ unbreakbale,unbreakable unbreakble,unbreakable unbreakeble,unbreakable unbrearable,unbreakable -unbunded,unbounded,unbundled +unbunded,unbundled,unbounded uncahnged,unchanged uncalcualted,uncalculated uncanney,uncanny @@ -59699,7 +59699,7 @@ undersetimate,underestimate undersetimated,underestimated undersog,undergo understad,understands -understadn,understand,understands +understadn,understands,understand understadnable,understandable understadning,understanding understadns,understands @@ -59718,7 +59718,7 @@ understoon,understood understoud,understood understsand,understands understsnd,understands -undertable,understand,understandable +undertable,understandable,understand undertacker,undertaker undertakeing,undertaking undertand,understand @@ -59728,7 +59728,7 @@ undertanding,understanding undertands,understands undertoe,undertones undertoker,undertaker -undertsand,understand,understands +undertsand,understands,understand undertsanding,understanding undertsands,understands undertsood,understood @@ -59804,7 +59804,7 @@ unecessary,unnecessary unechecked,unchecked unedcuated,uneducated unedicated,uneducated -uneeded,needed,unheeded,unneeded +uneeded,unneeded,unheeded,needed uneforceable,unenforceable uneform,uniform unemployeed,unemployed @@ -59977,7 +59977,7 @@ unifnished,unfinished unifomtity,uniformity uniformely,uniformly uniformes,uniforms -uniformy,uniform,uniformly +uniformy,uniformly,uniform unifrom,uniform unifromed,uniformed unifromity,uniformity @@ -59999,11 +59999,11 @@ unimpresed,unimpressed unimpressd,unimpressed unimpresssed,unimpressed uninamous,unanimous -uninfrom,uniform,uninform -uninfromed,uniformed,uninformed -uninfromes,uniforms,uninforms -uninfroming,uniforming,uninforming -uninfroms,uniforms,uninforms +uninfrom,uninform,uniform +uninfromed,uninformed,uniformed +uninfromes,uninforms,uniforms +uninfroming,uninforming,uniforming +uninfroms,uninforms,uniforms uninitailised,uninitialised uninitailized,uninitialized uninitalise,uninitialise @@ -60045,7 +60045,7 @@ unintelligant,unintelligent unintelligient,unintelligent unintensional,unintentional unintensionally,unintentionally -unintented,unindented,unintended +unintented,unintended,unindented unintentially,unintentionally unintentinal,unintentional unintentionaly,unintentionally @@ -60364,7 +60364,7 @@ unregiste,unregister unregisted,unregistered unregisteing,registering unregisterd,unregistered -unregisteres,unregistered,unregisters +unregisteres,unregisters,unregistered unregistert,unregistered unregistes,unregisters unregisting,unregistering @@ -60392,7 +60392,7 @@ unreigstering,unregistering unreigsters,unregisters unrelaible,unreliable unrelatd,unrelated -unreleated,unrelated,unreleased +unreleated,unreleased,unrelated unreliabe,unreliable unrelted,unrelated unrelyable,unreliable @@ -60430,14 +60430,14 @@ unroated,unrotated unrosponsive,unresponsive unrpoven,unproven unrwitten,unwritten -unsable,unstable,unusable,usable +unsable,unusable,usable,unstable unsanfe,unsafe unsccessful,unsuccessful unscubscribe,subscribe unscubscribed,subscribed unsearcahble,unsearchable unseccessful,unsuccessful -unsed,unset,unused,used +unsed,used,unused,unset unselct,unselect unselcted,unselected unselctes,unselects @@ -60869,7 +60869,7 @@ uqest,quest uqests,quests urainum,uranium uranuim,uranium -ure,are,ire,rue,sure,urea +ure,sure,ire,are,urea,rue urethrea,urethra uretrha,urethra urkaine,ukraine @@ -60897,7 +60897,7 @@ usefult,useful usefulu,useful usefuly,usefully usefutl,useful -useg,usage,user +useg,user,usage usege,usage useing,using usera,users @@ -60917,7 +60917,7 @@ usibility,usability usible,usable usied,busied,used usig,using -usign,unsign,using +usign,using,unsign usigned,unsigned usiing,using usin,using @@ -60936,7 +60936,7 @@ ussuall,usual ussually,usually usuable,usable usuage,usage -usuall,usual,usually +usuall,usually,usual usuallly,usually usualy,usually usualyl,usually @@ -61082,7 +61082,7 @@ valetta,valletta valeu,value valiation,validation valiator,validator -validade,validate,validated +validade,validated,validate validata,validate validataion,validation validaterelase,validaterelease @@ -61144,8 +61144,8 @@ valule,value valuled,valued valules,values valuling,valuing -valus,talus,value,values -valuse,value,values +valus,values,talus,value +valuse,values,value valye,valse,value,valve valykrie,valkyrie vamipres,vampires @@ -61440,7 +61440,7 @@ verications,verifications verifcation,verification verifcations,verifications verifer,verifier -verifi,verified,verify +verifi,verify,verified verifiaction,verification verifiactions,verifications verificacion,verification @@ -61450,7 +61450,7 @@ verificaiton,verification verificato,verification verificiation,verification verificiations,verifications -verifie,verified,verify +verifie,verify,verified verifieing,verifying verifikation,verification verifing,verifying @@ -61653,7 +61653,7 @@ viewpionts,viewpoints viewpoert,viewport viewpoit,viewpoints viewtransfromation,viewtransformation -vigeur,vigour,vigueur +vigeur,vigueur,vigour vigilane,vigilante vigilantie,vigilante vigilanties,vigilante,vigilantes @@ -61678,7 +61678,7 @@ villian,villain villians,villains villification,vilification villify,vilify -villin,villain,villein,villi +villin,villain,villi,villein viloently,violently vincinity,vicinity vindicitve,vindictive @@ -61739,7 +61739,7 @@ virtuels,virtues virtuose,virtues virtural,virtual virture,virtue -virual,viral,virtual +virual,virtual,viral virualization,visualization virutal,virtual virutalenv,virtualenv @@ -61800,9 +61800,9 @@ visiters,visitors visitng,visiting visivble,visible vissible,visible -vist,fist,gist,list,mist,vast,vest,visit,vista -visted,listed,vested,visited -visting,listing,visiting +vist,visit,fist,gist,list,mist,vast,vest,vista +visted,visited,listed,vested +visting,visiting,listing vistors,visitors vists,fists,lists,visits visuab,visual @@ -61814,7 +61814,7 @@ visuabization,visualization visuabize,visualize visuabized,visualized visuabizes,visualizes -visuable,visible,visual +visuable,visual,visible visuables,visuals visuably,visually visuabs,visuals @@ -61878,7 +61878,7 @@ vizualisation,visualisation vizualisations,visualisation vizualise,visualise vizualised,visualised -vizualization,virtualization,visualization +vizualization,visualization,virtualization vizualize,visualize vizualized,visualized vlarge,large @@ -61956,7 +61956,7 @@ vonfig,config votlage,voltage vould,would voume,volume -voxes,voxel,voxels +voxes,voxels,voxel voyour,voyeur voyouristic,voyeuristic voyouristically,voyeuristically @@ -62205,14 +62205,14 @@ watermask,watermark watermeleon,watermelon waterproff,waterproof waterprooof,waterproof -wath,watch,what,wrath +wath,watch,wrath,what wathc,watch wathcer,watcher wathcing,watching wathcmen,watchmen wathdog,watchdog wathever,whatever -waths,watches,whats +waths,whats,watches watiers,waiters wating,waiting watkings,watkins @@ -62267,7 +62267,7 @@ wednesdsay,wednesdays wednesdsy,wednesdays wednesdy,wednesdays wednessay,wednesdays -wednessday,wednesday,wednesdays +wednessday,wednesdays,wednesday wednsday,wednesday wednseday,wednesday wednsedays,wednesdays @@ -62356,24 +62356,24 @@ whants,wants whataver,whatever whatepsace,whitespace whatepsaces,whitespaces -whather,weather,whether +whather,whether,weather whathever,whatever whatosever,whatsoever whatseover,whatsoever whch,which whcich,which whcih,which -whe,we,when +whe,when,we wheather,weather,whether wheh,when whehter,whether wheigh,weigh -whell,well,wheel +whell,wheel,well whem,when whenevery,whenever whenn,when whenver,whenever -wher,were,where +wher,where,were wheras,whereas wherease,whereas whereever,wherever @@ -62411,7 +62411,7 @@ whipsered,whispered whipsering,whispering whipsers,whispers whis,this,whisk -whish,whisk,wish +whish,wish,whisk whishlist,wishlist whislist,wishlist whislte,whistle @@ -62428,12 +62428,12 @@ whitelsit,whitelist whitepsace,whitespace whitepsaces,whitespaces whith,with -whithe,white,with +whithe,with,white whithin,within whitholding,withholding whithout,without whitleist,whitelist -whitout,whiteout,without +whitout,without,whiteout whitre,white whitsle,whistle whitsles,whistles @@ -62453,7 +62453,7 @@ wholeheartely,wholeheartedly wholeheartidly,wholeheartedly wholely,wholly wholey,wholly -wholy,holy,wholly +wholy,wholly,holy whoms,whom,whose whoose,whose whos,whose @@ -62492,13 +62492,13 @@ widht,width widhtpoint,widthpoint widhtpoints,widthpoints widnow,widow,window -widnows,widows,windows +widnows,windows,widows widthn,width widthout,without wief,wife wieghed,weighed wieght,weight -wieghted,weighed,weighted +wieghted,weighted,weighed wieghtlifting,weightlifting wieghts,weights wieh,view @@ -62510,7 +62510,7 @@ wiew,view wigdet,widget wigdets,widgets wighed,weighed,wicked -wighted,weighed,weighted +wighted,weighted,weighed wih,with wihch,which wihich,which @@ -62524,7 +62524,7 @@ wiil,will wikileakers,wikileaks wikileakes,wikileaks wikpedia,wikipedia -wil,well,will +wil,will,well wilcard,wildcard wilcards,wildcards wildebeast,wildebeest @@ -62572,7 +62572,7 @@ winsdor,windsor wintesses,witnesses wintson,winston wipoing,wiping -wirded,weird,wired +wirded,wired,weird wiredest,weirdest wireframw,wireframe wireframws,wireframes @@ -62611,7 +62611,7 @@ witdh,width witdhs,widths witdth,width witdths,widths -wite,white,write +wite,write,white witha,with withces,witches withdral,withdrawal @@ -62620,7 +62620,7 @@ withdrawan,withdrawn withdrawel,withdrawal withdrawels,withdrawals withdrawin,withdrawn -withdrawl,withdraw,withdrawal +withdrawl,withdrawal,withdraw withdrawles,withdrawals withdrawling,withdrawing withdrawning,withdrawing @@ -62657,7 +62657,7 @@ withput,without withrawal,withdrawal withrdawal,withdrawals withrdawing,withdrawing -withs,widths,with +withs,with,widths witht,with withtin,within withun,within @@ -62686,9 +62686,9 @@ wnat,want,what wnated,wanted wnating,wanting wnats,wants -wnen,wen,when -wnidow,widow,window -wnidows,widows,windows +wnen,when,wen +wnidow,window,widow +wnidows,windows,widows woarkaround,workaround woh,who wohle,whole @@ -62765,7 +62765,7 @@ workbneches,workbenches workboos,workbooks workd,worked,works worke,work,worked,works -workes,workers,works +workes,works,workers workfore,workforce workfow,workflow workfows,workflows @@ -62798,7 +62798,7 @@ worldveiw,worldview worload,workload worloads,workloads worls,world -worng,worn,wrong +worng,wrong,worn wornged,wronged worngs,wrongs worrry,worry @@ -62810,7 +62810,7 @@ worshoping,worshiping worshopping,worshipping worstened,worsened worthelss,worthless -worthing,meriting,worth +worthing,worth,meriting worthwile,worthwhile woth,worth wothout,without @@ -62838,10 +62838,10 @@ wraapps,wraps wraning,warning wranings,warnings wranlger,wrangler -wraped,warped,wrapped +wraped,wrapped,warped wrapepd,wrapped wraper,wrapper -wraping,warping,wrapping +wraping,wrapping,warping wrapp,wrap wrappered,wrapped wrappng,wrapping @@ -62863,7 +62863,7 @@ wrestlewar,wrestler wriet,write writebufer,writebuffer writechetque,writecheque -writed,write,writer,written,wrote +writed,wrote,written,write,writer writeing,writing writen,written writet,writes @@ -62872,7 +62872,7 @@ writingm,writing writte,write,written writter,writer,written writters,writers -writtin,writing,written +writtin,written,writing writting,writing writtten,written wrkload,workload @@ -62946,7 +62946,7 @@ yaer,year yaerly,yearly yaers,years yatch,yacht -yau,yaw,you +yau,you,yaw yearm,year yeasr,years yeild,yield @@ -62958,7 +62958,7 @@ yelded,yielded yelding,yielding yelds,yields yello,yellow -yementite,yemeni,yemenite +yementite,yemenite,yemeni yera,year yeras,years yersa,years @@ -62981,7 +62981,7 @@ yotube,youtube youforic,euphoric youforically,euphorically youlogy,eulogy -youn,you,young,your +youn,your,you,young youngents,youngest younget,youngest youre,your @@ -62989,15 +62989,15 @@ yourr,your yourselfe,yourself,yourselves yourselfes,yourselves yourselv,yourself,yourselves -yourselve,yourself,yourselves +yourselve,yourselves,yourself yourselvs,yourselves yoursleves,yourselves -youseff,yourself,yousef +youseff,yousef,yourself youself,yourself youthinasia,euthanasia ypes,types yrea,year -yse,nyse,use,yes +yse,yes,use,nyse ytou,you yuforic,euphoric yuforically,euphorically diff --git a/crates/typos-dict/src/dict_codegen.rs b/crates/typos-dict/src/dict_codegen.rs index cb75d32..2a21999 100644 --- a/crates/typos-dict/src/dict_codegen.rs +++ b/crates/typos-dict/src/dict_codegen.rs @@ -391,7 +391,7 @@ static WORD_YS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::D pub static WORD_YS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["nyse", "use", "yes"]], + values: &[&["yes", "use", "nyse"]], range: 1..=1, }; @@ -470,7 +470,7 @@ pub static WORD_YO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["euphoric"], &["euphorically"], &["eulogy"], - &["you", "young", "your"], + &["your", "you", "young"], &["youngest"], &["youngest"], &["your"], @@ -478,10 +478,10 @@ pub static WORD_YO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["yourself", "yourselves"], &["yourselves"], &["yourself", "yourselves"], - &["yourself", "yourselves"], + &["yourselves", "yourself"], &["yourselves"], &["yourselves"], - &["yourself", "yousef"], + &["yousef", "yourself"], &["yourself"], &["euthanasia"], ], @@ -559,7 +559,7 @@ pub static WORD_YE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["yielding"], &["yields"], &["yellow"], - &["yemeni", "yemenite"], + &["yemenite", "yemeni"], &["year"], &["years"], &["years"], @@ -587,7 +587,7 @@ pub static WORD_YA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["yearly"], &["years"], &["yacht"], - &["yaw", "you"], + &["you", "yaw"], ], range: 1..=5, }; @@ -916,7 +916,7 @@ pub static WORD_WRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["write"], &["writebuffer"], &["writecheque"], - &["write", "writer", "written", "wrote"], + &["wrote", "written", "write", "writer"], &["writing"], &["written"], &["writes"], @@ -925,7 +925,7 @@ pub static WORD_WRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["write", "written"], &["writer", "written"], &["writers"], - &["writing", "written"], + &["written", "writing"], &["writing"], &["written"], ], @@ -1007,10 +1007,10 @@ pub static WORD_WRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["warning"], &["warnings"], &["wrangler"], - &["warped", "wrapped"], + &["wrapped", "warped"], &["wrapped"], &["wrapper"], - &["warping", "wrapping"], + &["wrapping", "warping"], &["wrap"], &["wrapped"], &["wrapping"], @@ -1168,7 +1168,7 @@ pub static WORD_WORT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("hing"), dictgen::InsensitiveStr::Ascii("hwile"), ], - values: &[&["worthless"], &["meriting", "worth"], &["worthwhile"]], + values: &[&["worthless"], &["worth", "meriting"], &["worthwhile"]], range: 4..=5, }; @@ -1219,7 +1219,7 @@ pub static WORD_WORN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ged"), dictgen::InsensitiveStr::Ascii("gs"), ], - values: &[&["worn", "wrong"], &["wronged"], &["wrongs"]], + values: &[&["wrong", "worn"], &["wronged"], &["wrongs"]], range: 1..=3, }; @@ -1344,7 +1344,7 @@ pub static WORD_WORK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["workbooks"], &["worked", "works"], &["work", "worked", "works"], - &["workers", "works"], + &["works", "workers"], &["workforce"], &["workflow"], &["workflows"], @@ -1624,9 +1624,9 @@ pub static WORD_WN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["wanted"], &["wanting"], &["wants"], - &["wen", "when"], - &["widow", "window"], - &["widows", "windows"], + &["when", "wen"], + &["window", "widow"], + &["windows", "widows"], ], range: 2..=5, }; @@ -1916,7 +1916,7 @@ pub static WORD_WITH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["withdrawal"], &["withdrawals"], &["withdrawn"], - &["withdraw", "withdrawal"], + &["withdrawal", "withdraw"], &["withdrawals"], &["withdrawing"], &["withdrawing"], @@ -1953,7 +1953,7 @@ pub static WORD_WITH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["withdrawal"], &["withdrawals"], &["withdrawing"], - &["widths", "with"], + &["with", "widths"], &["with"], &["within"], &["within"], @@ -1964,7 +1964,7 @@ pub static WORD_WITH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_WITE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_WITE_CHILDREN), - value: Some(&["white", "write"]), + value: Some(&["write", "white"]), }; pub static WORD_WITE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -2076,7 +2076,7 @@ pub static WORD_WIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("tual"), ], values: &[ - &["weird", "wired"], + &["wired", "weird"], &["weirdest"], &["wireframe"], &["wireframes"], @@ -2191,7 +2191,7 @@ pub static WORD_WIM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_WIL_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_WIL_CHILDREN), - value: Some(&["well", "will"]), + value: Some(&["will", "well"]), }; pub static WORD_WIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -2303,7 +2303,7 @@ pub static WORD_WIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["widget"], &["widgets"], &["weighed", "wicked"], - &["weighed", "weighted"], + &["weighted", "weighed"], ], range: 3..=4, }; @@ -2332,7 +2332,7 @@ pub static WORD_WIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["wife"], &["weighed"], &["weight"], - &["weighed", "weighted"], + &["weighted", "weighed"], &["weightlifting"], &["weights"], &["view"], @@ -2389,7 +2389,7 @@ pub static WORD_WID_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["widthpoint"], &["widthpoints"], &["widow", "window"], - &["widows", "windows"], + &["windows", "widows"], &["width"], &["without"], ], @@ -2550,7 +2550,7 @@ pub static WORD_WHO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["wholeheartedly"], &["wholly"], &["wholly"], - &["holy", "wholly"], + &["wholly", "holy"], &["whom", "whose"], &["whose"], &["whose"], @@ -2671,7 +2671,7 @@ pub static WORD_WHI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["whispering"], &["whispers"], &["this", "whisk"], - &["whisk", "wish"], + &["wish", "whisk"], &["wishlist"], &["wishlist"], &["whistle"], @@ -2688,12 +2688,12 @@ pub static WORD_WHI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["whitespace"], &["whitespaces"], &["with"], - &["white", "with"], + &["with", "white"], &["within"], &["withholding"], &["without"], &["whitelist"], - &["whiteout", "without"], + &["without", "whiteout"], &["white"], &["whistle"], &["whistles"], @@ -2720,7 +2720,7 @@ pub static WORD_WHH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_WHE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_WHE_CHILDREN), - value: Some(&["we", "when"]), + value: Some(&["when", "we"]), }; pub static WORD_WHE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -2752,12 +2752,12 @@ pub static WORD_WHE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["when"], &["whether"], &["weigh"], - &["well", "wheel"], + &["wheel", "well"], &["when"], &["whenever"], &["when"], &["whenever"], - &["were", "where"], + &["where", "were"], &["whereas"], &["whereas"], &["wherever"], @@ -2817,7 +2817,7 @@ pub static WORD_WHA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["whatever"], &["whitespace"], &["whitespaces"], - &["weather", "whether"], + &["whether", "weather"], &["whatever"], &["whatsoever"], &["whatsoever"], @@ -3179,7 +3179,7 @@ pub static WORD_WED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["wednesdays"], &["wednesdays"], &["wednesdays"], - &["wednesday", "wednesdays"], + &["wednesdays", "wednesday"], &["wednesday"], &["wednesday"], &["wednesdays"], @@ -3400,14 +3400,14 @@ pub static WORD_WAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["watermelon"], &["waterproof"], &["waterproof"], - &["watch", "what", "wrath"], + &["watch", "wrath", "what"], &["watch"], &["watcher"], &["watching"], &["watchmen"], &["watchdog"], &["whatever"], - &["watches", "whats"], + &["whats", "watches"], &["waiters"], &["waiting"], &["watkins"], @@ -4433,7 +4433,7 @@ static WORD_VOX_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_VOX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("es")], - values: &[&["voxel", "voxels"]], + values: &[&["voxels", "voxel"]], range: 2..=2, }; @@ -4721,7 +4721,7 @@ pub static WORD_VIZ_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["visualisation"], &["visualise"], &["visualised"], - &["virtualization", "visualization"], + &["visualization", "virtualization"], &["visualize"], &["visualized"], ], @@ -4912,7 +4912,7 @@ pub static WORD_VISU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["visualize"], &["visualized"], &["visualizes"], - &["visible", "visual"], + &["visual", "visible"], &["visuals"], &["visually"], &["visuals"], @@ -4952,7 +4952,7 @@ pub static WORD_VISU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_VIST_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_VIST_CHILDREN), value: Some(&[ - "fist", "gist", "list", "mist", "vast", "vest", "visit", "vista", + "visit", "fist", "gist", "list", "mist", "vast", "vest", "vista", ]), }; @@ -4964,8 +4964,8 @@ pub static WORD_VIST_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("s"), ], values: &[ - &["listed", "vested", "visited"], - &["listing", "visiting"], + &["visited", "listed", "vested"], + &["visiting", "listing"], &["visitors"], &["fists", "lists", "visits"], ], @@ -5238,7 +5238,7 @@ pub static WORD_VIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["virtues"], &["virtual"], &["virtue"], - &["viral", "virtual"], + &["virtual", "viral"], &["visualization"], &["virtual"], &["virtualenv"], @@ -5359,7 +5359,7 @@ pub static WORD_VIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["villains"], &["vilification"], &["vilify"], - &["villain", "villein", "villi"], + &["villain", "villi", "villein"], &["violently"], ], range: 1..=10, @@ -5400,7 +5400,7 @@ pub static WORD_VIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("rins"), ], values: &[ - &["vigour", "vigueur"], + &["vigueur", "vigour"], &["vigilante"], &["vigilante"], &["vigilante", "vigilantes"], @@ -6097,7 +6097,7 @@ pub static WORD_VERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["verification"], &["verifications"], &["verifier"], - &["verified", "verify"], + &["verify", "verified"], &["verification"], &["verifications"], &["verification"], @@ -6107,7 +6107,7 @@ pub static WORD_VERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["verification"], &["verification"], &["verifications"], - &["verified", "verify"], + &["verify", "verified"], &["verifying"], &["verification"], &["verifying"], @@ -7216,8 +7216,8 @@ pub static WORD_VALU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["valued"], &["values"], &["valuing"], - &["talus", "value", "values"], - &["value", "values"], + &["values", "talus", "value"], + &["values", "value"], ], range: 1..=7, }; @@ -7362,7 +7362,7 @@ pub static WORD_VALI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["validation"], &["validator"], - &["validate", "validated"], + &["validated", "validate"], &["validate"], &["validation"], &["validaterelease"], @@ -7858,7 +7858,7 @@ pub static WORD_USU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["usable"], &["usage"], - &["usual", "usually"], + &["usually", "usual"], &["usually"], &["usually"], &["usually"], @@ -7950,7 +7950,7 @@ pub static WORD_USI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["usable"], &["busied", "used"], &["using"], - &["unsign", "using"], + &["using", "unsign"], &["unsigned"], &["using"], &["using"], @@ -8012,7 +8012,7 @@ pub static WORD_USE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["useful"], &["usefully"], &["useful"], - &["usage", "user"], + &["user", "usage"], &["usage"], &["using"], &["users"], @@ -8084,7 +8084,7 @@ pub static WORD_UR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg values: &[ &["uranium"], &["uranium"], - &["are", "ire", "rue", "sure", "urea"], + &["sure", "ire", "are", "urea", "rue"], &["urethra"], &["urethra"], &["ukraine"], @@ -9499,7 +9499,7 @@ pub static WORD_UNSE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["unsearchable"], &["unsuccessful"], - &["unset", "unused", "used"], + &["used", "unused", "unset"], &["unselect"], &["unselected"], &["unselects"], @@ -9549,7 +9549,7 @@ pub static WORD_UNSA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ble"), dictgen::InsensitiveStr::Ascii("nfe"), ], - values: &[&["unstable", "unusable", "usable"], &["unsafe"]], + values: &[&["unusable", "usable", "unstable"], &["unsafe"]], range: 3..=3, }; @@ -9786,7 +9786,7 @@ pub static WORD_UNREL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["unreliable"], &["unrelated"], - &["unrelated", "unreleased"], + &["unreleased", "unrelated"], &["unreliable"], &["unrelated"], &["unreliable"], @@ -9858,7 +9858,7 @@ pub static WORD_UNREG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["unregistered"], &["registering"], &["unregistered"], - &["unregistered", "unregisters"], + &["unregisters", "unregistered"], &["unregistered"], &["unregisters"], &["unregistering"], @@ -10772,7 +10772,7 @@ pub static WORD_UNINT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["unintelligent"], &["unintentional"], &["unintentionally"], - &["unindented", "unintended"], + &["unintended", "unindented"], &["unintentionally"], &["unintentional"], &["unintentionally"], @@ -10911,11 +10911,11 @@ pub static WORD_UNINF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("roms"), ], values: &[ - &["uniform", "uninform"], - &["uniformed", "uninformed"], - &["uniforms", "uninforms"], - &["uniforming", "uninforming"], - &["uniforms", "uninforms"], + &["uninform", "uniform"], + &["uninformed", "uniformed"], + &["uninforms", "uniforms"], + &["uninforming", "uniforming"], + &["uninforms", "uniforms"], ], range: 3..=6, }; @@ -11035,7 +11035,7 @@ pub static WORD_UNIF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["uniformity"], &["uniformly"], &["uniforms"], - &["uniform", "uniformly"], + &["uniformly", "uniform"], &["uniform"], &["uniformed"], &["uniformity"], @@ -11577,7 +11577,7 @@ static WORD_UNEE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_UNEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ded")], - values: &[&["needed", "unheeded", "unneeded"]], + values: &[&["unneeded", "unheeded", "needed"]], range: 3..=3, }; @@ -11987,7 +11987,7 @@ pub static WORD_UNDERT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("unes"), ], values: &[ - &["understand", "understandable"], + &["understandable", "understand"], &["undertaker"], &["undertaking"], &["understand"], @@ -11997,7 +11997,7 @@ pub static WORD_UNDERT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["understands"], &["undertones"], &["undertaker"], - &["understand", "understands"], + &["understands", "understand"], &["understanding"], &["understands"], &["understood"], @@ -12048,7 +12048,7 @@ pub static WORD_UNDERS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["underestimated"], &["undergo"], &["understands"], - &["understand", "understands"], + &["understands", "understand"], &["understandable"], &["understanding"], &["understands"], @@ -13249,7 +13249,7 @@ pub static WORD_UNB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["unbreakable"], &["unbreakable"], &["unbreakable"], - &["unbounded", "unbundled"], + &["unbundled", "unbounded"], ], range: 3..=11, }; @@ -13620,7 +13620,7 @@ pub static WORD_UNAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["unacceptable"], &["unacceptable"], - &["inaccessible", "unaccessible"], + &["unaccessible", "inaccessible"], &["inaccessible"], &["unacceptable"], &["unacknowledged"], @@ -13792,7 +13792,7 @@ pub static WORD_UK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["ukraine"], &["unknown"], &["unknowns"], - &["unknown", "unknowns"], + &["unknowns", "unknown"], &["ukrainian"], &["ukrainians"], &["ukrainians"], @@ -13881,7 +13881,7 @@ pub static WORD_UF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg static WORD_UE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_UE_CHILDREN), - value: Some(&["due", "use"]), + value: Some(&["use", "due"]), }; pub static WORD_UE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -13906,7 +13906,7 @@ pub static WORD_UE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["used"], &["uses"], &["useful"], - &["useful", "usefull"], + &["usefull", "useful"], &["usefulness"], &["useless"], &["uselessness"], @@ -13942,10 +13942,10 @@ pub static WORD_UD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("pating"), ], values: &[ - &["dated", "updated"], + &["updated", "dated"], &["updated"], - &["dater", "updater"], - &["dating", "updating"], + &["updater", "dater"], + &["updating", "dating"], &["uuid"], &["undercut"], &["underdog"], @@ -14103,17 +14103,17 @@ pub static WORD_TY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("rrany"), ], values: &[ - &["tie", "type"], + &["type", "tie"], &["tylenol"], &["type"], &["typeof"], - &["ties", "types"], + &["types", "ties"], &["that"], - &["the", "they", "type"], + &["they", "the", "type"], &["tries"], &["tylenol"], &["timecode"], - &["toe", "toey", "type"], + &["type", "toe", "toey"], &["type"], &["typecast"], &["typecasting"], @@ -14125,14 +14125,14 @@ pub static WORD_TY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["typechecking"], &["typescript"], &["types"], - &["typical", "typically"], + &["typically", "typical"], &["typically"], &["typically"], &["typically"], &["tuple"], &["tuples"], - &["type", "types", "typo"], - &["types", "typos"], + &["typo", "type", "types"], + &["typos", "types"], &["typographic"], &["typographic"], &["typographical"], @@ -14183,7 +14183,7 @@ pub static WORD_TW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["twilight"], &["twilight"], &["town"], - &["too", "two"], + &["two", "too"], &["tuesday"], &["two"], ], @@ -14316,7 +14316,7 @@ pub static WORD_TUR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["terrains"], &["turbines"], &["turquoise"], - &["pure", "true"], + &["true", "pure"], &["turkish"], &["turquoise"], &["turkish"], @@ -14325,7 +14325,7 @@ pub static WORD_TUR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["truly"], &["turnaround"], &["turnaround"], - &["trunk", "turn", "turnkey"], + &["trunk", "turnkey", "turn"], &["turntable"], &["turntable"], &["tutorial"], @@ -14415,7 +14415,7 @@ pub static WORD_TUN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["tuned"], &["tunnel"], &["tunnels"], - &["running", "tuning"], + &["tuning", "running"], &["tunnels"], &["turnaround"], &["turntable"], @@ -14456,7 +14456,7 @@ pub static WORD_TUE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("sdsay"), dictgen::InsensitiveStr::Ascii("sdsy"), ], - values: &[&["tuesday"], &["tuesdays"], &["tuesday", "tuesdays"]], + values: &[&["tuesday"], &["tuesdays"], &["tuesdays", "tuesday"]], range: 4..=5, }; @@ -14845,10 +14845,10 @@ pub static WORD_TROU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["troubleshoot"], &["troubleshooting"], &["throughout", "throughput"], - &["throughout", "throughput"], + &["throughput", "throughout"], &["through"], &["troupe"], - &["troops", "troupes"], + &["troupes", "troops"], ], range: 1..=12, }; @@ -15229,11 +15229,11 @@ pub static WORD_TRIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["triangle"], &["triangles"], &["trinkets"], - &["ring", "string", "trying"], + &["trying", "string", "ring"], &["triangle"], &["trinket"], &["trinkets"], - &["rings", "strings"], + &["strings", "rings"], &["trinity"], &["trinity"], &["trinkets"], @@ -15257,7 +15257,7 @@ pub static WORD_TRIM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["trimmed"], - &["timing", "trimming"], + &["trimming", "timing"], &["trimming"], &["triumph"], ], @@ -15328,7 +15328,7 @@ pub static WORD_TRIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("uered"), ], values: &[ - &["tiger", "trigger"], + &["trigger", "tiger"], &["triggered"], &["triggered"], &["triggering"], @@ -15534,7 +15534,7 @@ pub static WORD_TRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("wthfully"), ], values: &[ - &["threaded", "treaded", "treated"], + &["treated", "threaded", "treaded"], &["treat", "tweak"], &["treasure"], &["treasures"], @@ -17019,7 +17019,7 @@ pub static WORD_TRANSF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["transforms"], &["transformation"], &["transformed"], - &["transfer", "transform", "transformed", "transformer"], + &["transfer", "transformed", "transformer", "transform"], &["transforms"], &["transformed"], &["transformers"], @@ -17034,7 +17034,7 @@ pub static WORD_TRANSF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["transformation"], &["transformations"], &["transformed"], - &["transformer", "transformers"], + &["transformers", "transformer"], &["transformers"], &["transforming"], &["transforms"], @@ -17170,7 +17170,7 @@ pub static WORD_TRANSC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["transcripts"], &["transcript"], &["transaction"], - &["transactions", "transitions"], + &["transitions", "transactions"], &["translucent"], ], range: 3..=13, @@ -17215,15 +17215,15 @@ pub static WORD_TRANSA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["transaction"], &["transaction"], &["transactions"], - &["transaction", "transactions"], + &["transactions", "transaction"], &["transactions"], &["transaction"], &["transactions"], &["transactional", "transactions"], &["transaction"], &["transactions"], - &["transaction", "transition", "translation"], - &["transactions", "transitions", "translations"], + &["translation", "transition", "transaction"], + &["translations", "transitions", "transactions"], &["translation"], &["translations"], &["translate"], @@ -17236,9 +17236,9 @@ pub static WORD_TRANSA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["translator"], &["translators"], &["transparency"], - &["transaction", "transition", "translation"], + &["transition", "transaction", "translation"], &["transitional"], - &["transactions", "transitions", "translations"], + &["transitions", "transactions", "translations"], ], range: 2..=7, }; @@ -17528,7 +17528,7 @@ pub static WORD_TRAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("uatized"), ], values: &[ - &["tram", "trams", "trauma"], + &["trauma", "tram", "trams"], &["trams", "traumas"], &["traumatic"], &["traumatized"], @@ -17569,12 +17569,12 @@ pub static WORD_TRAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["trailer"], &["trailers"], &[ + "trailing", + "trialing", "tracing", "trading", - "trailing", "traveling", "trawling", - "trialing", ], &[ "trailed", @@ -17981,7 +17981,7 @@ pub static WORD_TOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["touchscreen"], &["touchscreen"], &["touchscreen"], - &["taught", "thought", "tough"], + &["thought", "taught", "tough"], &["thoughtful"], &["tightly"], &["thoughts"], @@ -18430,7 +18430,7 @@ pub static WORD_TOE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("kn"), dictgen::InsensitiveStr::Ascii("ther"), ], - values: &[&["token"], &["tether", "together"]], + values: &[&["token"], &["together", "tether"]], range: 2..=4, }; @@ -18656,7 +18656,7 @@ pub static WORD_TIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("e"), dictgen::InsensitiveStr::Ascii("ically"), ], - values: &[&["tip", "type"], &["typically"]], + values: &[&["type", "tip"], &["typically"]], range: 1..=6, }; @@ -18749,8 +18749,8 @@ pub static WORD_TIM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["timespan"], &["timespans"], &["timespan"], - &["timespan", "timestamp"], - &["timespans", "timestamps"], + &["timestamp", "timespan"], + &["timestamps", "timespans"], &["timespans"], &["timestamp"], &["timestamped"], @@ -18884,7 +18884,7 @@ pub static WORD_TIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["tying"], - &["item", "time"], + &["time", "item"], &["timeout"], &["timestamp"], &["timestamped"], @@ -18922,7 +18922,7 @@ pub static WORD_TIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("kness"), ], values: &[ - &["stitch", "thick", "tick", "titch"], + &["thick", "tick", "titch", "stitch"], &["thickened"], &["thickness"], &["thickness"], @@ -18992,7 +18992,7 @@ pub static WORD_THY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_THW_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_THW_CHILDREN), - value: Some(&["thaw", "the"]), + value: Some(&["the", "thaw"]), }; pub static WORD_THW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -19047,7 +19047,7 @@ pub static WORD_THU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["thumbnail"], &["thumbnails"], &["thumbnails"], - &["thumbnail", "thumbnails"], + &["thumbnails", "thumbnail"], &["thumbnails"], &["thumbnail"], &["thunderbolt"], @@ -19078,7 +19078,7 @@ pub static WORD_THU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_THT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_THT_CHILDREN), - value: Some(&["that", "the"]), + value: Some(&["the", "that"]), }; pub static WORD_THT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -19087,7 +19087,7 @@ pub static WORD_THT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("at"), dictgen::InsensitiveStr::Ascii("e"), ], - values: &[&["that"], &["that"], &["that", "the"]], + values: &[&["that"], &["that"], &["the", "that"]], range: 1..=2, }; @@ -19270,7 +19270,7 @@ pub static WORD_THRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["thrown"], &["through"], &["thorium"], - &["throne", "thrown"], + &["thrown", "throne"], &["thrones"], &["thorough"], &["thorough"], @@ -19330,7 +19330,7 @@ pub static WORD_THRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_THRE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_THRE_CHILDREN), - value: Some(&["the", "their", "there", "three"]), + value: Some(&["three", "there", "their", "the"]), }; pub static WORD_THRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -19502,18 +19502,18 @@ pub static WORD_THO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["thoroughly"], &["thoroughly"], &["throttling"], - &["thorough", "through"], + &["through", "thorough"], &["throughout"], &["thorium"], &["thoroughly"], - &["thorn", "thrown"], - &["this", "those"], + &["thrown", "thorn"], + &["those", "this"], &["those"], &["those"], &["touch"], &["throughout"], &["thoughts"], - &["though", "thought"], + &["thought", "though"], &["thought"], &["thoughts"], &["thousands"], @@ -19637,15 +19637,15 @@ pub static WORD_THI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["thailand"], - &["thickening", "thinking"], - &["thickens", "thickness"], + &["thinking", "thickening"], + &["thickness", "thickens"], &["this"], &["the", "this"], &["their"], &["theistic"], &["theists"], - &["fight", "thigh", "tight"], - &["fights", "thighs", "tights"], + &["tight", "thigh", "fight"], + &["tights", "thighs", "fights"], &["thing"], &["things"], &["thingy"], @@ -19655,16 +19655,16 @@ pub static WORD_THI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["think"], &["thickness"], &["thicknesses"], - &["thickening", "thinking"], + &["thinking", "thickening"], &["thinks"], &["thinks"], - &["theme", "thine", "thyme", "time"], + &["time", "theme", "thyme", "thine"], &["things"], &["thinking"], &["things"], &["thinkable"], - &["thing", "things", "think"], - &["things", "thinks"], + &["think", "thing", "things"], + &["thinks", "things"], &["thin"], &["thirties"], &["thirdly"], @@ -19807,7 +19807,7 @@ pub static WORD_THET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_THES_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_THES_CHILDREN), - value: Some(&["these", "this"]), + value: Some(&["this", "these"]), }; pub static WORD_THES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -19824,7 +19824,7 @@ pub static WORD_THES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["thresholds"], &["theistic"], &["theists"], - &["these", "this"], + &["this", "these"], &["test"], ], range: 1..=5, @@ -19832,7 +19832,7 @@ pub static WORD_THES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_THER_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Nested(&WORD_THER_CHILDREN), - value: Some(&["other", "the", "their", "there"]), + value: Some(&["there", "their", "the", "other"]), }; static WORD_THER_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str]>>; 26] = [ @@ -19914,7 +19914,7 @@ pub static WORD_THERO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["theorists"], &["thermodynamics"], &["thermostat"], - &["thorough", "through"], + &["through", "thorough"], ], range: 2..=9, }; @@ -20046,7 +20046,7 @@ pub static WORD_THERE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["therefor"], &["therefor"], &["therein"], - &["theorem", "there"], + &["there", "theorem"], &["theorem"], &["theoretical"], &["theoretically"], @@ -20188,10 +20188,10 @@ pub static WORD_THEM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["template"], &["themself"], &["themselves"], - &["themself", "themselves"], + &["themselves", "themself"], &["themselves"], &["themselves"], - &["themself", "themselves"], + &["themselves", "themself"], &["themselves"], &["themselves"], &["themself"], @@ -20222,7 +20222,7 @@ pub static WORD_THEI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["thief"], &["thieves"], &["their"], - &["thesis", "this"], + &["this", "thesis"], &["theistic"], &["theistic"], &["thief"], @@ -20344,10 +20344,10 @@ pub static WORD_THA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["than", "that"], &["there"], &["that"], - &["than", "that"], + &["that", "than"], &["taught", "thought"], &["thoughts"], - &["that", "they"], + &["they", "that"], ], range: 1..=9, }; @@ -20537,8 +20537,8 @@ pub static WORD_TES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["testcase"], &["testcases"], - &["tease", "terse", "these"], - &["teased", "tested", "used"], + &["these", "tease", "terse"], + &["used", "teased", "tested"], &["tessellate"], &["tessellated"], &["tessellation"], @@ -21281,13 +21281,13 @@ pub static WORD_TEMPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["temperamental"], &["temporarily"], &["temporal"], - &["temporally", "temporarily"], + &["temporarily", "temporally"], &["temporarily"], &["temporarily"], &["temporary"], &["temporary"], &["temporarily"], - &["temporarily", "temporary"], + &["temporary", "temporarily"], &["temperature"], &["temperatures"], &["temporary"], @@ -21301,7 +21301,7 @@ pub static WORD_TEMPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["temporarily"], &["temporary"], &["temporary"], - &["temporally", "temporarily"], + &["temporarily", "temporally"], &["temporal"], &["temperament"], &["temperamental"], @@ -21379,7 +21379,7 @@ pub static WORD_TEMPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["temporarily"], &["temporarily"], &["temporarily"], - &["temporally", "temporarily", "temporary"], + &["temporary", "temporarily", "temporally"], &["temporarily"], &["temporarily"], &["temporarily"], @@ -21387,7 +21387,7 @@ pub static WORD_TEMPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["temporary"], &["temporarily"], &["temporarily"], - &["temporarily", "temporary"], + &["temporary", "temporarily"], &["temporary"], &["temporaries"], &["temporarily"], @@ -21499,7 +21499,7 @@ pub static WORD_TEMPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ts"), ], values: &[ - &["temperature", "temperatures"], + &["temperatures", "temperature"], &["temperatures"], &["temperature"], &["template"], @@ -21613,7 +21613,7 @@ static WORD_TEMM_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_TEMM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("porary")], - values: &[&["temporarily", "temporary"]], + values: &[&["temporary", "temporarily"]], range: 6..=6, }; @@ -22402,7 +22402,7 @@ pub static WORD_TAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["taskbar"], &["tasklet"], &["talisman"], - &["task", "taste", "test"], + &["taste", "task", "test"], ], range: 1..=5, }; @@ -22630,7 +22630,7 @@ pub static WORD_TAK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("s"), dictgen::InsensitiveStr::Ascii("slet"), ], - values: &[&["takes", "task", "tasks"], &["tasklet"]], + values: &[&["task", "tasks", "takes"], &["tasklet"]], range: 1..=4, }; @@ -22700,7 +22700,7 @@ pub static WORD_TAG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ued"), ], values: &[ - &["stage", "tag", "tagged", "take"], + &["stage", "take", "tag", "tagged"], &["tagged"], &["stages", "tags"], &["target"], @@ -23838,7 +23838,7 @@ pub static WORD_SYL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["syllable"], &["syllables"], &["syllabus"], - &["syllabi", "syllabuses"], + &["syllabuses", "syllabi"], &["style"], &["styles"], &["syllable"], @@ -23848,7 +23848,7 @@ pub static WORD_SYL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["syllable"], &["syllable"], &["syllables"], - &["syllabification", "syllabus"], + &["syllabus", "syllabification"], &["syslog"], ], range: 1..=7, @@ -24436,15 +24436,15 @@ pub static WORD_SUT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("tling"), ], values: &[ - &["stable", "suitable"], + &["suitable", "stable"], &["shutdown"], - &["site", "suit", "suite"], + &["site", "suite", "suit"], &["satisfaction"], &["satisfied"], &["satisfies"], &["satisfy"], &["satisfying"], - &["shuttle", "subtle"], + &["subtle", "shuttle"], &["shuttled"], &["shuttles"], &["subtlety"], @@ -24924,7 +24924,7 @@ pub static WORD_SURR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["surrogate"], - &["surrendered", "surrounded"], + &["surrounded", "surrendered"], &["surrendered"], &["surrendered"], &["surreptitious"], @@ -25029,7 +25029,7 @@ static WORD_SURL_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_SURL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ey")], - values: &[&["surely", "surly"]], + values: &[&["surly", "surely"]], range: 2..=2, }; @@ -25459,7 +25459,7 @@ pub static WORD_SUPPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["supported"], &["supported", "supporter"], &["supports"], - &["supported", "supporter"], + &["supporter", "supported"], &["supporter"], &["supporters"], &["supported"], @@ -25480,7 +25480,7 @@ pub static WORD_SUPPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["supposedly"], &["supposedly"], &["supposed"], - &["support", "supports", "suppose"], + &["supports", "support", "suppose"], &["support"], &["supported"], ], @@ -25921,7 +25921,7 @@ pub static WORD_SUPERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["superior"], &["superiors"], &["superiors"], - &["superior", "superiors"], + &["superiors", "superior"], &["superior"], &["superiors"], &["supervisors"], @@ -26270,7 +26270,7 @@ pub static WORD_SUG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["suggestion"], &["suggestions"], &["suggests"], - &["suggest", "suggests"], + &["suggests", "suggest"], &["suggested"], &["suggesting"], &["suggestion"], @@ -26604,7 +26604,7 @@ pub static WORD_SUCE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["success"], &["sufficient"], &["succeeded"], - &["seceding", "succeeding"], + &["succeeding", "seceding"], &["successfully"], &["successes"], &["success"], @@ -26832,7 +26832,7 @@ pub static WORD_SUCCE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["successfully"], &["succession", "successive"], &["succession"], - &["success", "successes"], + &["successes", "success"], &["successfully"], &["succession"], &["succession", "suggestion"], @@ -27146,7 +27146,7 @@ pub static WORD_SUBSTU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d values: &[ &["substructure"], &["substructures"], - &["substitute", "substitutes"], + &["substitutes", "substitute"], ], range: 4..=6, }; @@ -27573,12 +27573,12 @@ pub static WORD_SUBSC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["subscribers"], &["subscribe"], &["subscribed"], - &["subscriber", "subscribers"], + &["subscribers", "subscriber"], &["subscribers"], &["subscribes"], &["subscribing"], &["subscript"], - &["subscription", "subscriptions"], + &["subscriptions", "subscription"], &["subscriptions"], &["subconscious"], &["subconsciously"], @@ -27598,7 +27598,7 @@ pub static WORD_SUBSC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["subscriptions"], &["subscription"], &["subscriptions"], - &["subscription", "subscriptions"], + &["subscriptions", "subscription"], &["subscriptions"], &["subscription"], &["subscriptions"], @@ -27861,7 +27861,7 @@ pub static WORD_SUBM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["submarines"], &["submission"], &["submissions"], - &["submission", "submissions"], + &["submissions", "submission"], &["submissions"], &["submissive"], &["submission"], @@ -28312,7 +28312,7 @@ pub static WORD_STU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["study"], &["student"], &["students"], - &["studio", "study"], + &["study", "studio"], &["studying"], &["studios"], &["studies", "studios"], @@ -28369,8 +28369,8 @@ pub static WORD_STT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["state"], &["setting"], &["settings"], - &["setting", "sitting", "string"], - &["settings", "sittings", "strings"], + &["string", "setting", "sitting"], + &["strings", "settings", "sittings"], &["stuttering"], ], range: 1..=7, @@ -28620,7 +28620,7 @@ pub static WORD_STRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["stores"], &["storing"], &["storage"], - &["destroy", "story"], + &["story", "destroy"], &["storyboard"], &["storyline"], &["storylines"], @@ -28711,7 +28711,7 @@ pub static WORD_STRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["stringent"], &["strings"], &["stripped"], - &["script", "stripped"], + &["stripped", "script"], &["scripted", "stripped"], &["scripting", "stripping"], &["scripts", "strips"], @@ -29195,7 +29195,7 @@ pub static WORD_STRAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di static WORD_STRAN_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_STRAN_CHILDREN), - value: Some(&["strain", "strand"]), + value: Some(&["strand", "strain"]), }; pub static WORD_STRAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -29215,7 +29215,7 @@ pub static WORD_STRAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["strangest"], &["strangest"], &["strangle"], - &["strange", "strangely", "strangle"], + &["strangely", "strange", "strangle"], &["strangeness"], &["strangle"], ], @@ -29232,7 +29232,7 @@ pub static WORD_STRAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ing"), dictgen::InsensitiveStr::Ascii("s"), ], - values: &[&["steaming", "streaming"], &["steams", "streams", "trams"]], + values: &[&["streaming", "steaming"], &["steams", "streams", "trams"]], range: 1..=3, }; @@ -29442,7 +29442,7 @@ pub static WORD_STO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["stream"], &["storable"], &["storing"], - &["stores", "storeys"], + &["storeys", "stores"], &["storylines"], &["storage"], &["stories"], @@ -29952,7 +29952,7 @@ pub static WORD_STATM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di static WORD_STATI_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_STATI_CHILDREN), - value: Some(&["state", "statuses"]), + value: Some(&["statuses", "state"]), }; pub static WORD_STATI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -30273,7 +30273,7 @@ pub static WORD_STAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["standardized"], &["standardizes"], &["standardizing"], - &["standard", "standards"], + &["standards", "standard"], &["standard"], &["standard"], &["standards"], @@ -30294,7 +30294,7 @@ pub static WORD_STAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["standard"], &["standards"], &["standard"], - &["sandy", "standby", "standee"], + &["standby", "sandy", "standee"], &["stagnant"], &["strange"], &["stamp"], @@ -30602,7 +30602,7 @@ pub static WORD_SR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["screenshot"], &["screenshots"], &["returns"], - &["screw", "sew", "shrew"], + &["screw", "shrew", "sew"], &["sriracha"], &["strikeout"], &["string"], @@ -30622,7 +30622,7 @@ pub static WORD_SR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["sriracha"], &["artifact"], &["artifacts"], - &["sorting", "string"], + &["string", "sorting"], &["strings"], &["structure"], &["settings"], @@ -30719,7 +30719,7 @@ pub static WORD_SQ_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["squeaky"], &["squeaky"], &["sequence"], - &["squirrel", "squirtle"], + &["squirtle", "squirrel"], &["squirrel"], &["squirrel"], &["squirtle"], @@ -30955,7 +30955,7 @@ pub static WORD_SPP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["speeches"], - &["sapped", "sipped", "sopped", "sped", "speed", "supped"], + &["speed", "sped", "sipped", "sapped", "supped", "sopped"], &["support"], &["supported"], &["supporting"], @@ -31124,11 +31124,11 @@ pub static WORD_SPL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["splatoon"], &["splatoon"], &["spelling"], - &["splign", "split"], + &["split", "splign"], &["splits"], &["splitter"], &["splitting"], - &["splice", "split", "splits"], + &["split", "splits", "splice"], &["split"], &["splitting"], &["splinter"], @@ -31180,7 +31180,7 @@ pub static WORD_SPI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["specific"], &["specified"], &["specify"], - &["spiral", "spite"], + &["spite", "spiral"], &["splinter"], &["splitter"], &["splitting"], @@ -31324,9 +31324,9 @@ pub static WORD_SPES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["special"], - &["especially", "specially"], + &["specially", "especially"], &["special"], - &["especially", "specially"], + &["specially", "especially"], &["specialisation"], &["specific"], &["specific"], @@ -32912,7 +32912,7 @@ pub static WORD_SPECIFI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = ], values: &[ &["specifically"], - &["specification", "specifications"], + &["specifications", "specification"], &["specification", "specifications"], &["specifically"], &["specifically"], @@ -32925,7 +32925,7 @@ pub static WORD_SPECIFI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["specified"], &["specifier"], &["specifics", "specifies"], - &["specific", "specify"], + &["specify", "specific"], &["specifically"], &["specification"], &["specifications"], @@ -32936,7 +32936,7 @@ pub static WORD_SPECIFI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["specifically"], &["specification"], &["specifications"], - &["specifically", "specificity", "specify"], + &["specify", "specificity", "specifically"], &["specified"], &["specific"], &["specifically"], @@ -33126,7 +33126,7 @@ pub static WORD_SPECIA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["specials"], &["specialization"], &["specialize"], - &["specialised", "specialized"], + &["specialized", "specialised"], &["specializes"], &["specialized"], &["specializes"], @@ -33300,7 +33300,7 @@ pub static WORD_SPEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["spaced"], &["spaces", "species"], &["speech"], - &["spacial", "special"], + &["special", "spacial"], &["spacing"], &["separate"], &["separated"], @@ -33668,18 +33668,18 @@ pub static WORD_SOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["soundtrack"], &["sauerbraten"], &["source"], - &["source", "sourced"], - &["source", "sourced"], + &["sourced", "source"], + &["sourced", "source"], &["sourcedirectory"], &["source"], &["sources"], - &["source", "sources"], - &["source", "sources"], + &["sources", "source"], + &["sources", "source"], &["source"], - &["sore", "sour", "source", "soured", "sure"], - &["sores", "sources", "soured", "sours"], + &["source", "sure", "sore", "sour", "soured"], + &["sources", "sores", "sours", "soured"], &["surrounding"], - &["sort", "sour", "south"], + &["sort", "south", "sour"], &["south"], &["southern"], &["southampton"], @@ -33733,14 +33733,14 @@ pub static WORD_SOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("yr"), ], values: &[ - &["sorted", "stored"], + &["stored", "sorted"], &["software"], - &["shortage", "storage"], + &["storage", "shortage"], &["sorted", "stored"], &["stores"], - &["sorting", "storing"], + &["storing", "sorting"], &["stormfront"], - &["sorry", "story"], + &["story", "sorry"], &["storyline"], &["storylines"], &["satyr", "story"], @@ -33785,7 +33785,7 @@ pub static WORD_SOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("uces"), ], values: &[ - &["force", "source"], + &["source", "force"], &["sorcery"], &["sorcery"], &["sorcerer"], @@ -33799,7 +33799,7 @@ pub static WORD_SOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["sortlist"], &["sorter"], &["sorter"], - &["shortage", "storage"], + &["storage", "shortage"], &["source", "spruce"], &["sources", "spruces"], ], @@ -33873,8 +33873,8 @@ pub static WORD_SOO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["suicide"], &["pseudonym"], - &["soot", "suet", "suit"], - &["scoop", "snoop", "soap", "soup"], + &["suet", "suit", "soot"], + &["soup", "scoop", "snoop", "soap"], &["source"], &["souvenir"], &["souvenirs"], @@ -33903,10 +33903,10 @@ pub static WORD_SON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["something"], &["singular"], - &["dongle", "single"], - &["dongled", "singled"], - &["dongles", "singles"], - &["dongling", "singling"], + &["single", "dongle"], + &["singled", "dongled"], + &["singles", "dongles"], + &["singling", "dongling"], ], range: 3..=6, }; @@ -34230,11 +34230,11 @@ pub static WORD_SOL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["solidarity"], &["soldiers"], &["solidly"], - &["solar", "solely", "solver"], + &["solver", "solar", "solely"], &["solely"], - &["sold", "solve"], + &["solve", "sold"], &["solved"], - &["solder", "solver"], + &["solver", "solder"], &["solves"], &["solving"], &["solves"], @@ -35084,7 +35084,7 @@ pub static WORD_SKI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["skipped"], &["skipped"], &["skips"], - &["skip", "skipped", "skype"], + &["skip", "skype", "skipped"], &["skirmish"], &["schizophrenic"], &["schizophrenics"], @@ -35406,7 +35406,7 @@ pub static WORD_SIT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["situation"], &["situations"], &["situational"], - &["situational", "situations"], + &["situations", "situational"], &["situational", "situationally"], &["situational"], &["situation"], @@ -35462,7 +35462,7 @@ pub static WORD_SIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ts"), ], values: &[ - &["sisal", "size"], + &["size", "sisal"], &["since"], &["scissor", "sissier", "sister"], &["scissored"], @@ -35480,7 +35480,7 @@ pub static WORD_SIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["systemic"], &["systemically"], &["systemics"], - &["stemming", "systemic"], + &["systemic", "stemming"], &["systemist"], &["systemists"], &["systemize"], @@ -35672,7 +35672,7 @@ pub static WORD_SINS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("e"), dictgen::InsensitiveStr::Ascii("iter"), ], - values: &[&["since", "sines"], &["sinister"]], + values: &[&["sines", "since"], &["sinister"]], range: 1..=4, }; @@ -35840,12 +35840,12 @@ pub static WORD_SING_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["signals"], &["signature"], &["signatures"], - &["signal", "single"], + &["single", "signal"], &["singular"], &["singularity"], &["singularly"], - &["signaled", "singled"], - &["signals", "singles"], + &["singled", "signaled"], + &["singles", "signals"], &["singleplayer"], &["singles"], &["singleton"], @@ -35857,7 +35857,7 @@ pub static WORD_SING_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["singly"], &["singleplayer"], &["singles"], - &["single", "singles"], + &["singles", "single"], &["singleton"], &["singletons"], &["singular"], @@ -35871,12 +35871,12 @@ pub static WORD_SING_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["singular"], &["signaled", "singled"], &["signals", "singles"], - &["signal", "single"], + &["single", "signal"], &["singular"], &["singularity"], &["singularly"], - &["signaled", "singled"], - &["signals", "singles"], + &["singled", "signaled"], + &["singles", "signals"], &["singapore"], &["singsong"], &["singularity"], @@ -36040,7 +36040,7 @@ pub static WORD_SIMU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["simulator"], &["simulators"], &["simulation"], - &["simulation", "simulations"], + &["simulations", "simulation"], &["simulations"], &["simultaneous"], &["simultaneously"], @@ -36291,7 +36291,7 @@ pub static WORD_SIML_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["similar"], &["similarity"], &["similarly"], - &["simile", "simple", "smile"], + &["simple", "smile", "simile"], &["similar"], &["similarities"], &["similarity"], @@ -36309,7 +36309,7 @@ pub static WORD_SIML_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["simulator"], &["simultaneous"], &["simultaneously"], - &["simile", "simply", "smiley"], + &["simply", "simile", "smiley"], ], range: 1..=10, }; @@ -36386,7 +36386,7 @@ pub static WORD_SIMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["similar"], &["simultaneous"], &["simultaneously"], - &["similarly", "simile", "simply", "smiley"], + &["simile", "smiley", "simply", "similarly"], ], range: 2..=10, }; @@ -36529,7 +36529,7 @@ pub static WORD_SIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["syllabuses"], &["silicon"], &["silicon"], - &["saliently", "silently"], + &["silently", "saliently"], &["similar"], &["syllabus"], &["syllabuses"], @@ -36719,7 +36719,7 @@ pub static WORD_SIGN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["signals"], &["signal"], &["singapore"], - &["signature", "signatures"], + &["signatures", "signature"], &["signature"], &["signs"], &["significant"], @@ -36756,9 +36756,9 @@ pub static WORD_SIGN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["signatories"], &["signatory"], &["signatures"], - &["signal", "single"], + &["single", "signal"], &["singleplayer"], - &["signals", "singles"], + &["singles", "signals"], &["signal"], &["signature"], &["signal"], @@ -36779,7 +36779,7 @@ pub static WORD_SIGL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("es"), dictgen::InsensitiveStr::Ascii("eton"), ], - values: &[&["sigil", "single"], &["sigils", "singles"], &["singleton"]], + values: &[&["single", "sigil"], &["singles", "sigils"], &["singleton"]], range: 1..=4, }; @@ -36862,9 +36862,9 @@ pub static WORD_SIGA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("tures"), ], values: &[ - &["sigil", "signal"], + &["signal", "sigil"], &["signaled"], - &["sigils", "signals"], + &["signals", "sigils"], &["signature"], &["signatures"], &["signature"], @@ -36898,7 +36898,7 @@ pub static WORD_SIF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_SIE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_SIE_CHILDREN), - value: Some(&["side", "sigh", "size"]), + value: Some(&["size", "sigh", "side"]), }; pub static WORD_SIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -36915,8 +36915,8 @@ pub static WORD_SIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["science", "silence"], - &["sides", "sighs", "size"], - &["seize", "size"], + &["size", "sighs", "sides"], + &["size", "seize"], &["sizable"], &["seize", "size"], &["seized", "sized"], @@ -37132,15 +37132,15 @@ pub static WORD_SHT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["shitless"], - &["shop", "stop"], - &["shopped", "stopped"], - &["shops", "stops"], - &["shopping", "stopping"], - &["shop", "stop"], - &["shopped", "stopped"], - &["shops", "stops"], - &["shopping", "stopping"], - &["shops", "stops"], + &["stop", "shop"], + &["stopped", "shopped"], + &["stops", "shops"], + &["stopping", "shopping"], + &["stop", "shop"], + &["stopped", "shopped"], + &["stops", "shops"], + &["stopping", "shopping"], + &["stops", "shops"], &["https"], ], range: 2..=6, @@ -37180,7 +37180,7 @@ pub static WORD_SHR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["threshold"], &["shrinks"], &["shirley"], - &["shrank", "shrunk"], + &["shrunk", "shrank"], &["shrapnel"], ], range: 3..=6, @@ -37291,7 +37291,7 @@ pub static WORD_SHO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["software"], &["should"], &["showing"], - &["hold", "should", "sold"], + &["should", "hold", "sold"], &["shoulder"], &["should"], &["should"], @@ -37331,7 +37331,7 @@ pub static WORD_SHO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["shouldnt"], &["shouldn"], &["should"], - &["shawl", "shoal", "should"], + &["should", "shawl", "shoal"], &["should"], &["shoulders"], &["shouldnt"], @@ -37745,7 +37745,7 @@ pub static WORD_SHEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("kspeare"), dictgen::InsensitiveStr::Ascii("t"), ], - values: &[&["shakespeare"], &["cheat", "sheath", "sheet"]], + values: &[&["shakespeare"], &["sheath", "sheet", "cheat"]], range: 1..=7, }; @@ -38233,7 +38233,7 @@ pub static WORD_SEV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["severities"], &["severity"], &["severities"], - &["severities", "severity"], + &["severity", "severities"], &["severity"], &["several"], &["severely"], @@ -38513,9 +38513,9 @@ pub static WORD_SERV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["servants"], &["servants"], - &["serve", "service"], - &["served", "serviced"], - &["serves", "services"], + &["service", "serve"], + &["serviced", "served"], + &["services", "serves"], &["service"], &["services"], &["servicing", "serving"], @@ -38532,7 +38532,7 @@ pub static WORD_SERV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["several"], &["severity"], &["severities"], - &["severities", "severity"], + &["severity", "severities"], &["severities"], &["severity"], &["serverless"], @@ -38704,7 +38704,7 @@ pub static WORD_SERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["serializing"], &["serbian"], &["service"], - &["series", "services"], + &["services", "series"], &["series"], &["serial"], &["series"], @@ -38991,7 +38991,7 @@ pub static WORD_SEQ_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["sequentially"], &["sequences"], &["sequential"], - &["sequence", "squeeze"], + &["squeeze", "sequence"], &["sequence"], &["sequenced"], &["sequencer"], @@ -39837,9 +39837,9 @@ pub static WORD_SENS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["sensitivity"], &["sensitivities"], &["sensitivity"], - &["sensitively", "sensitivity"], + &["sensitivity", "sensitively"], &["sensitive"], - &["sensitively", "sensitivity"], + &["sensitivity", "sensitively"], &["sensors"], &["sensitive"], &["censure"], @@ -40137,7 +40137,7 @@ pub static WORD_SEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["selection"], &["select"], &["selectable"], - &["selectable", "selectables"], + &["selectables", "selectable"], &["selected"], &["selecting"], &["selection"], @@ -40154,10 +40154,10 @@ pub static WORD_SEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["selecting"], &["selection"], &["selected"], - &["select", "selected"], + &["selected", "select"], &["selects"], &["selective"], - &["selecting", "selection"], + &["selection", "selecting"], &["selections"], &["selectively"], &["selectively"], @@ -40169,9 +40169,9 @@ pub static WORD_SEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["selections"], &["selector"], &["select"], - &["deleted", "selected"], - &["deletion", "selection"], - &["deletions", "selections"], + &["selected", "deleted"], + &["selection", "deletion"], + &["selections", "deletions"], &["selects"], &["selfishness"], &["selfies"], @@ -40180,7 +40180,7 @@ pub static WORD_SEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["selfies"], &["select"], &["selected"], - &["self", "set", "sold"], + &["set", "self", "sold"], &["self"], ], range: 1..=8, @@ -40395,7 +40395,7 @@ pub static WORD_SEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["seamlessly"], &["session"], &["sessions"], - &["seating", "seething", "setting"], + &["seating", "setting", "seething"], &["settings"], &["severities"], &["severity"], @@ -40549,7 +40549,7 @@ pub static WORD_SECT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["sections"], &["sections"], &["sectioning"], - &["section", "sectioned"], + &["sectioned", "section"], &["section"], &["sectioned"], &["sectioning"], @@ -40660,7 +40660,7 @@ pub static WORD_SECO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["secondary"], &["secondary"], &["secondary"], - &["secondary", "secondly"], + &["secondly", "secondary"], &["second"], &["seconds"], &["secondly"], @@ -40733,8 +40733,8 @@ pub static WORD_SECE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("rts"), ], values: &[ - &["secede", "succeed"], - &["seceded", "succeeded"], + &["succeed", "secede"], + &["succeeded", "seceded"], &["scene"], &["secretary"], &["secretly"], @@ -40930,7 +40930,7 @@ pub static WORD_SCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["success"], &["successes"], &["successfully"], - &["sculptor", "sculpture"], + &["sculpture", "sculptor"], &["sculptors", "sculptures"], &["sculpture"], &["sculpture"], @@ -41354,9 +41354,9 @@ pub static WORD_SCO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["scorpion"], &["scotsman"], &["scottish"], - &["scouse", "source"], - &["scoured", "sourced"], - &["scourer", "scouser", "sorcerer"], + &["source", "scouse"], + &["sourced", "scoured"], + &["scourer", "sorcerer", "scouser"], &["sources"], ], range: 2..=7, @@ -41477,7 +41477,7 @@ pub static WORD_SCI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["scientifically"], &["scientist"], &["scientist"], - &["scientist", "scientists"], + &["scientists", "scientist"], &["scientist"], &["science"], &["science"], @@ -41584,7 +41584,7 @@ pub static WORD_SCH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["schemes"], &["scheme"], &["schemed"], - &["schemas", "schemes"], + &["schemes", "schemas"], &["scheduling"], &["schizophrenic"], &["schizophrenic"], @@ -41607,7 +41607,7 @@ pub static WORD_SCH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["scholarship", "scholarships"], &["scholarships"], &["scholarly"], - &["scholarly", "scholastic"], + &["scholastic", "scholarly"], &["scholarly"], &["scholarship"], &["scholarships"], @@ -41668,14 +41668,14 @@ pub static WORD_SCE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["scenario"], &["scenarios"], &["specified"], - &["scene", "scheme", "screen", "seen"], - &["scenes", "schemes", "screens"], + &["scene", "seen", "screen", "scheme"], + &["scenes", "screens", "schemes"], &["scientific"], &["scientifically"], &["scientist"], &["scientists"], - &["scene", "scheme"], - &["scenes", "schemes"], + &["scheme", "scene"], + &["schemes", "scenes"], &["scenario"], &["scenarios"], &["scenarios"], @@ -41683,7 +41683,7 @@ pub static WORD_SCE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["scenarios"], &["scenarios"], &["scene", "science", "sense"], - &["census", "scenes", "sciences", "senses"], + &["scenes", "sciences", "senses", "census"], &["scenegraph"], &["scenegraphs"], &["second"], @@ -41841,7 +41841,7 @@ pub static WORD_SCAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["sacramento"], - &["scorch", "scratch", "search"], + &["search", "scorch", "scratch"], &["scarcity"], &["sacrifice"], &["sacrificed"], @@ -42144,7 +42144,7 @@ pub static WORD_SAV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["severe"], &["safety"], &["savegroup"], - &["salve", "save", "savvy"], + &["save", "savvy", "salve"], &["salves", "saves"], &["savvy"], ], @@ -42363,7 +42363,7 @@ pub static WORD_SATI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["satisfaction"], &["satisfactory"], &["satisfaction"], - &["satisfactorily", "satisfactory"], + &["satisfactory", "satisfactorily"], &["satisfactory"], &["satisfactory"], &["satisfactorily"], @@ -42485,7 +42485,7 @@ pub static WORD_SAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["satisfies"], &["sausage"], &["sausages"], - &["sassy", "says"], + &["says", "sassy"], ], range: 1..=12, }; @@ -42545,7 +42545,7 @@ pub static WORD_SAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["started"], &["starter"], &["starters"], - &["sorting", "starting"], + &["starting", "sorting"], &["stars", "starts"], ], range: 1..=10, @@ -43158,10 +43158,10 @@ pub static WORD_RU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["rheumatic"], &["rumors"], &["rumors"], - &["ruining", "running"], + &["running", "ruining"], &["run"], - &["ran", "ruined", "run"], - &["rummaging", "running"], + &["ran", "run", "ruined"], + &["running", "rummaging"], &["running"], &["running"], &["running"], @@ -43173,7 +43173,7 @@ pub static WORD_RU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["runs"], &["running"], &["runtime"], - &["routine", "runtime"], + &["runtime", "routine"], &["runtime"], &["current"], &["rustled"], @@ -43282,14 +43282,14 @@ pub static WORD_RQ_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("uiring"), ], values: &[ - &["quest", "request"], + &["request", "quest"], &["requested"], &["requesting"], - &["quests", "requests"], - &["quest", "request"], + &["requests", "quests"], + &["request", "quest"], &["requested"], &["requesting"], - &["quests", "requests"], + &["requests", "quests"], &["require"], &["required"], &["requirement"], @@ -43438,7 +43438,7 @@ pub static WORD_ROU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["roundtripped"], &["roundtripping"], &["routers"], - &["route", "routed", "router"], + &["routed", "route", "router"], &["routines"], &["routine", "routing"], &["routines"], @@ -43475,11 +43475,11 @@ pub static WORD_ROT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["rotate"], &["rotation"], &["rotations"], - &["rotate", "rotated"], + &["rotated", "rotate"], &["rotatable"], - &["ratio", "rotation"], - &["ratios", "rotations"], - &["rotate", "rotates"], + &["rotation", "ratio"], + &["rotations", "ratios"], + &["rotates", "rotate"], &["routers"], ], range: 2..=7, @@ -43721,7 +43721,7 @@ pub static WORD_ROD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("uce"), dictgen::InsensitiveStr::Ascii("uceer"), ], - values: &[&["produce", "reduce"], &["producer"]], + values: &[&["reduce", "produce"], &["producer"]], range: 3..=5, }; @@ -44112,7 +44112,7 @@ pub static WORD_RIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["rice", "ride", "ridge", "rigs"], &["rides", "ridges"], - &["rigour", "rigueur"], + &["rigueur", "rigour"], &["right"], &["righteous"], &["righteousness"], @@ -44435,10 +44435,10 @@ pub static WORD_REW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["rewrite"], &["rewritten"], &["reworked"], - &["reliable", "rewritable"], + &["rewritable", "reliable"], &["rewrite"], &["rewrite"], - &["rewritten", "rewrote"], + &["rewrote", "rewritten"], &["rewritten"], &["rewrite"], &["rewriting"], @@ -44573,11 +44573,11 @@ pub static WORD_REVO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["revolution"], &["revolutionary"], &["revolutions"], - &["revolution", "revolutions"], + &["revolutions", "revolution"], &["revolutionary"], &["revolutions"], &["revolutionary"], - &["revolution", "revolutions"], + &["revolutions", "revolution"], &["revolutionary"], &["revolutions"], &["revolutionary"], @@ -44735,7 +44735,7 @@ pub static WORD_REVE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reviewed"], &["reviewer"], &["reviewers"], - &["reviewers", "reviews"], + &["reviews", "reviewers"], &["reviewing"], &["reviews"], &["revealed"], @@ -44752,8 +44752,8 @@ pub static WORD_REVE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["revolutionary"], &["revolutions"], &["revokes"], - &["fever", "refer", "revert"], - &["referral", "reversal"], + &["revert", "refer", "fever"], + &["reversal", "referral"], &["reversal"], &["reverse"], &["reversed"], @@ -44978,7 +44978,7 @@ pub static WORD_RETU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["return"], - &["retune", "return"], + &["return", "retune"], &["returned"], &["returned"], &["returns"], @@ -45179,7 +45179,7 @@ pub static WORD_RETRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["retrieve"], &["retrieved"], &["retrievable"], - &["retrial", "retrieval"], + &["retrieval", "retrial"], &["retrieve"], &["retrieved"], &["retrieves"], @@ -45434,7 +45434,7 @@ pub static WORD_RETC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["received", "retrieved"], &["receiver", "retriever"], &["receivers", "retrievers"], - &["receives", "retrieves"], + &["retrieves", "receives"], ], range: 4..=6, }; @@ -45593,8 +45593,8 @@ pub static WORD_RESU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["rescued"], &["rescues"], &["reduction"], - &["rescue", "reuse"], - &["rescued", "resumed", "reused"], + &["reuse", "rescue"], + &["reused", "rescued", "resumed"], &["result"], &["resulted"], &["resulting"], @@ -45629,7 +45629,7 @@ pub static WORD_RESU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["recursive", "resourceful"], &["recursively"], &["reuse"], - &["refused", "resumed", "reused"], + &["reused", "refused", "resumed"], &["result"], &["results"], ], @@ -45770,7 +45770,7 @@ pub static WORD_RESTR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["restrained"], &["restraining"], &["restraint"], - &["restaurant", "restraint"], + &["restraint", "restaurant"], &["restaurants", "restraints"], &["restricted"], &["restriction"], @@ -46296,7 +46296,7 @@ static WORD_RESPON_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static s static WORD_RESPONS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_RESPONS_CHILDREN), - value: Some(&["respond", "response"]), + value: Some(&["response", "respond"]), }; pub static WORD_RESPONS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -46357,7 +46357,7 @@ pub static WORD_RESPONS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["responder"], &["responders"], &["responses"], - &["responsible", "responsive"], + &["responsive", "responsible"], &["responsibly"], &["responsibly"], &["responsible"], @@ -46426,7 +46426,7 @@ pub static WORD_RESPONI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = static WORD_RESPONE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_RESPONE_CHILDREN), - value: Some(&["respond", "response"]), + value: Some(&["response", "respond"]), }; pub static WORD_RESPONE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -46456,7 +46456,7 @@ pub static WORD_RESPOND_CHILDREN: dictgen::DictTable<&'static [&'static str]> = ], values: &[ &["responds"], - &["respond", "responded", "responder", "responds", "response"], + &["respond", "response", "responds", "responded", "responder"], &["responded"], &["responsible"], &["responds"], @@ -46467,7 +46467,7 @@ pub static WORD_RESPOND_CHILDREN: dictgen::DictTable<&'static [&'static str]> = static WORD_RESPONC_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_RESPONC_CHILDREN), - value: Some(&["respond", "response"]), + value: Some(&["response", "respond"]), }; pub static WORD_RESPONC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -46717,18 +46717,18 @@ pub static WORD_RESOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["resourcing"], &["resolution"], &["resolutions"], - &["resource", "resourced"], - &["resource", "resourced"], + &["resourced", "resource"], + &["resourced", "resource"], &["resources"], &["resourcetype"], - &["resource", "resources"], - &["resource", "resources"], - &["resource", "resourced"], + &["resources", "resource"], + &["resources", "resource"], + &["resourced", "resource"], &["resource"], &["resources"], &["resourced"], &["resources"], - &["recourse", "resource", "resources"], + &["resources", "recourse", "resource"], &["resources"], &["resolution"], ], @@ -46757,7 +46757,7 @@ pub static WORD_RESOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["restorations"], &["restorative"], &["restore"], - &["resorted", "restored"], + &["restored", "resorted"], &["restorer"], &["restorers"], &["restores"], @@ -46891,12 +46891,12 @@ pub static WORD_RESOL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["resolution"], - &["resolution", "resolutions"], + &["resolutions", "resolution"], &["resolutions"], &["resolution"], &["resolutions"], - &["resolution", "resolutions"], - &["resolution", "resolutions"], + &["resolutions", "resolution"], + &["resolutions", "resolution"], &["resolutions"], &["resolutions"], &["revolutionary"], @@ -47206,7 +47206,7 @@ pub static WORD_RESE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reserved"], &["reserved"], &["reserved"], - &["recessed", "reset"], + &["reset", "recessed"], &["resetstatus"], &["resettable"], &["reset"], @@ -47316,7 +47316,7 @@ pub static WORD_RER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["requirement"], &["requirements"], &["rerunning"], - &["rerun", "return"], + &["return", "rerun"], &["rewrite"], ], range: 3..=12, @@ -47587,10 +47587,10 @@ pub static WORD_REQUE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["request"], &["request"], &["requested"], - &["requested", "requests"], + &["requests", "requested"], &["requested"], &["requested"], - &["requested", "requests"], + &["requests", "requested"], &["requested"], &["requester"], &["requesters"], @@ -47998,10 +47998,10 @@ pub static WORD_REPRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["reproducible"], &["reproducible"], - &["reprocure", "reproduce"], - &["reprocured", "reproduced"], - &["reprocures", "reproduces"], - &["reprocuring", "reproducing"], + &["reproduce", "reprocure"], + &["reproduced", "reprocured"], + &["reproduces", "reprocures"], + &["reproducing", "reprocuring"], &["reproduce"], &["reproduced"], &["reproducibility"], @@ -48153,7 +48153,7 @@ pub static WORD_REPRESS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::InsensitiveStr::Ascii("sion"), ], values: &[ - &["represent", "represents"], + &["represents", "represent"], &["representation"], &["representing"], &["represents"], @@ -48190,7 +48190,7 @@ pub static WORD_REPRESN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = values: &[ &["represent"], &["represented"], - &["representation", "representations"], + &["representations", "representation"], &["representations"], &["represented"], &["representing"], @@ -48271,14 +48271,14 @@ pub static WORD_REPRESE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["representation"], &["representational"], &["representations"], - &["represent", "represented"], + &["represented", "represent"], &["reprehensible"], &["representation"], &["representations"], &["representation"], &["representational"], &["representations"], - &["representation", "representations"], + &["representations", "representation"], &["represents"], &["representative"], &["represented"], @@ -48292,13 +48292,13 @@ pub static WORD_REPRESE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["representatives"], &["representation"], &["represented"], - &["represented", "represents"], + &["represents", "represented"], &["represented"], - &["represented", "represents"], + &["represents", "represented"], &["representative"], &["representatives"], &["representative"], - &["representation", "representing"], + &["representing", "representation"], &["representations"], &["representative"], &["representatives"], @@ -48308,7 +48308,7 @@ pub static WORD_REPRESE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["representing"], &["representations"], &["representatives"], - &["represent", "represents"], + &["represents", "represent"], &["representation"], &["represented"], &["representing"], @@ -48423,7 +48423,7 @@ pub static WORD_REPREC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("ussion"), dictgen::InsensitiveStr::Ascii("ussions"), ], - values: &[&["repercussion", "repercussions"], &["repercussions"]], + values: &[&["repercussions", "repercussion"], &["repercussions"]], range: 6..=7, }; @@ -48572,7 +48572,7 @@ pub static WORD_REPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["repositories"], &["repository"], &["reposts"], - &["remote", "report"], + &["report", "remote"], ], range: 2..=11, }; @@ -48658,7 +48658,7 @@ pub static WORD_REPLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ng"), ], values: &[ - &["replicate", "replicated"], + &["replicated", "replicate"], &["replicates"], &["replicating"], &["replication"], @@ -48770,9 +48770,9 @@ pub static WORD_REPLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("yes"), ], values: &[ - &["replace", "replica"], + &["replica", "replace"], &["replaceability"], - &["replaceable", "replicable"], + &["replicable", "replaceable"], &["replaceables"], &["replacing"], &["replaceability", "replicability"], @@ -48780,7 +48780,7 @@ pub static WORD_REPLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["replaceables"], &["replacement"], &["replacements"], - &["replaces", "replicas"], + &["replicas", "replaces"], &["replicate"], &["replicated"], &["replicates"], @@ -48806,12 +48806,12 @@ pub static WORD_REPLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["replaces", "replicates"], &["replacing", "replicating"], &["repaint"], - &["relapse", "rephase", "replace", "replaces"], - &["relapsed", "rephased", "replaced"], + &["replaces", "replace", "relapse", "rephase"], + &["relapsed", "replaced", "rephased"], &["replacement"], &["replacements"], - &["relapses", "rephases", "replaces"], - &["relapsing", "rephasing", "replacing"], + &["replaces", "relapses", "rephases"], + &["replacing", "relapsing", "rephasing"], &["replayed"], &["replays"], ], @@ -49236,7 +49236,7 @@ pub static WORD_REPA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reparameterizes"], &["reparameterizing"], &["repaired"], - &["repartition", "repetition"], + &["repetition", "repartition"], &["repertoire"], &["repertoires"], ], @@ -49286,7 +49286,7 @@ pub static WORD_REO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["roadmap"], &["recurrence"], &["recompression"], - &["recurring", "reoccurring"], + &["reoccurring", "recurring"], &["reorder"], &["removable"], &["remove"], @@ -49310,7 +49310,7 @@ pub static WORD_REO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["resourcing"], &["rounded"], &["resource"], - &["rerouted", "routed"], + &["routed", "rerouted"], &["routes"], &["remove"], &["reworked"], @@ -50419,7 +50419,7 @@ pub static WORD_REND_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["rendered"], &["renderers"], &["rendering"], - &["renderers", "renders"], + &["renders", "renderers"], &["rendering"], &["render"], &["rendering"], @@ -50865,7 +50865,7 @@ pub static WORD_REMA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["remained", "remind"], &["remains"], &["remainder"], - &["remained", "remains"], + &["remains", "remained"], &["remaining"], &["remaining"], &["remaining"], @@ -50945,7 +50945,7 @@ pub static WORD_RELY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reliable"], &["reliably"], &["relied"], - &["realise", "realize", "relies"], + &["relies", "realize", "realise"], &["relies"], ], range: 1..=4, @@ -51122,7 +51122,7 @@ pub static WORD_RELI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reliably"], &["reliability"], &["realised"], - &["really", "relief", "relies", "rely"], + &["rely", "relies", "really", "relief"], &["relieved"], &["relieves"], &["relieving"], @@ -51449,7 +51449,7 @@ pub static WORD_RELEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["relieves"], &["relegation"], &["releasing"], - &["relent", "relevant"], + &["relevant", "relent"], &["release"], &["released"], &["release"], @@ -51614,7 +51614,7 @@ pub static WORD_RELAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["relates"], &["retaliate"], &["retaliation"], - &["relatable", "relative"], + &["relative", "relatable"], &["relative"], &["relatively"], &["relative"], @@ -52392,7 +52392,7 @@ pub static WORD_REGUL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["regularizing"], &["regularly"], &["regulars"], - &["regular", "regularly"], + &["regularly", "regular"], &["regulars"], &["regulators"], &["regulations"], @@ -53075,7 +53075,7 @@ pub static WORD_REFF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["referred"], &["reference"], - &["referees", "refers"], + &["refers", "referees"], &["referring"], &["refer"], &["refers"], @@ -53395,7 +53395,7 @@ pub static WORD_REFERE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["referencing"], &["references"], &["references"], - &["reference", "references"], + &["references", "reference"], &["referenced"], &["referees", "references"], &["references"], @@ -53405,7 +53405,7 @@ pub static WORD_REFERE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["referee"], &["reference"], &["referrer", "referrers"], - &["referees", "refers"], + &["refers", "referees"], ], range: 1..=7, }; @@ -53955,7 +53955,7 @@ static WORD_REDC_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_REDC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("tion")], - values: &[&["redaction", "reduction"]], + values: &[&["reduction", "redaction"]], range: 4..=4, }; @@ -54108,9 +54108,9 @@ pub static WORD_RECU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["recursing"], &["recursion"], &["recursive"], - &["reclusion", "recursion"], - &["reclusive", "recursive"], - &["reclusively", "recursively"], + &["recursion", "reclusion"], + &["recursive", "reclusive"], + &["recursively", "reclusively"], &["recursion"], &["recursive"], &["recursively"], @@ -54147,7 +54147,7 @@ pub static WORD_RECT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["rectangles"], &["rectangular"], &["rectangular"], - &["rectangle", "rectangular"], + &["rectangular", "rectangle"], &["rectangular"], &["rectangular"], &["rectangular"], @@ -54336,7 +54336,7 @@ pub static WORD_RECOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("rcing"), ], values: &[ - &["recourse", "resource"], + &["resource", "recourse"], &["resourced"], &["resources"], &["resourcing"], @@ -54951,7 +54951,7 @@ pub static WORD_RECN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("t"), dictgen::InsensitiveStr::Ascii("tly"), ], - values: &[&["recant", "recent", "rent"], &["recently"]], + values: &[&["recent", "recant", "rent"], &["recently"]], range: 1..=3, }; @@ -55238,7 +55238,7 @@ pub static WORD_RECE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["recipient"], &["recipients"], &["reception"], - &["receipt", "recipe"], + &["recipe", "receipt"], &["receipts"], &["receptacle"], &["receptacles"], @@ -55479,7 +55479,7 @@ pub static WORD_REB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["rebuilt"], &["rebuilt"], &["rebuilds"], - &["rebuild", "rebuilds", "rebuilt"], + &["rebuilds", "rebuilt", "rebuild"], &["rebuilt"], &["rebuild"], &["rebuilding"], @@ -55531,12 +55531,12 @@ static WORD_REA_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str] static WORD_REAY_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_REAY_CHILDREN), - value: Some(&["ray", "ready", "really"]), + value: Some(&["ready", "really", "ray"]), }; pub static WORD_REAY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("d")], - values: &[&["read", "ready"]], + values: &[&["ready", "read"]], range: 1..=1, }; @@ -55643,7 +55643,7 @@ pub static WORD_REAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["reassuring"], &["reassuring"], &["rest"], - &["easy", "ready"], + &["ready", "easy"], ], range: 1..=8, }; @@ -55977,10 +55977,10 @@ pub static WORD_REAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["relatable"], &["related"], &["relates"], - &["reaction", "relation"], - &["reactions", "relations"], + &["relation", "reaction"], + &["relations", "reactions"], &["relationships"], - &["reactive", "relative"], + &["relative", "reactive"], &["relatively"], &["relatives"], &["relativity"], @@ -56011,7 +56011,7 @@ static WORD_REAI_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_REAI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("se")], - values: &[&["raise", "realise"]], + values: &[&["realise", "raise"]], range: 2..=2, }; @@ -56126,7 +56126,7 @@ pub static WORD_REAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["recurring"], &["receive"], &["reachable"], - &["reader", "richer"], + &["richer", "reader"], &["readers"], &["reaches"], &["reaching"], @@ -56516,7 +56516,7 @@ pub static WORD_RAI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["rainbows"], &["rainbows"], &["raised"], - &["raisin", "reason"], + &["reason", "raisin"], ], range: 3..=8, }; @@ -56596,7 +56596,7 @@ pub static WORD_RAD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["radiance"], &["radiant"], &["radiation"], - &["raid", "read"], + &["read", "raid"], &["redemption"], &["redemptions"], &["redemption"], @@ -56806,7 +56806,7 @@ static WORD_QUT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_QUT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ie")], - values: &[&["quiet", "quite"]], + values: &[&["quite", "quiet"]], range: 2..=2, }; @@ -57130,7 +57130,7 @@ pub static WORD_QUAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["quotation"], &["quarter"], - &["equating", "quoting", "squatting"], + &["quoting", "squatting", "equating"], &["equation"], &["equations"], ], @@ -57374,7 +57374,7 @@ static WORD_QT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::D pub static WORD_QT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("uie")], - values: &[&["quiet", "quite"]], + values: &[&["quite", "quiet"]], range: 3..=3, }; @@ -57904,7 +57904,7 @@ pub static WORD_PUL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("isher"), dictgen::InsensitiveStr::Ascii("s"), ], - values: &[&["publisher"], &["plus", "pulse"]], + values: &[&["publisher"], &["pulse", "plus"]], range: 1..=5, }; @@ -58047,7 +58047,7 @@ pub static WORD_PUBL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ushing"), ], values: &[ - &["pubic", "public"], + &["public", "pubic"], &["publication"], &["publicise"], &["publicize"], @@ -58055,7 +58055,7 @@ pub static WORD_PUBL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["publicly"], &["publicly"], &["publication"], - &["public", "publish"], + &["publish", "public"], &["published"], &["publisher"], &["publishers"], @@ -58574,9 +58574,9 @@ pub static WORD_PSA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("swd"), ], values: &[ - &["pace", "space"], + &["space", "pace"], &["paced", "spaced"], - &["paces", "spaces"], + &["spaces", "paces"], &["pacing", "spacing"], &["passwd"], ], @@ -58962,7 +58962,7 @@ pub static WORD_PROVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["provides"], &["provide", "province"], &["provincial"], - &["prove", "proved", "proves", "provide"], + &["provide", "prove", "proved", "proves"], &["providence"], &["providence"], &["providence"], @@ -58972,13 +58972,13 @@ pub static WORD_PROVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["providence"], &["provider", "providore"], &["providers", "providores"], - &["proves", "provides"], - &["provide", "provides"], - &["prove", "provide"], - &["proved", "provide", "provided"], + &["provides", "proves"], + &["provides", "provide"], + &["provide", "prove"], + &["provide", "provided", "proved"], &["provided"], &["provides"], - &["proves", "provides"], + &["provides", "proves"], &["provincial"], &["province"], &["province"], @@ -59052,7 +59052,7 @@ pub static WORD_PROVD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["provider"], &["provides"], &["provided"], - &["provided", "provident", "provider"], + &["provided", "provider", "provident"], &["provide"], &["provided"], &["provides"], @@ -59362,14 +59362,14 @@ pub static WORD_PROTE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["protection"], &["protections"], &["protects"], - &["protect", "protected", "protective"], + &["protective", "protected", "protect"], &["protects"], &["protective"], &["protective"], &["protective"], &["protections"], &["protective"], - &["protection", "protections"], + &["protections", "protection"], &["protectors"], &["protectors"], &["protectors"], @@ -59565,7 +59565,7 @@ pub static WORD_PROS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["prospective"], &["prosthetic"], &["prosperous"], - &["possesses", "processes"], + &["processes", "possesses"], &["prosthetic"], &["prosperity"], &["prosthetic"], @@ -59919,9 +59919,9 @@ pub static WORD_PROPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["preposterous"], &["proposition"], &["proportions"], - &["promotion", "proportion"], - &["promotional", "proportional"], - &["promotions", "proportions"], + &["proportion", "promotion"], + &["proportional", "promotional"], + &["proportions", "promotions"], ], range: 3..=11, }; @@ -60128,7 +60128,7 @@ pub static WORD_PROPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["properly", "property"], &["properties"], &["property"], - &["properly", "property"], + &["property", "properly"], &["properties"], &["propensity"], &["property"], @@ -60136,7 +60136,7 @@ pub static WORD_PROPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["property"], &["properties"], &["proprietary"], - &["properties", "property"], + &["property", "properties"], &["properties"], &["properties"], &["proportion"], @@ -60144,13 +60144,13 @@ pub static WORD_PROPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["proportions"], &["properties"], &["properties"], - &["properly", "property"], + &["property", "properly"], &["property"], &["properties"], &["property"], &["properties"], &["properties"], - &["properly", "property"], + &["property", "properly"], &["preposterous"], &["properties"], &["property"], @@ -60432,7 +60432,7 @@ pub static WORD_PROM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["prominent"], &["prominently"], &["prominently"], - &["predominately", "prominently"], + &["prominently", "predominately"], &["prominently"], &["prominently"], &["promise"], @@ -60443,7 +60443,7 @@ pub static WORD_PROM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["promiscuous"], &["promiscuous"], &["promise"], - &["promise", "promised", "promises"], + &["promise", "promises", "promised"], &["promised"], &["promises"], &["promising"], @@ -60466,7 +60466,7 @@ pub static WORD_PROM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["promptly"], &["promiscuous"], &["prompt"], - &["promoted", "prompted"], + &["prompted", "promoted"], &["promoter", "prompter"], &["promoters", "prompters"], &["promoting", "prompting"], @@ -60889,7 +60889,7 @@ pub static WORD_PROGRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["progressions"], &["progression"], &["progresses"], - &["progress", "progresses"], + &["progresses", "progress"], &["progressing"], &["progressions"], &["progressives"], @@ -60956,7 +60956,7 @@ pub static WORD_PROGRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["programmers"], &["programme"], &["programmatically"], - &["programme", "programmed"], + &["programmed", "programme"], &["programmed"], &["programmatically"], &["programmers"], @@ -61392,7 +61392,7 @@ pub static WORD_PROFE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("sssor"), ], values: &[ - &["profession", "profusion"], + &["profusion", "profession"], &["professional"], &["professionally"], &["professionals"], @@ -61465,7 +61465,7 @@ pub static WORD_PROE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["properties"], &["property"], &["properties"], - &["poetry", "property"], + &["property", "poetry"], &["processing"], ], range: 2..=6, @@ -61536,9 +61536,9 @@ pub static WORD_PROD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["productions"], &["predominantly"], &["producible"], - &["producible", "producibles"], + &["producibles", "producible"], &["production"], - &["produced", "produces"], + &["produces", "produced"], &["produces"], &["producers"], &["produces"], @@ -61548,7 +61548,7 @@ pub static WORD_PROD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["produced"], &["productive"], &["productions"], - &["producing", "production"], + &["production", "producing"], &["productions"], &["productions"], &["productivity"], @@ -61566,7 +61566,7 @@ pub static WORD_PROD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["productions"], &["productive"], &["proudly"], - &["produce", "produces"], + &["produces", "produce"], &["produced"], &["produces"], &["productions"], @@ -61887,11 +61887,11 @@ pub static WORD_PROCES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["processors"], &["processors"], &["processor"], - &["process", "processes"], + &["processes", "process"], &["processed"], &["processes"], &["processing"], - &["processor", "processors"], + &["processors", "processor"], &["processors"], &["procedure"], &["procedures"], @@ -61991,13 +61991,13 @@ pub static WORD_PROCED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d values: &[ &["proceeding"], &["proceedings"], - &["precede", "proceed"], - &["preceded", "proceeded"], + &["proceed", "precede"], + &["proceeded", "preceded"], &["procedure"], &["procedural"], - &["precedes", "proceeds"], + &["proceeds", "precedes"], &["procedure"], - &["preceding", "proceeding"], + &["proceeding", "preceding"], &["proceedings"], &["procedure"], &["procedures"], @@ -62194,12 +62194,12 @@ pub static WORD_PROB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["problems"], &["problem"], &["properly"], - &["properly", "property"], + &["property", "properly"], &["probably"], &["problem"], &["problems"], &["problematic"], - &["probably", "probe", "problem"], + &["probe", "probably", "problem"], &["problem"], &["problems"], &["problematic"], @@ -62611,7 +62611,7 @@ pub static WORD_PRIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["principle"], &["print"], &["print", "printf", "sprintf"], - &["bring", "ping", "print", "spring"], + &["print", "bring", "ping", "spring"], &["printing", "springing"], &["principal"], &["principals"], @@ -62770,7 +62770,7 @@ pub static WORD_PRF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["prefer"], &["preferable"], - &["preferable", "preferables"], + &["preferables", "preferable"], &["preference"], &["preferred"], ], @@ -62926,7 +62926,7 @@ pub static WORD_PREV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["previewed"], &["previewer"], &["previewers"], - &["previewers", "previews"], + &["previews", "previewers"], &["previews"], &["prevalence"], &["prevalent"], @@ -62934,7 +62934,7 @@ pub static WORD_PREV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["prevention"], &["prevent"], &["presentation"], - &["prevent", "prevented"], + &["prevented", "prevent"], &["preventative"], &["prevention"], &["preventative"], @@ -63188,7 +63188,7 @@ pub static WORD_PRESS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ureing"), ], values: &[ - &["press", "pressed"], + &["pressed", "press"], &["present"], &["presentation"], &["presented"], @@ -64255,7 +64255,7 @@ pub static WORD_PREFE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["preferred"], &["preference"], &["preferences"], - &["preference", "preferred"], + &["preferred", "preference"], &["preferences"], &["preferences"], &["preferential"], @@ -64455,7 +64455,7 @@ pub static WORD_PREDI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("termined"), ], values: &[ - &["predicate", "predict"], + &["predict", "predicate"], &["predictable"], &["prediction"], &["predicament"], @@ -64634,7 +64634,7 @@ pub static WORD_PRECU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ssions"), ], values: &[ - &["precaution", "precautions"], + &["precautions", "precaution"], &["precautions"], &["preclude"], &["precluded"], @@ -64754,7 +64754,7 @@ pub static WORD_PRECI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["precisely"], &["precision"], &["precious"], - &["percussion", "precession", "precision"], + &["precision", "percussion", "precession"], &["precise"], ], range: 2..=6, @@ -64836,7 +64836,7 @@ pub static WORD_PRECE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["precedences"], &["preceding"], &["precedence"], - &["precedence", "preference"], + &["preference", "precedence"], &["preferences"], &["presence"], &["percent", "prescient"], @@ -65727,7 +65727,7 @@ pub static WORD_POSI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["positive"], &["positives"], &["positivity"], - &["poison", "position", "psion"], + &["poison", "psion", "position"], &["poisoned", "positioned"], &["poisoning", "positioning"], &["poisons", "positions", "psions"], @@ -65737,7 +65737,7 @@ pub static WORD_POSI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["positively"], &["positioning"], &["positioned"], - &["position", "positioning"], + &["positioning", "position"], &["positional"], &["positional"], &["positional"], @@ -65763,7 +65763,7 @@ pub static WORD_POSI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["positively"], &["positively"], &["positives"], - &["positive", "positively", "positivity"], + &["positivity", "positive", "positively"], &["position"], &["positioned"], &["positions"], @@ -65957,7 +65957,7 @@ pub static WORD_PORT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["portfolio"], &["portuguese"], &["portraying"], - &["portrait", "portrayal"], + &["portrayal", "portrait"], &["portraying"], &["portraits"], &["portray"], @@ -66300,12 +66300,12 @@ pub static WORD_POP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("uplation"), ], values: &[ - &["pooped", "popped"], + &["popped", "pooped"], &["potpourri"], &["properly", "property"], &["properties"], - &["properly", "property"], - &["pooping", "popping"], + &["property", "properly"], + &["popping", "pooping"], &["popular"], &["populations"], &["popen"], @@ -66665,7 +66665,7 @@ pub static WORD_POLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["political"], &["politically"], - &["police", "policies", "policy"], + &["policies", "policy", "police"], &["politically"], &["politician"], &["politicians"], @@ -66967,7 +66967,7 @@ pub static WORD_POE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["peoples"], &["people"], &["peoples"], - &["poor", "pour", "power"], + &["power", "poor", "pour"], &["powerful"], &["powers"], &["poetry"], @@ -67003,9 +67003,9 @@ pub static WORD_POC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ession"), ], values: &[ - &["possess", "process"], - &["possessed", "processed"], - &["possession", "procession"], + &["process", "possess"], + &["processed", "possessed"], + &["procession", "possession"], ], range: 3..=6, }; @@ -67222,7 +67222,7 @@ pub static WORD_PLE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["please"], - &["place", "please"], + &["please", "place"], &["placing"], &["please"], &["please"], @@ -67230,7 +67230,7 @@ pub static WORD_PLE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["pleased"], &["pleasant"], &["pleasantly"], - &["bless", "pleases"], + &["pleases", "bless"], &["plebiscite"], &["placing"], &["plethora"], @@ -67240,7 +67240,7 @@ pub static WORD_PLE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["pleasant"], &["please"], &["pleasantly"], - &["blessing", "pleasing"], + &["pleasing", "blessing"], &["plethora"], &["plethora"], &["plethora"], @@ -67550,12 +67550,12 @@ pub static WORD_PLAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("tre"), ], values: &[ - &["phase", "place", "plaice", "please"], - &["phased", "placed", "pleased"], + &["place", "please", "phase", "plaice"], + &["placed", "pleased", "phased"], &["placement"], &["placements"], - &["phases", "places", "pleases"], - &["phasing", "placing", "pleasing"], + &["places", "pleases", "phases"], + &["placing", "pleasing", "phasing"], &["plastics"], &["plastics"], &["plastics"], @@ -67773,11 +67773,11 @@ pub static WORD_PLAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["placeholder"], &["placeholders"], &["placemat", "placement"], - &["placement", "placements"], + &["placements", "placement"], &["placements"], &["placements"], - &["placemat", "placement", "placements"], - &["placemats", "placements"], + &["placements", "placement", "placemat"], + &["placements", "placemats"], &["placeholder"], &["placeholders"], &["placement"], @@ -67852,7 +67852,7 @@ pub static WORD_PIX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("elx"), dictgen::InsensitiveStr::Ascii("es"), ], - values: &[&["pixel", "pixels"], &["pixels"]], + values: &[&["pixels", "pixel"], &["pixels"]], range: 2..=3, }; @@ -67903,7 +67903,7 @@ pub static WORD_PIT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["pitchforks"], &["pitchers"], &["pitches"], - &["bitmap", "pixmap"], + &["pixmap", "bitmap"], &["pittsburgh"], &["pittsburgh"], &["pity"], @@ -68203,7 +68203,7 @@ pub static WORD_PIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["piece"], - &["pick", "pinch", "pitch"], + &["pitch", "pick", "pinch"], &["picked", "pinched", "pitched"], &["pinches", "pitches"], &["picking", "pinching", "pitching"], @@ -69523,7 +69523,7 @@ pub static WORD_PERSO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["personally"], &["personas"], &["personas"], - &["personal", "personnel"], + &["personnel", "personal"], &["personnel"], &["persons"], &["personhood"], @@ -69662,7 +69662,7 @@ pub static WORD_PERSE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ws"), ], values: &[ - &["perspective", "respective"], + &["respective", "perspective"], &["perspectives"], &["persecuted"], &["persecution"], @@ -70129,7 +70129,7 @@ pub static WORD_PERMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["premises"], &["permission"], &["permission", "permissions"], - &["permission", "permissions"], + &["permissions", "permission"], &["permissions"], &["permissible"], &["permissible"], @@ -70139,7 +70139,7 @@ pub static WORD_PERMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["permissions"], &["permission"], &["permissions"], - &["permission", "permissions"], + &["permissions", "permission"], &["permissions"], &["permits"], &["permitted"], @@ -70559,7 +70559,7 @@ pub static WORD_PERFOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["perform"], &["performed"], &["performing"], - &["performance", "performances"], + &["performances", "performance"], &["performances"], &["performs"], &["performed"], @@ -70572,7 +70572,7 @@ pub static WORD_PERFOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["performances"], &["performances"], &["performances"], - &["performance", "performances"], + &["performances", "performance"], &["performances"], &["performances"], &["performances"], @@ -70583,7 +70583,7 @@ pub static WORD_PERFOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["performances"], &["performers"], &["performed", "performs"], - &["performance", "performances"], + &["performances", "performance"], &["performs"], &["performs"], ], @@ -70597,7 +70597,7 @@ static WORD_PERFOO_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictge pub static WORD_PERFOO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("m")], - values: &[&["perform", "perfume"]], + values: &[&["perfume", "perform"]], range: 1..=1, }; @@ -70685,7 +70685,7 @@ pub static WORD_PERFOM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["perform"], &["performance"], &["performances"], - &["performance", "performances"], + &["performances", "performance"], &["performance"], &["performances"], &["performant"], @@ -70889,7 +70889,7 @@ pub static WORD_PERE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["perennially"], &["peripherals"], &["perpetually"], - &["percent", "presence", "present", "presents"], + &["present", "presents", "presence", "percent"], &["perpetrator"], ], range: 4..=7, @@ -70982,7 +70982,7 @@ pub static WORD_PERC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["precaution"], &["precautions"], &["preceded"], - &["percentage", "percentages"], + &["percentages", "percentage"], &["percentages"], &["percentages"], &["percentage"], @@ -71054,7 +71054,7 @@ pub static WORD_PEP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["prepare"], - &["purported", "reported"], + &["reported", "purported"], &["pepperoni"], &["pepperoni"], &["peppermint"], @@ -71629,7 +71629,7 @@ pub static WORD_PEC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["percentage"], - &["pacified", "specified"], + &["specified", "pacified"], &["peculiar"], &["peculiar"], &["peculiar"], @@ -71852,14 +71852,14 @@ pub static WORD_PATT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("rns"), ], values: &[ - &["patent", "pattern"], + &["pattern", "patent"], &["patented", "patterned"], - &["patents", "patterns"], + &["patterns", "patents"], &["patented"], &["patterson"], - &["patterns", "patterson"], - &["patron", "pattern"], - &["patrons", "patterns"], + &["patterson", "patterns"], + &["pattern", "patron"], + &["patterns", "patrons"], &["patterns"], ], range: 2..=5, @@ -72337,7 +72337,7 @@ pub static WORD_PASH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_PASE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_PASE_CHILDREN), - value: Some(&["pace", "parse", "pass"]), + value: Some(&["pass", "pace", "parse"]), }; pub static WORD_PASE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -72348,7 +72348,7 @@ pub static WORD_PASE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("sd"), ], values: &[ - &["parsed", "passed"], + &["passed", "parsed"], &["passengers"], &["parser"], &["passed"], @@ -72445,7 +72445,7 @@ static WORD_PAR_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str] static WORD_PARY_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_PARY_CHILDREN), - value: Some(&["parry", "party"]), + value: Some(&["party", "parry"]), }; pub static WORD_PARY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -72977,7 +72977,7 @@ pub static WORD_PARTICA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::InsensitiveStr::Ascii("ulrly"), ], values: &[ - &["partial", "particle", "particular"], + &["particular", "partial", "particle"], &["particular"], &["particularly"], &["particle"], @@ -73222,7 +73222,7 @@ pub static WORD_PARN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_PARM_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_PARM_CHILDREN), - value: Some(&["param", "parma", "pram"]), + value: Some(&["param", "pram", "parma"]), }; pub static WORD_PARM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -73470,9 +73470,9 @@ pub static WORD_PARE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["parentheses"], &["parenthesized"], &["parentheses"], - &["parentheses", "parenthesis"], + &["parenthesis", "parentheses"], &["parentheses"], - &["parentheses", "parenthesis"], + &["parenthesis", "parentheses"], &["parenthesis"], &["parenthesis"], &["parent", "parrot"], @@ -73843,7 +73843,7 @@ pub static WORD_PARAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["parameter"], &["parameters"], &["parameters"], - &["paramedic", "parametric"], + &["parametric", "paramedic"], &["paramedics"], &["parametrised"], &["parameter"], @@ -73867,7 +73867,7 @@ pub static WORD_PARAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["parameterised"], &["parameterises"], &["parameterising"], - &["parameterization", "parametrization"], + &["parametrization", "parameterization"], &["parameterize"], &["parameterized"], &["parameterizes"], @@ -74243,11 +74243,11 @@ pub static WORD_PAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["paladins"], &["palestinians"], &["palette"], - &["palace", "place"], + &["place", "palace"], &["placebo"], &["placeholder"], &["placements"], - &["pales", "places"], + &["places", "pales"], &["paleolithic"], &["palestinians"], &["palestinians"], @@ -74273,7 +74273,7 @@ pub static WORD_PAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["palette"], &["palette"], &["paletted"], - &["pain", "palm", "plan"], + &["plan", "pain", "palm"], &["plaster"], &["plastics"], &["palette"], @@ -74422,9 +74422,9 @@ pub static WORD_PAH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["phantom"], &["phases"], - &["part", "pat", "path"], + &["path", "pat", "part"], &["pathfinder"], - &["parts", "paths", "pats"], + &["paths", "pats", "parts"], ], range: 1..=7, }; @@ -74749,7 +74749,7 @@ pub static WORD_OW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["wonders"], &["ownership"], &["ownership"], - &["ones", "owns"], + &["owns", "ones"], &["owner"], &["onward"], &["owner"], @@ -75285,18 +75285,18 @@ pub static WORD_OVERR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["overridable"], &["overridden"], &["overridden", "override"], - &["overridden", "overrode"], + &["overrode", "overridden"], &["overrides"], &["overriding"], &["overridable"], - &["overridden", "overrode"], + &["overrode", "overridden"], &["overridden"], &["overridden"], &["overriding"], &["overrides"], - &["ovary", "override"], - &["ovaries", "overrides"], - &["overrate", "override", "overwrite"], + &["override", "ovary"], + &["overrides", "ovaries"], + &["overwrite", "override", "overrate"], &["overridden"], &["overridden"], &["override"], @@ -76224,7 +76224,7 @@ pub static WORD_OUR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("sleves"), ], values: &[ - &["ourself", "ourselves"], + &["ourselves", "ourself"], &["ourselves"], &["ourselves"], &["ourself", "ourselves"], @@ -76325,7 +76325,7 @@ pub static WORD_OUB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_OT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Nested(&WORD_OT_CHILDREN), - value: Some(&["not", "of", "or", "to"]), + value: Some(&["to", "of", "or", "not"]), }; static WORD_OT_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str]>>; 26] = [ @@ -76403,7 +76403,7 @@ pub static WORD_OTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["notifications"], &["original"], &["option"], - &["notional", "optional"], + &["optional", "notional"], &["optionally"], &["options"], ], @@ -76961,7 +76961,7 @@ pub static WORD_ORIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["orientate"], &["orientated"], &["orientation"], - &["orient", "orientate", "ornate"], + &["orientate", "orient", "ornate"], &["orientation"], &["orientation"], &["orientation"], @@ -77161,7 +77161,7 @@ pub static WORD_ORGI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["original"], &["originally"], &["originals"], - &["organ", "origin"], + &["origin", "organ"], &["original"], &["originally"], &["originals"], @@ -77189,7 +77189,7 @@ pub static WORD_ORGI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["organizations"], &["organize"], &["organized"], - &["organs", "origins"], + &["origins", "organs"], &["originx"], &["originy"], ], @@ -77749,8 +77749,8 @@ pub static WORD_OPU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("lates"), ], values: &[ - &["opiate", "opulent", "populate"], - &["opiates", "populates"], + &["populate", "opiate", "opulent"], + &["populates", "opiates"], ], range: 4..=5, }; @@ -77912,13 +77912,13 @@ pub static WORD_OPTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["optional"], &["optimal"], &["optimisation"], - &["optimisation", "optimization"], + &["optimization", "optimisation"], &["optimization"], &["optimal"], &["optimality"], &["optimise", "optimize"], &["optimised", "optimized"], - &["optimiser", "optimizer"], + &["optimizer", "optimiser"], &["optimism"], &["optimum"], &["optimism"], @@ -78177,7 +78177,7 @@ pub static WORD_OPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["open"], &["opponent"], - &["apportions", "options"], + &["options", "apportions"], &["opportunity"], &["oppose"], &["opposed"], @@ -78427,7 +78427,7 @@ pub static WORD_OPER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["operator"], &["operative"], &["operating", "operation"], - &["operating", "operations"], + &["operations", "operating"], &["operation"], &["operational"], &["operation"], @@ -78774,9 +78774,9 @@ pub static WORD_ON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["ontario"], &["onboard"], &["onboard"], - &["once", "ones", "ounces"], + &["ounces", "once", "ones"], &["onchange"], - &["and", "one"], + &["one", "and"], &["once"], &["oneway"], &["configure"], @@ -78799,7 +78799,7 @@ pub static WORD_ON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["only"], &["onomatopoeia"], &["onomatopoeia"], - &["not", "note"], + &["note", "not"], &["another"], &["onslaught"], &["oneself"], @@ -78829,7 +78829,7 @@ pub static WORD_ON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["ownership"], &["owning"], &["owns"], - &["on", "one", "only"], + &["only", "on", "one"], &["only"], ], range: 1..=10, @@ -78983,7 +78983,7 @@ pub static WORD_OL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["oldest"], &["oligarchy"], &["oligarchy"], - &["all", "oil", "old", "ole", "olly"], + &["all", "ole", "old", "olly", "oil"], &["olympic"], &["olympics"], &["only"], @@ -79065,7 +79065,7 @@ pub static WORD_OI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["originating"], &["origins"], &["oligarchy"], - &["pints", "points"], + &["points", "pints"], &["is"], ], range: 1..=8, @@ -79481,8 +79481,8 @@ pub static WORD_OFFE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["offensively"], &["offset"], &["offsets"], - &["offer", "offset"], - &["offers", "offsets"], + &["offset", "offer"], + &["offsets", "offers"], ], range: 1..=8, }; @@ -79570,7 +79570,7 @@ pub static WORD_OD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg values: &[ &["odyssey"], &["odysseys"], - &["odor", "order"], + &["order", "odor"], &["oddly"], &["body"], ], @@ -79859,7 +79859,7 @@ pub static WORD_OCCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["occurrence"], &["occurrences"], &["accurately"], - &["occur", "occurred"], + &["occurred", "occur"], &["occurred"], &["occur", "occurred"], &["occurred"], @@ -80940,7 +80940,7 @@ pub static WORD_NUM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["numbered"], &["numbering"], &["numbers"], - &["numb", "number"], + &["number", "numb"], &["numeral"], &["numerals"], &["numeric"], @@ -81082,7 +81082,7 @@ pub static WORD_NUC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["nuclear"], &["nucleus"], &["unclean"], - &["nucleolus", "nucleus"], + &["nucleus", "nucleolus"], &["nucleus"], &["nuclear"], &["nuclear"], @@ -81328,7 +81328,7 @@ static WORD_NOTS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_NOTS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["note", "notes"]], + values: &[&["notes", "note"]], range: 1..=1, }; @@ -81761,7 +81761,7 @@ pub static WORD_NOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("wiegan"), ], values: &[ - &["moral", "normal"], + &["normal", "moral"], &["normalize"], &["normalized"], &["normal"], @@ -81777,7 +81777,7 @@ pub static WORD_NOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["normal"], &["normally"], &["normals"], - &["more", "node", "nor", "note"], + &["nor", "more", "node", "note"], &["northern"], &["northeast"], &["northern"], @@ -81955,7 +81955,7 @@ static WORD_NOI_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_NOI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ce")], - values: &[&["nice", "noise", "notice"]], + values: &[&["noise", "nice", "notice"]], range: 2..=2, }; @@ -81986,7 +81986,7 @@ pub static WORD_NOF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_NOE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_NOE_CHILDREN), - value: Some(&["know", "no", "node", "not", "note", "now"]), + value: Some(&["not", "no", "node", "know", "now", "note"]), }; pub static WORD_NOE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -82203,7 +82203,7 @@ pub static WORD_NIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_NIN_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_NIN_CHILDREN), - value: Some(&["bin", "inn", "min", "nine"]), + value: Some(&["inn", "min", "bin", "nine"]), }; pub static WORD_NIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -82229,7 +82229,7 @@ pub static WORD_NIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["ninja", "ninjas"], &["nineteenth"], &["nineties"], - &["minty", "ninety"], + &["ninety", "minty"], ], range: 1..=6, }; @@ -82689,7 +82689,7 @@ pub static WORD_NET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["metropolitan"], &["neutrality"], &["netscape"], - &["natural", "neutral"], + &["neutral", "natural"], &["neutrality"], &["neutron"], &["netsplit"], @@ -83356,7 +83356,7 @@ pub static WORD_NEIGHBOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["neighboring"], &["neighborhood"], &["neighborhoods"], - &["neighborhood", "neighborhoods"], + &["neighborhoods", "neighborhood"], &["neighborhoods"], &["neighbor"], &["neighbors"], @@ -83393,7 +83393,7 @@ pub static WORD_NEIGHBOO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["neighbor", "neighbour"], &["neighborhood"], &["neighborhoods"], - &["neighborhood", "neighbourhood"], + &["neighbourhood", "neighborhood"], &["neighborhoods"], &["neighborhood"], &["neighborhoods"], @@ -83671,7 +83671,7 @@ pub static WORD_NEIGB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["neighbor"], - &["neighborhood", "neighborhoods"], + &["neighborhoods", "neighborhood"], &["neighborhoods"], &["neighbors"], &["neighbour"], @@ -83696,7 +83696,7 @@ static WORD_NEIC_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_NEIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["nice", "niece"]], + values: &[&["niece", "nice"]], range: 1..=1, }; @@ -84680,7 +84680,7 @@ pub static WORD_NEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ther"), ], values: &[ - &["need", "needed"], + &["needed", "need"], &["needed"], &["needles"], &["needles"], @@ -84692,7 +84692,7 @@ pub static WORD_NEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["needing"], &["needle"], &["needles", "needless"], - &["needles", "needless"], + &["needless", "needles"], &["needs"], &["need", "needed"], &["knees", "needs"], @@ -84701,7 +84701,7 @@ pub static WORD_NEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["needs"], &["nested"], &["nesting"], - &["neat", "need"], + &["need", "neat"], &["neither"], ], range: 1..=8, @@ -84709,7 +84709,7 @@ pub static WORD_NEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_NED_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_NED_CHILDREN), - value: Some(&["end", "need"]), + value: Some(&["need", "end"]), }; pub static WORD_NED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -84735,7 +84735,7 @@ pub static WORD_NED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["mediums"], &["needle"], &["needles", "needless"], - &["needles", "needless"], + &["needless", "needles"], &["endlessly"], &["needs"], ], @@ -84936,8 +84936,8 @@ pub static WORD_NECE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["necessarily"], &["necessarily"], &["necessarily"], - &["necessarily", "necessary"], - &["necessarily", "necessary"], + &["necessary", "necessarily"], + &["necessary", "necessarily"], &["necessary"], &["necessarily"], &["necessities"], @@ -85029,8 +85029,8 @@ pub static WORD_NEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("st"), ], values: &[ - &["head", "knead", "need"], - &["headed", "kneaded", "needed"], + &["need", "head", "knead"], + &["needed", "kneaded", "headed"], &["header", "kneader"], &["headers", "kneaders"], &["heading", "kneading", "needing"], @@ -85040,7 +85040,7 @@ pub static WORD_NEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["nearly", "newly"], &["nearest"], &["nearest"], - &["beast", "nearest"], + &["nearest", "beast"], ], range: 1..=5, }; @@ -85831,7 +85831,7 @@ pub static WORD_NAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["named"], &["names"], - &["name", "named"], + &["named", "name"], &["naming"], &["namespace"], &["namespace"], @@ -85947,7 +85947,7 @@ static WORD_NAE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_NAE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("rly")], - values: &[&["gnarly", "nearly"]], + values: &[&["nearly", "gnarly"]], range: 3..=3, }; @@ -86252,7 +86252,7 @@ pub static WORD_MUT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["multipart"], &["multiplayer"], &["multiple"], - &["multiple", "multiplier"], + &["multiplier", "multiple"], &["multiples"], &["multiplication"], &["multiplicities"], @@ -86313,7 +86313,7 @@ pub static WORD_MUS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["muscle", "mussel"], - &["muscles", "mussels"], + &["mussels", "muscles"], &["musical"], &["musically"], &["musician"], @@ -86670,7 +86670,7 @@ pub static WORD_MULTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["multiples"], &["multiplied"], &["multiples"], - &["multiple", "multiplier"], + &["multiplier", "multiple"], &["multipliers"], &["multiply"], &["multiplication"], @@ -87159,7 +87159,7 @@ pub static WORD_MOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ovational"), ], values: &[ - &["motivation", "notation", "rotation"], + &["notation", "rotation", "motivation"], &["motif"], &["motifs"], &["motherboard"], @@ -87182,7 +87182,7 @@ pub static WORD_MOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["nothing"], &["motherboards"], &["motivational"], - &["motivation", "motivations"], + &["motivations", "motivation"], &["motivate"], &["motivations"], &["motivational"], @@ -87235,7 +87235,7 @@ pub static WORD_MOS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ue"), ], values: &[ - &["mode", "more", "mouse"], + &["more", "mouse", "mode"], &["moisturizer"], &["moisturizing"], &["mostly"], @@ -87733,7 +87733,7 @@ pub static WORD_MONG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_MONE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_MONE_CHILDREN), - value: Some(&["money", "mono", "none"]), + value: Some(&["mono", "money", "none"]), }; pub static WORD_MONE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -88608,7 +88608,7 @@ static WORD_MOA_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_MOA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("st")], - values: &[&["moat", "most"]], + values: &[&["most", "moat"]], range: 2..=2, }; @@ -89037,7 +89037,7 @@ pub static WORD_MISS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["missing"], &["mission"], &["missiles"], - &["missing", "mission"], + &["mission", "missing"], &["missingassignment"], &["missing"], &["missionaries"], @@ -89671,14 +89671,14 @@ pub static WORD_MIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["migrates"], &["micrometer"], &["micrometers"], - &["minor", "mirror"], + &["mirror", "minor"], &["mirrored"], &["mirroring"], &["mirror"], &["mirrored"], &["mirroring"], &["mirrors"], - &["minors", "mirrors"], + &["mirrors", "minors"], &["mirror"], &["mirrored"], &["mirrored"], @@ -89757,7 +89757,7 @@ pub static WORD_MINU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["minimum"], &["minimum"], &["minuscule"], - &["minuscule", "minusculely"], + &["minusculely", "minuscule"], &["minute"], &["minutes"], ], @@ -89777,7 +89777,7 @@ pub static WORD_MINT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ors"), ], values: &[ - &["mentor", "minor", "monitor"], + &["mentor", "monitor", "minor"], &["mentored", "monitored"], &["mentoring", "monitoring"], &["mentors", "monitors"], @@ -90004,7 +90004,7 @@ pub static WORD_MINI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["ministers"], &["ministers"], &["ministers"], - &["minister", "ministry"], + &["ministry", "minister"], &["minister"], &["ministry"], &["miniscule"], @@ -90549,7 +90549,7 @@ pub static WORD_MIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["migratable"], &["migraine"], &["migraines"], - &["midget", "might"], + &["might", "midget"], &["might"], ], range: 1..=8, @@ -91241,7 +91241,7 @@ pub static WORD_METH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["methodology"], &["method"], &["methods"], - &["method", "methods"], + &["methods", "method"], &["method"], &["methods"], ], @@ -91565,7 +91565,7 @@ pub static WORD_MER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["mirage"], &["mirages"], - &["miranda", "veranda"], + &["veranda", "miranda"], &["meringue"], &["merchant"], &["mercenaries"], @@ -91604,7 +91604,7 @@ pub static WORD_MER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["merchant"], &["merchants"], &["merciful"], - &["formerly", "merely"], + &["merely", "formerly"], &["memory"], &["memory"], &["mirrors"], @@ -91710,7 +91710,7 @@ pub static WORD_MEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["menu"], &["menus"], &["menuitems"], - &["many", "menu"], + &["menu", "many"], ], range: 1..=8, }; @@ -92127,7 +92127,7 @@ pub static WORD_MEDI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["medicine"], &["medicines"], &["medicines"], - &["medicinal", "medicine", "mediciny"], + &["mediciny", "medicine", "medicinal"], &["medicines"], &["medicine"], &["mediocre"], @@ -92502,7 +92502,7 @@ pub static WORD_MEAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["measure", "measurer"], &["measures"], &["measuring"], - &["measure", "measured"], + &["measured", "measure"], &["measurement"], &["measurements"], &["measurement"], @@ -92515,7 +92515,7 @@ pub static WORD_MEAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_MEAR_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_MEAR_CHILDREN), - value: Some(&["mare", "mere", "wear"]), + value: Some(&["wear", "mere", "mare"]), }; pub static WORD_MEAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -92928,7 +92928,7 @@ pub static WORD_MAU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("be"), dictgen::InsensitiveStr::Ascii("nals"), ], - values: &[&["marauder"], &["mauve", "maybe"], &["manuals"]], + values: &[&["marauder"], &["maybe", "mauve"], &["manuals"]], range: 2..=5, }; @@ -93234,7 +93234,7 @@ pub static WORD_MATE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["materialism"], &["materialism"], &["materials"], - &["material", "materials"], + &["materials", "material"], &["material"], &["materialism"], &["materialize"], @@ -93278,7 +93278,7 @@ pub static WORD_MATC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic static WORD_MATA_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_MATA_CHILDREN), - value: Some(&["mater", "meta"]), + value: Some(&["meta", "mater"]), }; pub static WORD_MATA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -93857,7 +93857,7 @@ pub static WORD_MARK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["markers"], &["marketplace"], &["markers"], - &["marked", "markers", "marks"], + &["marks", "marked", "markers"], &["marketplace"], &["marketing"], &["marquee"], @@ -93979,9 +93979,9 @@ pub static WORD_MARG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["margaret"], &["margaret"], &["marginalized"], - &["marker", "merger"], + &["merger", "marker"], &["margaret"], - &["markers", "mergers"], + &["mergers", "markers"], &["marginally"], &["marginal"], &["marginal"], @@ -94616,7 +94616,7 @@ pub static WORD_MANI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["manipulate"], &["manipulate"], &["manipulative"], - &["manipulating", "manipulation"], + &["manipulation", "manipulating"], &["manipulating"], &["manipulation"], &["manipulate"], @@ -95003,18 +95003,18 @@ pub static WORD_MAK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["make"], - &["made", "marked"], + &["marked", "made"], &["makefile"], &["making"], &["making"], &["marketplace"], &["macro"], &["macros"], - &["macros", "makers", "makes"], + &["makes", "makers", "macros"], &["marksman"], - &["make", "makes", "mask", "masks"], - &["makes", "masks"], + &["mask", "masks", "makes", "make"], &["makes", "masks"], + &["masks", "makes"], &["makefile"], ], range: 1..=8, @@ -95541,10 +95541,10 @@ pub static WORD_LS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("its"), ], values: &[ - &["last", "sat", "slat"], + &["last", "slat", "sat"], &["lisp"], - &["list", "sit", "slit"], - &["lists", "sits", "slits"], + &["list", "slit", "sit"], + &["lists", "slits", "sits"], ], range: 2..=3, }; @@ -95615,7 +95615,7 @@ pub static WORD_LOW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("case"), dictgen::InsensitiveStr::Ascii("d"), ], - values: &[&["lowercase"], &["load", "loud", "low"]], + values: &[&["lowercase"], &["load", "low", "loud"]], range: 1..=4, }; @@ -95658,7 +95658,7 @@ pub static WORD_LOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ation"), dictgen::InsensitiveStr::Ascii("haringen"), ], - values: &[&["flotation", "rotation"], &["lothringen"]], + values: &[&["rotation", "flotation"], &["lothringen"]], range: 5..=8, }; @@ -95677,12 +95677,12 @@ pub static WORD_LOS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ted"), ], values: &[ - &["load", "lose", "loss", "lost"], + &["lost", "loss", "lose", "load"], &["loosely"], &["loosen"], &["loosened"], &["losslessly"], - &["lasted", "listed", "lost"], + &["listed", "lost", "lasted"], ], range: 1..=6, }; @@ -95738,7 +95738,7 @@ pub static WORD_LOO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["loosely"], &["loosely"], &["loosely"], - &["loose", "lossy", "lousy"], + &["lossy", "lousy", "loose"], ], range: 1..=6, }; @@ -95772,7 +95772,7 @@ pub static WORD_LON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ly"), ], values: &[ - &["loner", "longer"], + &["longer", "loner"], &["long"], &["loneliness"], &["longer", "lounge"], @@ -95889,17 +95889,17 @@ pub static WORD_LOG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["logarithmically"], &["logarithmic"], &["logical"], - &["lodged", "logged", "longed"], - &["lodger", "logger", "longer"], + &["logged", "lodged", "longed"], + &["logger", "lodger", "longer"], &["logging"], - &["logging", "login"], + &["login", "logging"], &["logical"], &["logically"], &["logically"], &["logitech"], &["logistical"], &["logfile"], - &["lodging", "logging"], + &["logging", "lodging"], &["logistical"], &["logistics"], &["logistics"], @@ -96559,7 +96559,7 @@ pub static WORD_LIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["lincoln"], &["lincoln"], &["lincoln"], - &["linearity", "linearly"], + &["linearly", "linearity"], &["linearly"], &["linearisation"], &["linearisations"], @@ -96588,7 +96588,7 @@ pub static WORD_LIN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["linguistic"], &["lineheight"], &["linux"], - &["like", "linked"], + &["linked", "like"], &["linkify"], &["linnaean"], &["lintian"], @@ -96651,7 +96651,7 @@ pub static WORD_LIM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["limitation"], &["limitations"], - &["lamination", "limitation"], + &["limitation", "lamination"], &["limited"], &["limitation"], &["limitation"], @@ -96708,7 +96708,7 @@ pub static WORD_LIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_LIK_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_LIK_CHILDREN), - value: Some(&["lick", "like", "link"]), + value: Some(&["like", "lick", "link"]), }; pub static WORD_LIK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -96808,9 +96808,9 @@ pub static WORD_LIG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("thweights"), ], values: &[ - &["lie", "light", "lye"], - &["liar", "liger", "lighter"], - &["liars", "ligers", "lighters"], + &["light", "lie", "lye"], + &["lighter", "liar", "liger"], + &["lighters", "liars", "ligers"], &["lightening"], &["lighting"], &["lighting"], @@ -97164,7 +97164,7 @@ static WORD_LIBL_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_LIBL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["liable", "libel"]], + values: &[&["libel", "liable"]], range: 1..=1, }; @@ -97580,9 +97580,9 @@ pub static WORD_LER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["learn"], &["learned"], &["learns"], - &["lean", "learn"], - &["leaned", "learned"], - &["leaning", "learning"], + &["learn", "lean"], + &["learned", "leaned"], + &["learning", "leaning"], ], range: 1..=4, }; @@ -98161,7 +98161,7 @@ pub static WORD_LEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["legalizing"], &["lenient"], &["leniently"], - &["lean", "leaner", "learn"], + &["lean", "learn", "leaner"], &["learning"], &["leery"], &["least"], @@ -98169,7 +98169,7 @@ pub static WORD_LEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["leisurely"], &["leisures"], &["least"], - &["lead", "leaf", "leak", "least"], + &["lead", "leak", "least", "leaf"], &["lethal"], &["least"], &["leaving"], @@ -98190,7 +98190,7 @@ pub static WORD_LC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("oation"), dictgen::InsensitiveStr::Ascii("uase"), ], - values: &[&["coal", "local"], &["locally"], &["location"], &["clause"]], + values: &[&["local", "coal"], &["locally"], &["location"], &["clause"]], range: 3..=6, }; @@ -98309,12 +98309,12 @@ pub static WORD_LAV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["larvae"], - &["label", "laravel", "level"], - &["labeled", "leveled"], - &["labeling", "leveling"], + &["level", "laravel", "label"], + &["leveled", "labeled"], + &["leveling", "labeling"], &["labelled", "levelled"], - &["labelling", "levelling"], - &["labels", "levels"], + &["levelling", "labelling"], + &["levels", "labels"], &["lavender"], ], range: 2..=6, @@ -98449,7 +98449,7 @@ pub static WORD_LAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["also", "lasso"], &["lasagna"], &["latest"], - &["last", "latest"], + &["latest", "last"], &["last"], ], range: 1..=5, @@ -99113,7 +99113,7 @@ pub static WORD_LAB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["laboratory"], - &["laboratory", "lavatory"], + &["lavatory", "laboratory"], &["label"], &["labeled"], &["labels"], @@ -99917,7 +99917,7 @@ pub static WORD_KEY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["keyboards"], &["keyboard"], &["keyboards"], - &["keyboard", "keyboards"], + &["keyboards", "keyboard"], &["keyboard"], &["keyboards"], &["keyboard"], @@ -100043,8 +100043,8 @@ pub static WORD_KEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("yesian"), ], values: &[ - &["kennel", "kernel"], - &["kennels", "kernels"], + &["kernel", "kennel"], + &["kernels", "kennels"], &["kennedy"], &["kernel"], &["kernels"], @@ -100256,7 +100256,7 @@ pub static WORD_JUS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ts"), ], values: &[ - &["jude", "juice", "june", "just"], + &["just", "juice", "jude", "june"], &["justifications"], &["justify"], &["jurisdiction"], @@ -100384,7 +100384,7 @@ pub static WORD_JUM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("pimng"), dictgen::InsensitiveStr::Ascii("pt"), ], - values: &[&["jump"], &["jumped"], &["jumping"], &["jump", "jumped"]], + values: &[&["jump"], &["jumped"], &["jumping"], &["jumped", "jump"]], range: 1..=5, }; @@ -100546,7 +100546,7 @@ pub static WORD_JP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("in"), dictgen::InsensitiveStr::Ascii("ng"), ], - values: &[&["join"], &["jpeg", "jpg", "png"]], + values: &[&["join"], &["png", "jpg", "jpeg"]], range: 2..=2, }; @@ -100861,7 +100861,7 @@ pub static WORD_JA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["jamaican"], &["jailbreak"], &["jailbroken"], - &["jalousie", "jealousy"], + &["jealousy", "jalousie"], &["jamaican"], &["jamaica"], &["jamaican"], @@ -100895,7 +100895,7 @@ pub static WORD_JA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["javascript"], &["javascript"], &["javascript"], - &["have", "java"], + &["java", "have"], &["javascript"], &["javascript"], &["javascript"], @@ -101251,7 +101251,7 @@ pub static WORD_ITE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["iterator"], &["interface"], &["interfaces"], - &["intern", "item", "term"], + &["term", "item", "intern"], &["iterations"], &["interpreter"], &["iteration"], @@ -101339,7 +101339,7 @@ pub static WORD_ISU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_IST_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_IST_CHILDREN), - value: Some(&["is", "it", "its", "list", "sit"]), + value: Some(&["is", "it", "its", "sit", "list"]), }; pub static WORD_IST_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -102112,7 +102112,7 @@ pub static WORD_INVO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["invocable"], &["invocation"], &["invocations"], - &["invoke", "invoked"], + &["invoked", "invoke"], &["invoke"], &["invoked"], &["invokes"], @@ -102555,7 +102555,7 @@ pub static WORD_INVA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["invaders"], &["invalid"], &["invalid"], - &["invalidate", "invalidates"], + &["invalidates", "invalidate"], &["invalid"], &["invariably"], &["invalid"], @@ -102933,8 +102933,8 @@ pub static WORD_INTRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["introduced"], &["introduction"], &["introduces"], - &["introduce", "introduces"], - &["introduced", "introduces"], + &["introduces", "introduce"], + &["introduces", "introduced"], &["introduces"], &["introducing"], &["introspectable"], @@ -103087,7 +103087,7 @@ pub static WORD_INTRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["interest"], &["interested"], &["interesting"], - &["insert", "interest"], + &["interest", "insert"], &["interested"], &["interesting"], &["interwebs"], @@ -104065,7 +104065,7 @@ pub static WORD_INTERR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["interrupts"], &["interrupts"], &["interrupts"], - &["interrupters", "interrupts"], + &["interrupts", "interrupters"], &["interrupted"], &["interrupt"], &["interrupts"], @@ -104191,7 +104191,7 @@ pub static WORD_INTERPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["interprets"], &["interpreted"], &["interpreter"], - &["interpretation", "interpreting"], + &["interpreting", "interpretation"], &["interpretations"], &["interpret"], &["interpreted"], @@ -104784,7 +104784,7 @@ pub static WORD_INTERES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["interspersed"], &["interfering"], &["interested"], - &["interest", "interests"], + &["interests", "interest"], &["interested"], &["interesting"], &["interests"], @@ -104907,7 +104907,7 @@ pub static WORD_INTEREE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = static WORD_INTERED_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_INTERED_CHILDREN), - value: Some(&["interned", "interred"]), + value: Some(&["interred", "interned"]), }; pub static WORD_INTERED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -104936,7 +104936,7 @@ pub static WORD_INTEREC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = ], values: &[ &["interceptor"], - &["interact", "interacted", "intersect"], + &["interacted", "interact", "intersect"], &["interacted", "intersected"], &["interacting", "intersecting"], &["interaction", "intersection"], @@ -105046,7 +105046,7 @@ static WORD_INTERB_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictge pub static WORD_INTERB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("read")], - values: &[&["interbred", "interbreed"]], + values: &[&["interbreed", "interbred"]], range: 4..=4, }; @@ -105153,26 +105153,26 @@ pub static WORD_INTERA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["interactive", "interactively"], &["interactively"], &["interactively"], - &["integral", "internal", "interval"], - &["integrally", "internally"], - &["integrals", "internals", "intervals"], + &["internal", "interval", "integral"], + &["internally", "integrally"], + &["internals", "intervals", "integrals"], &["internally"], &["internal"], &["internally"], &["interacted"], &["interacting"], &["iterate"], - &["integrated", "interacted", "iterated"], + &["iterated", "interacted", "integrated"], &["interstellar"], - &["integrated", "interacts", "iterates"], - &["integrating", "interacting", "iterating"], - &["integration", "interaction", "iteration"], + &["iterates", "interacts", "integrated"], + &["iterating", "interacting", "integrating"], + &["iteration", "interaction", "integration"], &["international"], &["internationalism"], &["internationalist"], &["internationalists"], &["internationally"], - &["interactions", "iterations"], + &["iterations", "interactions"], &["interactive"], &["interactively"], &["iterator"], @@ -105218,7 +105218,7 @@ pub static WORD_INTEP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["interpretable"], &["interpretation"], &["interpretations"], - &["interpreter", "interpretor"], + &["interpretor", "interpreter"], &["interpreters"], &["interpreted"], &["interpreter"], @@ -105296,7 +105296,7 @@ pub static WORD_INTEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["intents"], &["intents"], &["indentation"], - &["indented", "intended"], + &["intended", "indented"], &["intended"], &["intentionally"], &["intentionally"], @@ -105778,7 +105778,7 @@ pub static WORD_INSTU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["instrumental"], &["instruments"], &["institutionalized"], - &["institutions", "intuitions"], + &["intuitions", "institutions"], &["institution"], &["institutional"], &["institutionalized"], @@ -106360,14 +106360,14 @@ pub static WORD_INSTAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["installation"], &["installations"], &["installation"], - &["install", "installed", "installer"], + &["installer", "installed", "install"], &["installer"], &["installer"], &["installment"], &["installment"], &["installs"], &["installs"], - &["installation", "installing"], + &["installing", "installation"], &["install"], &["installing"], &["installment"], @@ -106774,7 +106774,7 @@ pub static WORD_INSE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["instead"], &["instead"], &["inserted"], - &["insection", "insertion"], + &["insertion", "insection"], ], range: 1..=10, }; @@ -106836,7 +106836,7 @@ pub static WORD_INSA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["installation"], &["installed"], &["installing"], - &["insane", "instance"], + &["instance", "insane"], &["insanely"], &["insanely"], &["insanely"], @@ -107712,9 +107712,9 @@ pub static WORD_INITIAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["initiating"], &["initiator"], &["initiates"], - &["initiate", "initiatives"], + &["initiatives", "initiate"], &["initiated"], - &["initiates", "initiatives"], + &["initiatives", "initiates"], &["initiation"], &["initiatives"], &["initiate"], @@ -107973,7 +107973,7 @@ static WORD_INITIALE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dict pub static WORD_INITIALE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("s")], - values: &[&["initialise", "initialises", "initializes", "initials"]], + values: &[&["initials", "initialise", "initializes", "initialises"]], range: 1..=1, }; @@ -108056,14 +108056,14 @@ pub static WORD_INITAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("ors"), ], values: &[ - &["imitate", "initiate"], - &["imitated", "initiated"], + &["initiate", "imitate"], + &["initiated", "imitated"], &["imitates", "initiates"], &["imitating", "initiating"], - &["imitation", "initiation"], + &["initiation", "imitation"], &["imitations", "initiations"], &["imitator", "initiator"], - &["imitators", "initiators"], + &["initiators", "imitators"], ], range: 1..=4, }; @@ -108468,7 +108468,7 @@ pub static WORD_INH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["inherited"], &["inheritance"], &["inherited"], - &["inherited", "inheriting"], + &["inheriting", "inherited"], &["inheriting"], &["inherits"], &["inhomogeneous"], @@ -108527,7 +108527,7 @@ pub static WORD_ING_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["investigator"], &["ingenuity"], &["ignition"], - &["ignorant", "ignore"], + &["ignore", "ignorant"], &["ignore"], &["ignored"], &["ignores"], @@ -108991,7 +108991,7 @@ pub static WORD_INFI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["infinite", "infinity"], &["infinity"], &["infinitely"], - &["infinitely", "infinity"], + &["infinity", "infinitely"], &["infinite"], &["infinitesimal"], &["infinite"], @@ -109098,7 +109098,7 @@ pub static WORD_INFA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["infallible"], &["infallible"], &["infallible"], - &["infallible", "inflatable"], + &["inflatable", "infallible"], &["inflate"], &["inflated"], &["inflates"], @@ -109205,7 +109205,7 @@ pub static WORD_INEX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["inexperience"], &["inexperience"], &["inexperience"], - &["inexperience", "inexperienced"], + &["inexperienced", "inexperience"], &["inexperienced"], &["inexperience"], &["inexperienced"], @@ -109961,7 +109961,7 @@ pub static WORD_INDIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("n"), dictgen::InsensitiveStr::Ascii("ns"), ], - values: &[&["endian", "indian"], &["endians", "indians"]], + values: &[&["indian", "endian"], &["indians", "endians"]], range: 1..=2, }; @@ -109972,7 +109972,7 @@ static WORD_INDID_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen pub static WORD_INDID_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["indeed", "inside"]], + values: &[&["inside", "indeed"]], range: 1..=1, }; @@ -110020,7 +110020,7 @@ pub static WORD_INDIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["indicates"], &["indicate"], &["indicated", "indicates"], - &["indicated", "indicates"], + &["indicates", "indicated"], &["indicates", "indicators"], &["indicates"], &["indicative"], @@ -110030,7 +110030,7 @@ pub static WORD_INDIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["indication"], &["indication"], &["indicate"], - &["indicate", "indicates", "indicators"], + &["indicators", "indicates", "indicate"], &["indices"], &["incidence"], &["incidentally"], @@ -110137,7 +110137,7 @@ pub static WORD_INDEX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("s"), dictgen::InsensitiveStr::Ascii("t"), ], - values: &[&["indexing"], &["indexes", "indices"], &["indent", "index"]], + values: &[&["indexing"], &["indexes", "indices"], &["index", "indent"]], range: 1..=2, }; @@ -110342,7 +110342,7 @@ pub static WORD_INDEPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["independents"], &["independently"], &["independent"], - &["independent", "independents"], + &["independents", "independent"], &["independent"], &["independently"], &["independent"], @@ -110400,7 +110400,7 @@ pub static WORD_INDEPD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["independent"], &["independently"], &["independence"], - &["independent", "independents"], + &["independents", "independent"], &["independently"], &["independent"], &["independent"], @@ -110452,7 +110452,7 @@ pub static WORD_INDEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["indentation"], - &["indented", "intended"], + &["intended", "indented"], &["indent", "indented", "independent"], &["indentation"], &["indentation"], @@ -111445,7 +111445,7 @@ pub static WORD_INCOMP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d values: &[ &["incompatible"], &["incompatibility"], - &["incomparable", "incompatible"], + &["incompatible", "incomparable"], &["incompatible"], &["incapacitate"], &["incapacitated"], @@ -111698,7 +111698,7 @@ pub static WORD_INCL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["increased"], &["include"], &["include"], - &["included", "includes"], + &["includes", "included"], &["include"], &["including"], &["included"], @@ -112854,7 +112854,7 @@ pub static WORD_IMPOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["imported"], &["imports"], &["important"], - &["improv", "improve"], + &["improve", "improv"], &["improve"], &["improved"], &["improvement"], @@ -113272,7 +113272,7 @@ static WORD_IMPLEME_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static static WORD_IMPLEMET_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_IMPLEMET_CHILDREN), - value: Some(&["implement", "implements"]), + value: Some(&["implements", "implement"]), }; pub static WORD_IMPLEMET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -113292,7 +113292,7 @@ pub static WORD_IMPLEMET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["implemented"], &["implemented"], &["implementing"], - &["implementation", "implementations"], + &["implementations", "implementation"], &["implements"], ], range: 1..=6, @@ -113402,7 +113402,7 @@ pub static WORD_IMPLEMENT_CHILDREN: dictgen::DictTable<&'static [&'static str]> &["implementation"], &["implemented"], &["implements"], - &["implementation", "implementations", "implementing"], + &["implementations", "implementation", "implementing"], &["implementation", "implementing"], &["implementations"], &["implementations"], @@ -113470,7 +113470,7 @@ pub static WORD_IMPLEMENE_CHILDREN: dictgen::DictTable<&'static [&'static str]> ], values: &[ &["implemented"], - &["implement", "implements"], + &["implements", "implement"], &["implementation"], &["implementations"], &["implementation"], @@ -113751,7 +113751,7 @@ pub static WORD_IMPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["implements"], &["implementation"], &["implement"], - &["implementation", "implementations"], + &["implementations", "implementation"], &["implementations"], &["implements"], &["implement"], @@ -114215,11 +114215,11 @@ pub static WORD_IMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["immediately"], &["emigrant", "immigrant"], - &["emigrate", "immigrate"], + &["immigrate", "emigrate"], &["emigrated", "immigrated"], &["emigration", "immigration"], &["similar"], - &["eminent", "immanent", "imminent"], + &["eminent", "imminent", "immanent"], ], range: 3..=7, }; @@ -114397,7 +114397,7 @@ pub static WORD_IMA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["imagination"], &["imagination"], &["imagination"], - &["imagery", "imaginary"], + &["imaginary", "imagery"], &["imaginative"], &["imaginative"], &["makes"], @@ -116498,7 +116498,7 @@ pub static WORD_HUM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["humanist"], &["number"], &["humor"], - &["humerus", "humorous"], + &["humorous", "humerus"], &["humidity"], &["humidity"], &["humiliation"], @@ -116588,8 +116588,8 @@ pub static WORD_HT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["htaccess"], &["hatching"], &["the"], - &["hen", "the", "then"], - &["here", "there"], + &["then", "hen", "the"], + &["there", "here"], &["they"], &["hitboxes"], &["think"], @@ -117455,7 +117455,7 @@ pub static WORD_HIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["histocompatibility"], &["histogram"], &["histograms"], - &["historic", "history"], + &["history", "historic"], &["historians"], &["historical"], &["historically"], @@ -117830,7 +117830,7 @@ pub static WORD_HID_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["hidden"], &["hidden"], &["hidden", "hiding"], - &["hidden", "hiding"], + &["hiding", "hidden"], &["hidden"], &["hidden"], ], @@ -117993,7 +117993,7 @@ pub static WORD_HET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["heterosexual"], &["heterosexual"], &["heterogeneous"], - &["heterogeneous", "heterogenous"], + &["heterogenous", "heterogeneous"], ], range: 8..=11, }; @@ -118219,7 +118219,7 @@ pub static WORD_HEM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_HEL_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_HEL_CHILDREN), - value: Some(&["heal", "hell", "help"]), + value: Some(&["help", "hell", "heal"]), }; pub static WORD_HEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -118518,7 +118518,7 @@ pub static WORD_HEAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["heartbeat"], &["header"], - &["header", "heard"], + &["heard", "header"], &["hearthstone"], &["heartbeat"], &["heartbeat"], @@ -118647,7 +118647,7 @@ pub static WORD_HEAD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["headquarter"], &["headquartered"], &["headquarters"], - &["bedroom", "headroom"], + &["headroom", "bedroom"], &["headset"], &["headsets"], &["headshot"], @@ -118739,7 +118739,7 @@ pub static WORD_HAX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_HAV_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_HAV_CHILDREN), - value: Some(&["half", "have"]), + value: Some(&["have", "half"]), }; pub static WORD_HAV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -118897,9 +118897,9 @@ pub static WORD_HAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["harassment"], &["harassments"], &["harassment"], - &["charcode", "hardcode"], + &["hardcode", "charcode"], &["hardcoded"], - &["charcodes", "hardcodes"], + &["hardcodes", "charcodes"], &["hardcoding"], &["hardware"], &["hardened"], @@ -118995,7 +118995,7 @@ pub static WORD_HAP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["happens"], &["hampshire"], &["happened"], - &["happen", "happened", "happens"], + &["happened", "happens", "happen"], &["happened"], &["happens"], &["happened"], @@ -119005,7 +119005,7 @@ pub static WORD_HAP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["happenings"], &["happens"], &["happily"], - &["happen", "happening"], + &["happening", "happen"], &["happily"], &["happen"], &["happens", "happiness"], @@ -119407,7 +119407,7 @@ pub static WORD_HANDF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di static WORD_HANDE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_HANDE_CHILDREN), - value: Some(&["hand", "handle"]), + value: Some(&["handle", "hand"]), }; pub static WORD_HANDE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -119432,9 +119432,9 @@ pub static WORD_HANDE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["handedly"], &["handle"], &["handlebars"], - &["handheld", "handled"], + &["handled", "handheld"], &["handedly"], - &["handheld", "handled"], + &["handled", "handheld"], &["handler"], &["handles"], &["handling"], @@ -119561,7 +119561,7 @@ pub static WORD_HAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["hilarious"], - &["half", "hall", "held", "hold"], + &["held", "half", "hall", "hold"], &["halifax"], &["halftime"], &["halves"], @@ -119617,7 +119617,7 @@ static WORD_HAH_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_HAH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ve")], - values: &[&["half", "halve", "have"]], + values: &[&["have", "halve", "half"]], range: 2..=2, }; @@ -119681,7 +119681,7 @@ pub static WORD_HAD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("nler"), ], values: &[ - &["haters", "headers", "shaders"], + &["headers", "shaders", "haters"], &["handler"], &["handling"], &["handler"], @@ -119703,7 +119703,7 @@ pub static WORD_HAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["have"], - &["hack", "hash", "hatch"], + &["hatch", "hack", "hash"], &["hackish"], &["hatching"], ], @@ -120047,7 +120047,7 @@ static WORD_GUD_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_GUD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["good", "guide"]], + values: &[&["guide", "good"]], range: 1..=1, }; @@ -120762,10 +120762,10 @@ pub static WORD_GRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["grouped"], &["grouping"], &["groups"], - &["drop", "group"], + &["group", "drop"], &["group"], &["grouping"], - &["gropes", "groups"], + &["groups", "gropes"], &["groceries"], &["grocery"], &["growth"], @@ -120775,7 +120775,7 @@ pub static WORD_GRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["grouped"], &["grouped"], &["group", "grouped"], - &["grouped", "groups"], + &["groups", "grouped"], &["grouped"], &["grouping"], &["grouped"], @@ -120856,8 +120856,8 @@ pub static WORD_GRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["grenade"], &["grenades"], - &["create", "grate", "great", "greater"], - &["graded", "grated", "greater"], + &["greater", "create", "grate", "great"], + &["greater", "grated", "graded"], &["grateful"], &["grateful", "gratefully"], &["gratefully"], @@ -121653,7 +121653,7 @@ pub static WORD_GOG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ether"), dictgen::InsensitiveStr::Ascii("in"), ], - values: &[&["together"], &["gauguin", "going"]], + values: &[&["together"], &["going", "gauguin"]], range: 2..=5, }; @@ -122045,7 +122045,7 @@ pub static WORD_GI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["guitar"], &["guitars"], &["gitattributes"], - &["gave", "given"], + &["given", "gave"], &["giving"], &["given"], &["given"], @@ -122875,7 +122875,7 @@ pub static WORD_GENERA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["generalization"], &["generalization"], &["generalizing"], - &["general", "generally"], + &["generally", "general"], &["generalize"], &["generally"], &["generally"], @@ -122883,7 +122883,7 @@ pub static WORD_GENERA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["generals"], &["generates"], &["generates"], - &["general", "generate"], + &["generate", "general"], &["generator"], &["generates", "generators"], &["generate"], @@ -123140,7 +123140,7 @@ pub static WORD_GAU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["guaranteed"], &["guaranteeing"], &["guarantees"], - &["gourd", "guard"], + &["guard", "gourd"], &["guardian"], &["guarding"], &["guarantee"], @@ -123169,7 +123169,7 @@ pub static WORD_GAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["gateable"], &["gating"], - &["gathering", "gatherings"], + &["gatherings", "gathering"], &["gatherings"], &["gateway"], ], @@ -123250,7 +123250,7 @@ pub static WORD_GAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["garfield"], &["garfield"], &["garfield"], - &["garage", "garbage"], + &["garbage", "garage"], &["gargoyle"], &["gargoyles"], &["guerilla"], @@ -124127,7 +124127,7 @@ pub static WORD_FUNCT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["functionality"], &["functionality"], &["functionality"], - &["functionality", "functionally"], + &["functionally", "functionality"], &["functioning"], &["functionalities"], &["functionality"], @@ -124900,7 +124900,7 @@ pub static WORD_FRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["frequencies"], &["frequencies"], &["frequently"], - &["frequency", "frequent", "frequently"], + &["frequency", "frequently", "frequent"], &["frequencies"], &["frequencies"], &["frequency"], @@ -125207,13 +125207,13 @@ pub static WORD_FP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("rmat"), dictgen::InsensitiveStr::Ascii("t"), ], - values: &[&["far", "for", "fps"], &["format"], &["ftp"]], + values: &[&["for", "far", "fps"], &["format"], &["ftp"]], range: 1..=4, }; static WORD_FO_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Nested(&WORD_FO_CHILDREN), - value: Some(&["do", "for", "go", "of", "to"]), + value: Some(&["of", "for", "do", "go", "to"]), }; static WORD_FO_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str]>>; 26] = [ @@ -125329,7 +125329,7 @@ pub static WORD_FOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_FOT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_FOT_CHILDREN), - value: Some(&["cot", "dot", "fit", "fog", "for", "got", "rot", "tot"]), + value: Some(&["for", "fit", "dot", "rot", "cot", "got", "tot", "fog"]), }; pub static WORD_FOT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -125424,7 +125424,7 @@ pub static WORD_FORW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["forwarding"], &["forwards"], &["forwarding"], - &["forward", "forwarded"], + &["forwarded", "forward"], &["forwarding"], &["forwarded"], ], @@ -125723,7 +125723,7 @@ pub static WORD_FORM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["formed"], &["formerly"], &["formerly"], - &["formed", "forms"], + &["forms", "formed"], &["formidable"], &["formidable"], &["formidable"], @@ -126113,13 +126113,13 @@ pub static WORD_FON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["functionalities"], &["functionalities"], &["functionality"], - &["functionality", "functionally"], + &["functionally", "functionality"], &["functions"], &["fundamentalist"], &["fundamentalists"], &["phonetic"], - &["contain", "fountain"], - &["contains", "fountains"], + &["fountain", "contain"], + &["fountains", "contains"], &["frontier"], &["fontifying"], &["fontconfig"], @@ -126171,7 +126171,7 @@ pub static WORD_FOM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["formatter"], &["formatting"], &["formed"], - &["form", "from"], + &["from", "form"], &["format"], &["formatted"], &["formatter"], @@ -126573,7 +126573,7 @@ pub static WORD_FOLLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["following"], &["following"], &["follows"], - &["follow", "followed", "follows"], + &["followed", "follows", "follow"], &["follows"], &["following"], &["following"], @@ -126619,7 +126619,7 @@ pub static WORD_FOLLL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["following"], &["following"], &["following"], - &["followings", "follows"], + &["follows", "followings"], ], range: 2..=6, }; @@ -126653,7 +126653,7 @@ pub static WORD_FOLLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["following"], &["following"], - &["falling", "following", "rolling"], + &["following", "falling", "rolling"], &["following"], &["following"], &["follow"], @@ -126788,7 +126788,7 @@ static WORD_FOLD_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_FOLD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("e")], - values: &[&["fold", "folder"]], + values: &[&["folder", "fold"]], range: 1..=1, }; @@ -127037,13 +127037,13 @@ pub static WORD_FLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["florida"], &["florence"], &["florence"], - &["florescent", "fluorescent"], + &["fluorescent", "florescent"], &["fluoride"], &["florida"], &["fluoride"], &["flourish"], &["floating"], - &["florescent", "fluorescent"], + &["fluorescent", "florescent"], &["fluoride"], &["fluorine"], &["flourishing"], @@ -127218,12 +127218,12 @@ pub static WORD_FLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["flavouring"], &["flavourings"], &["flavours"], - &["flag", "flags"], + &["flags", "flag"], &["flagged"], &["flags"], &["flag"], &["flagship"], - &["flags", "flash"], + &["flash", "flags"], &["flashed"], &["flashes"], &["flashing"], @@ -127244,7 +127244,7 @@ pub static WORD_FLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["flashlight"], &["flashing"], &["flashbacks"], - &["class", "flash", "flask", "glass"], + &["class", "glass", "flask", "flash"], &["flat"], &["flattened"], &["flattened"], @@ -127327,7 +127327,7 @@ pub static WORD_FIX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("wd"), ], values: &[ - &["fix", "fixed", "fixer", "fixes", "fixme"], + &["fixed", "fixes", "fix", "fixme", "fixer"], &["pixel"], &["pixels"], &["fixme"], @@ -127364,9 +127364,9 @@ pub static WORD_FIT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("lers"), ], values: &[ - &["fighter", "filter", "fitter", "fiver"], + &["filter", "fighter", "fitter", "fiver"], &["filtering"], - &["fighters", "filters", "fitters", "fivers"], + &["filters", "fighters", "fitters", "fivers"], &["fifth", "filth"], &["filter"], &["filtered"], @@ -127390,7 +127390,7 @@ pub static WORD_FIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("rt"), ], values: &[ - &["fiscal", "physical"], + &["physical", "fiscal"], &["fissionable"], &["physicist"], &["physicist"], @@ -127484,7 +127484,7 @@ pub static WORD_FIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["first"], &["first"], &["first", "flirt"], - &["first", "flirts"], + &["flirts", "first"], &["firstly"], &["firmware"], &["firmware"], @@ -127569,9 +127569,9 @@ pub static WORD_FINS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ished"), ], values: &[ - &["finch", "finish"], + &["finish", "finch"], &["finished"], - &["finches", "finishes"], + &["finishes", "finches"], &["finishing"], &["finish"], &["finished"], @@ -127628,7 +127628,7 @@ pub static WORD_FINI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["finish", "finnish"], &["finished"], &["finished"], - &["finish", "finished"], + &["finished", "finish"], &["finished"], &["finishes"], &["finishes"], @@ -127723,7 +127723,7 @@ pub static WORD_FINC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["finally"], - &["fictional", "functional"], + &["functional", "fictional"], &["functionalities"], &["functionality"], ], @@ -127766,7 +127766,7 @@ pub static WORD_FINA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["finale", "finally"], &["finalizes"], &["finally"], - &["finale", "finally"], + &["finally", "finale"], &["finance"], &["financed"], &["finances"], @@ -127906,10 +127906,10 @@ pub static WORD_FIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["filament"], &["files"], &["fillet"], - &["filed", "fill", "filled"], + &["filled", "filed", "fill"], &["file", "fill", "filled"], &["filament"], - &["files", "filled", "fills"], + &["files", "fills", "filled"], &["following"], &["filling"], &["filmmakers"], @@ -127921,7 +127921,7 @@ pub static WORD_FIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["flipped"], &["flipping"], &["flips"], - &["file", "files", "fills"], + &["fills", "files", "file"], &["files"], &["filesystem"], &["filesystems"], @@ -128040,7 +128040,7 @@ pub static WORD_FIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["filesystems"], &["filename"], &["filename"], - &["feels", "fields", "files", "phials"], + &["fields", "feels", "files", "phials"], &["fiercely"], &["few", "flew"], ], @@ -128084,7 +128084,7 @@ pub static WORD_FIC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("tious"), ], values: &[ - &["fix", "flicks"], + &["flicks", "fix"], &["fictitious"], &["fictitious"], &["dictionaries"], @@ -128186,7 +128186,7 @@ pub static WORD_FEW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("g"), dictgen::InsensitiveStr::Ascii("sha"), ], - values: &[&["feud", "few"], &["few", "fugue"], &["fuchsia"]], + values: &[&["few", "feud"], &["few", "fugue"], &["fuchsia"]], range: 1..=3, }; @@ -128426,7 +128426,7 @@ pub static WORD_FEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["fed"], &["feel"], &["feels"], - &["feats", "feet"], + &["feet", "feats"], &["feature"], &["feature"], ], @@ -128541,11 +128541,11 @@ pub static WORD_FEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["feasibility"], &["feasible"], &["feasible"], - &["each", "fetch"], + &["fetch", "each"], &["fetched"], &["fetched"], &["feather", "feature", "fetcher"], - &["features", "fetches"], + &["fetches", "features"], &["fetching"], &["fetches"], &["fetches"], @@ -128804,7 +128804,7 @@ pub static WORD_FAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["fascists"], &["fascist"], &["fascination"], - &["false", "faze", "phase"], + &["faze", "phase", "false"], &["fazed", "phased"], &["facetious"], &["facetiously"], @@ -128873,7 +128873,7 @@ pub static WORD_FAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["fracking"], - &["faction", "fraction"], + &["fraction", "faction"], &["fahrenheit"], &["fahrenheit"], &["fahrenheit"], @@ -129127,7 +129127,7 @@ pub static WORD_FAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["fallthrough"], &["flamethrower"], &["falsely"], - &["false", "flash"], + &["flash", "false"], &["flashbacks"], &["flashed"], &["flashes"], @@ -129208,11 +129208,11 @@ pub static WORD_FAI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ways"), ], values: &[ - &["fade", "failed"], + &["failed", "fade"], &["failed"], &["failed"], &["failed"], - &["fail", "failed"], + &["failed", "fail"], &["failure"], &["fails"], &["facilities"], @@ -129403,10 +129403,10 @@ pub static WORD_FAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["fascist"], &["facilities"], &["falcons"], - &["faker", "favor"], + &["favor", "faker"], &["favorite"], &["favorites"], - &["fakers", "favors"], + &["favors", "fakers"], &["favour"], &["favourite"], &["favourites"], @@ -129419,7 +129419,7 @@ pub static WORD_FAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["factorization"], &["factors"], &["factorization"], - &["factories", "factors"], + &["factors", "factories"], &["factories"], &["factory"], &["factually"], @@ -129542,9 +129542,9 @@ pub static WORD_EY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("tmology"), ], values: &[ - &["eyas", "year"], - &["eyas", "years"], - &["eyas", "years"], + &["year", "eyas"], + &["years", "eyas"], + &["years", "eyas"], &["eyeballs"], &["eyeballs"], &["eyeballs"], @@ -129834,7 +129834,7 @@ pub static WORD_EXTRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["extreme"], &["extremely"], &["extremes"], - &["extreme", "extremum"], + &["extremum", "extreme"], &["extremely"], &["extremes"], &["extremely"], @@ -129855,7 +129855,7 @@ pub static WORD_EXTRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["extremities"], &["extremely"], &["extremely"], - &["extrema", "extremes"], + &["extremes", "extrema"], &["external"], &["externally"], &["externally"], @@ -129963,7 +129963,7 @@ pub static WORD_EXTRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["extraordinary"], &["extraordinarily"], &["extraordinary"], - &["extraordinarily", "extraordinary"], + &["extraordinary", "extraordinarily"], &["extraordinarily"], &["extraordinary"], &["extraordinary"], @@ -130060,12 +130060,12 @@ pub static WORD_EXTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["estimator"], &["estimators"], &["existing", "exiting", "texting"], - &["extant", "extinct"], + &["extinct", "extant"], &["exist"], &["exit"], &["excited", "exited"], &["exciting", "exiting"], - &["excites", "exits"], + &["exits", "excites"], ], range: 1..=7, }; @@ -130318,7 +130318,7 @@ pub static WORD_EXTA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("tic"), ], values: &[ - &["exact", "extract"], + &["extract", "exact"], &["extraction"], &["exactly"], &["ecstasy"], @@ -130363,18 +130363,18 @@ pub static WORD_EXS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ts"), ], values: &[ - &["exist", "exists"], + &["exists", "exist"], &["existence"], &["existent"], &["existing"], &["exists"], &["exist", "exit"], &["existence"], - &["excited", "existed"], + &["existed", "excited"], &["existence"], &["existent"], &["existing"], - &["exist", "exists"], + &["exists", "exist"], &["expect"], &["expected"], &["expectedly"], @@ -130533,7 +130533,7 @@ pub static WORD_EXPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["expressions"], &["expressly"], &["espresso"], - &["express", "expresses"], + &["expresses", "express"], &["expression"], &["expressions"], &["expressive"], @@ -130646,7 +130646,7 @@ pub static WORD_EXPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["exponential"], &["exponentially"], &["exponential"], - &["expert", "export"], + &["export", "expert"], &["exported"], &["exploit"], &["exploitation"], @@ -130798,8 +130798,8 @@ pub static WORD_EXPLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["exploitative"], &["exploitation"], &["exploits"], - &["exploit", "exploitation", "exploiting", "explosion"], - &["exploitations", "exploits", "explosions"], + &["exploiting", "explosion", "exploitation", "exploit"], + &["explosions", "exploitations", "exploits"], &["exploitative"], &["exploration"], &["exploration"], @@ -130908,7 +130908,7 @@ pub static WORD_EXPLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["explicitly"], &["explicitly"], &["explicitly"], - &["explicit", "explicitly"], + &["explicitly", "explicit"], &["explain"], &["explanation"], &["explanations"], @@ -131012,7 +131012,7 @@ pub static WORD_EXPLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["explaining"], &["explaining"], &["explanatory"], - &["explanation", "explanations"], + &["explanations", "explanation"], &["explanations"], &["explanations"], &["explain"], @@ -131220,7 +131220,7 @@ pub static WORD_EXPEW_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di static WORD_EXPET_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_EXPET_CHILDREN), - value: Some(&["expat", "expect"]), + value: Some(&["expect", "expat"]), }; pub static WORD_EXPET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -131536,7 +131536,7 @@ pub static WORD_EXPERM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["experimenters"], &["experimenting"], &["experiments"], - &["experiment", "experiments"], + &["experiments", "experiment"], &["experimental"], &["experimentally"], &["experimentation"], @@ -131922,7 +131922,7 @@ static WORD_EXPERIME_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static static WORD_EXPERIMET_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_EXPERIMET_CHILDREN), - value: Some(&["experiment", "experiments"]), + value: Some(&["experiments", "experiment"]), }; pub static WORD_EXPERIMET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -132605,8 +132605,8 @@ pub static WORD_EXPERC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("ts"), ], values: &[ - &["excerpt", "expect"], - &["excerpted", "expected"], + &["expect", "excerpt"], + &["expected", "excerpted"], &["expecting"], &["expects"], ], @@ -132678,7 +132678,7 @@ pub static WORD_EXPEP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["expectedly"], &["expecting"], &["expects"], - &["except", "expect"], + &["expect", "except"], &["expected"], &["expectedly"], &["expecting"], @@ -133052,8 +133052,8 @@ pub static WORD_EXPA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["explained"], &["explaining"], &["explains"], - &["expansion", "explanation"], - &["expansions", "explanations"], + &["explanation", "expansion"], + &["explanations", "expansions"], &["expandable"], &["expands"], &["expands"], @@ -133068,7 +133068,7 @@ pub static WORD_EXPA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["expansive"], &["expansions"], &["expansions"], - &["expansion", "expansions"], + &["expansions", "expansion"], &["expansions"], &["expiration"], &["expansion"], @@ -133109,8 +133109,8 @@ pub static WORD_EXO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["exorbitant"], &["exorbitant"], &["exorbitant"], - &["exhort", "export"], - &["exerted", "exported", "extorted"], + &["export", "exhort"], + &["exported", "extorted", "exerted"], &["exoskeleton"], &["exotics"], &["exotics"], @@ -133365,7 +133365,7 @@ pub static WORD_EXI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["existence"], &["excitation"], &["excitations"], - &["excite", "exit", "exits"], + &["exit", "excite", "exits"], &["existing", "exiting"], &["exists", "exits"], &["exit"], @@ -133603,7 +133603,7 @@ pub static WORD_EXER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["exercising"], &["exercised"], &["exercise"], - &["exercise", "exercises"], + &["exercises", "exercise"], &["exercised"], &["exercises"], &["exercising"], @@ -133947,7 +133947,7 @@ pub static WORD_EXECUT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["executioner"], &["executions"], &["executions"], - &["executing", "execution"], + &["execution", "executing"], &["executioner"], &["executioner"], &["executioner"], @@ -134156,7 +134156,7 @@ pub static WORD_EXECUD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["execute"], &["executed"], &["executes"], - &["excluding", "executing"], + &["executing", "excluding"], ], range: 1..=3, }; @@ -134616,7 +134616,7 @@ pub static WORD_EXCL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["excludes"], &["excluding"], &["exclude"], - &["exclude", "excludes", "exclusive", "excuse"], + &["excludes", "exclude", "excuse", "exclusive"], &["exclusives"], &["exclusive"], &["exclusives"], @@ -135059,13 +135059,13 @@ pub static WORD_EXCEP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["excerpts"], &["expectation"], &[ - "accepting", + "exceptions", "excepting", "exception", - "exceptions", "expecting", + "accepting", ], - &["excepting", "exceptions"], + &["exceptions", "excepting"], &["exceptionally"], &["exceptional"], &["exceptional"], @@ -136116,7 +136116,7 @@ pub static WORD_EVEL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["elevation"], - &["envelop", "envelope"], + &["envelope", "envelop"], &["evaluate"], &["evaluated"], &["evaluates"], @@ -136406,11 +136406,11 @@ pub static WORD_ET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["etymology"], &["etc"], &["etc"], - &["attend", "extend"], - &["attended", "extended"], - &["attender", "extender"], - &["attenders", "extenders"], - &["attends", "extends"], + &["extend", "attend"], + &["extended", "attended"], + &["extender", "attender"], + &["extenders", "attenders"], + &["extends", "attends"], &["extensible"], &["extension"], &["extensions"], @@ -136434,7 +136434,7 @@ pub static WORD_ET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["ethnicities"], &["ethnicity"], &["ethnocentrism"], - &["ethos", "those"], + &["those", "ethos"], &["either"], &["etiquette"], &["etymology"], @@ -136565,7 +136565,7 @@ pub static WORD_EST_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["establishing"], &["established"], &["establishments"], - &["establishment", "establishments"], + &["establishments", "establishment"], &["estimate"], &["estimated"], &["estimates"], @@ -136706,7 +136706,7 @@ pub static WORD_ESP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["especially"], &["especially"], &["especially"], - &["especially", "specifically"], + &["specifically", "especially"], &["especially"], &["expect"], &["especially"], @@ -137017,7 +137017,7 @@ pub static WORD_ER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["earlier"], &["orally", "really"], &["eraseblocks"], - &["eraser", "erasure"], + &["erasure", "eraser"], &["erratic"], &["erratically"], &["erratically"], @@ -137256,13 +137256,13 @@ pub static WORD_EQUI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["equipment"], &["equipment"], &["equipment"], - &["enquire", "equine", "esquire", "require"], + &["require", "enquire", "equine", "esquire"], &["equatorial"], &["equivalence"], &["equivalent"], &["equivalents"], - &["equivalent", "equivalents"], - &["equivalency", "equivalently"], + &["equivalents", "equivalent"], + &["equivalently", "equivalency"], &["equivalents"], &["equivalent"], &["equivalently"], @@ -137650,7 +137650,7 @@ pub static WORD_ENVO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["evoked", "invoked"], &["evoker", "invoker"], &["evokes", "invokes"], - &["evoking", "invoking"], + &["invoking", "evoking"], &["evolutionary"], &["involved"], &["enforce"], @@ -137756,7 +137756,7 @@ pub static WORD_ENVIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["environmentalist"], &["environmentally"], &["environments"], - &["environment", "environments"], + &["environments", "environment"], &["environmental"], &["environmentally"], &["environments"], @@ -137778,10 +137778,10 @@ pub static WORD_ENVIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["environmentally"], &["environmentally"], &["environmental"], - &["environment", "environments"], + &["environments", "environment"], &["environmental"], &["environments"], - &["environment", "environments"], + &["environments", "environment"], &["environment"], &["environment"], &["environment"], @@ -137990,7 +137990,7 @@ static WORD_ENT_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str] static WORD_ENTY_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_ENTY_CHILDREN), - value: Some(&["entity", "entry"]), + value: Some(&["entry", "entity"]), }; pub static WORD_ENTY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -138110,9 +138110,9 @@ pub static WORD_ENTR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["entertained"], &["entertaining"], &["entertainment"], - &["entries", "entry"], + &["entry", "entries"], &["entries"], - &["entries", "entry"], + &["entry", "entries"], &["entropy"], &["entropy"], &["entries", "entry"], @@ -138201,7 +138201,7 @@ pub static WORD_ENTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["entirety"], &["entirely"], &["entries"], - &["entirely", "entirety"], + &["entirety", "entirely"], &["entirety"], &["entirely"], &["entirely"], @@ -138723,7 +138723,7 @@ pub static WORD_ENI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["entity"], &["entire"], &["entirely"], - &["enmity", "entity"], + &["entity", "enmity"], &["inevitable"], &["environment"], &["environments"], @@ -139273,7 +139273,7 @@ pub static WORD_ENCR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["encrypted"], &["encryption"], &["encryption"], - &["encrypt", "encrypted"], + &["encrypted", "encrypt"], &["encryptor"], &["encryption"], &["encryption"], @@ -139348,7 +139348,7 @@ pub static WORD_ENCOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ttering"), ], values: &[ - &["encounter", "encountered"], + &["encountered", "encounter"], &["encountered"], &["encounters"], &["encounter", "encountered"], @@ -139622,8 +139622,8 @@ pub static WORD_ENCH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["enchantment"], &["enhanced"], - &["enchantment", "enhancement"], - &["enchantments", "enhancements"], + &["enhancement", "enchantment"], + &["enhancements", "enchantments"], &["enchanting"], &["enchantment"], &["enchantments"], @@ -140287,7 +140287,7 @@ pub static WORD_EMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["emanated"], &["empires"], &["emission"], - &["amass", "amiss", "remiss"], + &["remiss", "amiss", "amass"], &["amassed", "amiss"], &["emitted"], &["emitting"], @@ -140881,9 +140881,9 @@ pub static WORD_ELI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["eliminates"], &["eliminate"], &["eliminated"], - &["eclipse", "ellipse"], - &["eclipses", "ellipses", "ellipsis"], - &["eclipses", "ellipsis"], + &["ellipse", "eclipse"], + &["ellipses", "eclipses", "ellipsis"], + &["ellipsis", "eclipses"], &["ellipses", "ellipsis"], &["elliptic"], &["elliptical"], @@ -141393,7 +141393,7 @@ pub static WORD_ELECTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("vre"), ], values: &[ - &["eclectic", "electric"], + &["electric", "eclectic"], &["electrical"], &["electric"], &["electrical"], @@ -141565,7 +141565,7 @@ pub static WORD_EI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["eighteen"], &["eighteen"], &["either"], - &["eight", "eighth"], + &["eighth", "eight"], &["eighteen"], &["either"], &["einfach"], @@ -141608,14 +141608,14 @@ pub static WORD_EH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["enhanced"], &["enhancement"], &["enhancements"], - &["even", "hen", "then", "when"], + &["when", "hen", "even", "then"], &["whenever"], &["enough"], &["her"], &["ethanol"], &["ethereal"], &["ethernet"], - &["either", "ether"], + &["ether", "either"], &["ethernet"], &["ethically"], &["ethnically"], @@ -141876,9 +141876,9 @@ pub static WORD_EFF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["efficiency"], &["efficient"], &["efficiently"], - &["afford", "effort"], + &["effort", "afford"], &["effortlessly"], - &["affords", "efforts"], + &["efforts", "affords"], &["effortlessly"], &["effortlessly"], &["effortlessly"], @@ -142148,7 +142148,7 @@ pub static WORD_EC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["encounters"], &["explicit"], &["explicitly"], - &["erect", "secret"], + &["secret", "erect"], &["especially"], &["ecstasy"], &["ecstasy"], @@ -142265,7 +142265,7 @@ pub static WORD_EAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("swood"), dictgen::InsensitiveStr::Ascii("urn"), ], - values: &[&["eastwood"], &["eaten", "return", "saturn"]], + values: &[&["eastwood"], &["return", "saturn", "eaten"]], range: 3..=5, }; @@ -142352,7 +142352,7 @@ pub static WORD_EAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("yly"), ], values: &[ - &["each", "search"], + &["search", "each"], &["earthbound"], &["earthquakes"], &["earlier"], @@ -142617,7 +142617,7 @@ pub static WORD_DY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["dynamics"], &["dynamite"], &["dynamic"], - &["dynamically", "dynamincally"], + &["dynamincally", "dynamically"], &["dynamics"], &["dynamically"], &["dynamically"], @@ -142960,7 +142960,7 @@ pub static WORD_DUM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["dumbfounded"], &["dumbfounded"], &["dumbfounded"], - &["dummy", "dump"], + &["dump", "dummy"], &["duplicate"], &["duplicated"], &["duplicates"], @@ -143007,7 +143007,7 @@ pub static WORD_DUE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ing"), dictgen::InsensitiveStr::Ascii("tschland"), ], - values: &[&["doing", "dueling", "during"], &["deutschland"]], + values: &[&["doing", "during", "dueling"], &["deutschland"]], range: 3..=8, }; @@ -143426,7 +143426,7 @@ pub static WORD_DRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["drawview"], &["drawback"], &["drawbacks"], - &["drawn", "drew"], + &["drew", "drawn"], &["drawn"], &["drawing"], ], @@ -144040,7 +144040,7 @@ pub static WORD_DOU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("t"), ], values: &[ - &["daub", "doubt"], + &["doubt", "daub"], &["double"], &["double"], &["doublelift"], @@ -144125,7 +144125,7 @@ pub static WORD_DOS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["disclosing"], &["disclosure"], &["disclosures"], - &["doesn", "dose", "dozen"], + &["dozen", "dose", "doesn"], &["dozens"], &["disposing"], &["disappointed"], @@ -144159,7 +144159,7 @@ pub static WORD_DOR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["force"], &["forced"], &["forceful"], - &["disorder", "order"], + &["order", "disorder"], &["ordered"], &["dormant"], &["dortmund"], @@ -144257,7 +144257,7 @@ pub static WORD_DON_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["dungeons"], &["domesticated"], &["doing"], - &["don", "done"], + &["done", "don"], &["downgrade"], &["downgraded"], &["download"], @@ -144420,10 +144420,10 @@ pub static WORD_DOK_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["dock"], &["docked"], &["docker"], - &["docked", "docker", "dockerd"], + &["dockerd", "docked", "docker"], &["docking"], &["docker"], - &["docked", "docker", "dockerd"], + &["dockerd", "docked", "docker"], &["docks"], &["docker"], ], @@ -144487,10 +144487,10 @@ pub static WORD_DOE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["does"], - &["doesn", "don", "done"], + &["done", "don", "doesn"], &["does", "doesn"], &["does"], - &["does", "doing", "dosing", "dozing"], + &["doing", "does", "dosing", "dozing"], &["does"], ], range: 1..=4, @@ -144916,7 +144916,7 @@ pub static WORD_DOA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["diagonals"], &["dialog"], &["domain", "dopamine"], - &["domain", "dopamine"], + &["dopamine", "domain"], &["domains"], &["dopamine"], &["does"], @@ -145037,14 +145037,14 @@ pub static WORD_DIV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["dividing"], &["diversify"], &["diversity"], - &["diverged", "diverse"], + &["diverse", "diverged"], &["diversify"], &["diversify"], &["diversity"], &["diversion"], &["diversions"], &["divot"], - &["deviation", "divination"], + &["divination", "deviation"], &["device"], &["divider"], &["dividends"], @@ -145054,7 +145054,7 @@ pub static WORD_DIV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["dividends"], &["divider", "divisor"], &["dividers", "divisors"], - &["definition", "divination"], + &["divination", "definition"], &["divinity"], &["divinity"], &["divinity"], @@ -145330,7 +145330,7 @@ pub static WORD_DISTRU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["distributions"], &["distributor"], &["distributors"], - &["disrupted", "distributed"], + &["distributed", "disrupted"], &["distrust"], &["distribution"], &["distribute"], @@ -145435,11 +145435,11 @@ pub static WORD_DISTRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["distributors"], &["distribution"], &["distributions"], - &["distribution", "distributions"], + &["distributions", "distribution"], &["distributions"], &["distributions"], &["distribution"], - &["distribute", "distributed"], + &["distributed", "distribute"], &["distributed"], &["distribute"], &["distribute"], @@ -145709,7 +145709,7 @@ pub static WORD_DISTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["distinguish"], &["distinguished"], &["destination", "distinction"], - &["destinations", "distinctions"], + &["distinctions", "destinations"], &["distinctive"], &["distinction"], &["distinction"], @@ -145728,7 +145728,7 @@ pub static WORD_DISTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["distinguish"], &["distinguishing"], &["distinguished"], - &["distinguish", "distinguished"], + &["distinguished", "distinguish"], &["distinguished"], &["distinguishes"], &["distinguishing"], @@ -145802,7 +145802,7 @@ pub static WORD_DISTA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["distance", "distaste"], &["distanced"], &["distances", "distastes"], - &["distance", "distanced", "distances"], + &["distanced", "distances", "distance"], &["distance"], &["distance"], &["distance"], @@ -146721,7 +146721,7 @@ static WORD_DISPP_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen pub static WORD_DISPP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("rove")], - values: &[&["disapprove", "disprove"]], + values: &[&["disprove", "disapprove"]], range: 4..=4, }; @@ -146813,7 +146813,7 @@ pub static WORD_DISPL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["displacements"], &["displaying"], &["displayed"], - &["displayed", "displays"], + &["displays", "displayed"], &["displays"], &["displayed"], &["displaying"], @@ -147975,7 +147975,7 @@ pub static WORD_DISCH_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["discharged"], &["discharged"], - &["discharge", "discharged"], + &["discharged", "discharge"], ], range: 3..=5, }; @@ -148470,7 +148470,7 @@ pub static WORD_DISAD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["disadvantaged"], &["disadvantaged"], - &["disadvantage", "disadvantaged"], + &["disadvantaged", "disadvantage"], &["disadvantaged"], &["disadvantages"], &["disadvantage"], @@ -148856,7 +148856,7 @@ pub static WORD_DIRECT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["directs"], &["directories"], &["directory"], - &["directing", "direction", "directions"], + &["directions", "directing", "direction"], &["directional"], &["directional", "directions"], &["directional"], @@ -148869,14 +148869,14 @@ pub static WORD_DIRECT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["direction"], &["directories"], &["directory"], - &["directories", "directors"], + &["directors", "directories"], &["directory"], &["directories"], &["directors"], &["directories"], &["directory"], &["directory"], - &["directories", "directors"], + &["directors", "directories"], &["directors"], &["directory"], &["directive"], @@ -149108,9 +149108,9 @@ pub static WORD_DIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["diploma"], &["diploma"], &["diplomatic"], - &["depose", "dispose"], - &["deposed", "disposed"], - &["deposing", "disposing"], + &["dispose", "depose"], + &["disposed", "deposed"], + &["disposing", "deposing"], &["disposition"], &["diphtheria"], &["diphthong"], @@ -149446,9 +149446,9 @@ pub static WORD_DIFU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ssive"), ], values: &[ - &["defuse", "diffuse"], - &["defused", "diffused"], - &["defused", "diffuses"], + &["diffuse", "defuse"], + &["diffused", "defused"], + &["diffuses", "defused"], &["diffusion"], &["diffusive"], ], @@ -149590,7 +149590,7 @@ pub static WORD_DIFFR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["differences"], &["different"], - &["difference", "different"], + &["different", "difference"], &["difference"], &["differences"], &["different"], @@ -149598,7 +149598,7 @@ pub static WORD_DIFFR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["differentiate"], &["differentiated"], &["differently"], - &["difference", "different"], + &["different", "difference"], &["difference"], &["differences"], ], @@ -149635,7 +149635,7 @@ pub static WORD_DIFFI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["difficulty"], &["difficulties"], &["difficulties"], - &["difficult", "difficulties"], + &["difficulties", "difficult"], &["difficulty"], &["difficulty"], &["difficult"], @@ -149904,22 +149904,22 @@ pub static WORD_DIFFERE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["differences"], &["different"], &["different"], - &["difference", "differences"], + &["differences", "difference"], &["differences"], &["differently"], - &["difference", "differences"], - &["difference", "differences"], + &["differences", "difference"], + &["differences", "difference"], &["differential"], &["differentiate"], &["difference"], - &["difference", "differences", "different"], + &["differences", "difference", "different"], &["differentiation"], &["differentiations"], &["differentiation"], &["differentiation"], &["differentiation"], &["differential", "differently"], - &["difference", "different"], + &["different", "difference"], &["differently"], &["differently"], &["different"], @@ -150064,10 +150064,10 @@ pub static WORD_DIE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ty"), ], values: &[ - &["die", "idea"], + &["idea", "die"], &["direct"], &["directly"], - &["dyeing", "dying"], + &["dying", "dyeing"], &["dielectric"], &["dielectrics"], &["dimension"], @@ -150589,7 +150589,7 @@ pub static WORD_DIAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["dialogue"], &["dialog"], &["dialogs"], - &["dialog", "dialogue"], + &["dialogue", "dialog"], &["dialogue"], &["dialogues"], ], @@ -151043,11 +151043,11 @@ pub static WORD_DEVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["devices"], &["devices"], &["devices"], - &["device", "divide"], + &["divide", "device"], &["divided"], &["divider"], &["dividers"], - &["devices", "divides"], + &["divides", "devices"], &["dividing"], &["device"], &["device"], @@ -151164,7 +151164,7 @@ pub static WORD_DEVE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["developers"], &["development"], &["developments"], - &["development", "developments"], + &["developments", "development"], &["developmental"], &["developments"], &["develop"], @@ -151177,7 +151177,7 @@ pub static WORD_DEVE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["developments"], &["developmental"], &["developments"], - &["development", "developments"], + &["developments", "development"], &["developments"], &["developments"], &["developments"], @@ -151204,7 +151204,7 @@ pub static WORD_DEVE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["developments"], &["develops"], &["delves"], - &["development", "developments"], + &["developments", "development"], &["developers"], &["developments"], &["developer"], @@ -151486,7 +151486,7 @@ static WORD_DETE_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str static WORD_DETET_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_DETET_CHILDREN), - value: Some(&["delete", "detect"]), + value: Some(&["detect", "delete"]), }; pub static WORD_DETET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -151500,13 +151500,13 @@ pub static WORD_DETET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("s"), ], values: &[ - &["deleted", "detected"], + &["detected", "deleted"], &["deletes", "detects"], - &["deleting", "detecting"], - &["deletion", "detection"], + &["detecting", "deleting"], + &["detection", "deletion"], &["deletions", "detections"], &["determine"], - &["deletes", "detects"], + &["detects", "deletes"], ], range: 1..=4, }; @@ -151607,7 +151607,7 @@ pub static WORD_DETER_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["determined", "determines"], &["determine"], &["determining"], - &["determine", "determining"], + &["determining", "determine"], &["determining"], &["determining"], &["determining"], @@ -151704,11 +151704,11 @@ pub static WORD_DETEC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["detecting"], &["detection"], &["detections"], - &["detect", "detects", "deters"], + &["detects", "deters", "detect"], &["detector"], &["detector"], &["detects"], - &["detect", "detected", "detects"], + &["detected", "detect", "detects"], &["detected"], &["detects"], &["detected"], @@ -152101,19 +152101,19 @@ pub static WORD_DESTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("onations"), ], values: &[ - &["destination", "destinations"], + &["destinations", "destination"], &["destinations"], &["destination"], &["destinations"], &["destination"], &["destinations"], - &["destination", "destinations"], + &["destinations", "destination"], &["destinations"], &["destination"], &["destinations"], &["destination"], &["destinations"], - &["destination", "destinations"], + &["destinations", "destination"], &["destination"], &["destinations"], &["destinations"], @@ -152903,7 +152903,7 @@ pub static WORD_DESCRIT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["description"], &["descriptor"], &["descriptors"], - &["description", "descriptions"], + &["descriptions", "description"], &["descriptions"], &["description"], &["descriptions"], @@ -152991,7 +152991,7 @@ pub static WORD_DESCRIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["descriptors"], &["descriptions"], &["descriptor"], - &["description", "descriptions"], + &["descriptions", "description"], &["descriptions"], &["description"], &["descriptions"], @@ -153236,7 +153236,7 @@ pub static WORD_DESCI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["decided"], &["decides"], &["deciding"], - &["decimate", "discriminate", "disseminate"], + &["discriminate", "disseminate", "decimate"], &["decision"], &["despicable"], &["description"], @@ -153251,7 +153251,7 @@ pub static WORD_DESCI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["describing"], &["description"], &["descriptions"], - &["description", "descriptions"], + &["descriptions", "description"], &["descriptor"], &["decision"], &["decisions"], @@ -153893,8 +153893,8 @@ pub static WORD_DEPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["deprecated"], &["deprecate", "depreciate"], &["deprecated", "depreciated"], - &["deprecating", "depreciating"], - &["deprecation", "depreciation"], + &["depreciating", "deprecating"], + &["depreciation", "deprecation"], &["deprecated"], &["deprecate"], &["deprecate"], @@ -153912,12 +153912,12 @@ pub static WORD_DEPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["depression"], &["depression"], &["depression"], - &["deprecate", "depreciate"], - &["deprecated", "depreciated"], - &["deprecates", "depreciates"], - &["deprecating", "depreciating"], - &["deprecation", "depreciation"], - &["deprecates", "depreciates"], + &["depreciate", "deprecate"], + &["depreciated", "deprecated"], + &["depreciates", "deprecates"], + &["depreciating", "deprecating"], + &["depreciation", "deprecation"], + &["depreciates", "deprecates"], &["deprivation"], &["deprecate"], &["deprecated"], @@ -154029,12 +154029,12 @@ pub static WORD_DEPL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["deplorable"], &["deplorable"], &["deplorable"], - &["deploy", "deployed"], + &["deployed", "deploy"], &["deployment"], &["deployment"], &["deployments"], &["deployment"], - &["deeply", "deploy"], + &["deploy", "deeply"], &["deploying"], &["deploying"], &["deployment"], @@ -154193,7 +154193,7 @@ static WORD_DEPENI_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictge pub static WORD_DEPENI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ng")], - values: &[&["deepening", "depending"]], + values: &[&["depending", "deepening"]], range: 2..=2, }; @@ -154328,7 +154328,7 @@ pub static WORD_DEPEND_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["dependencies"], &["dependencies"], &["dependencies"], - &["depended", "dependent"], + &["dependent", "depended"], &["dependencies"], &["dependency"], &["dependent"], @@ -155351,7 +155351,7 @@ pub static WORD_DELIV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["delivers"], &["deliverymode"], &["delivering"], - &["deliveries", "delivers"], + &["delivers", "deliveries"], &["delivered"], &["delivering"], ], @@ -155617,8 +155617,8 @@ pub static WORD_DELE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["dealership"], &["dealerships"], - &["deletion", "detection", "selection"], - &["deletions", "detections", "selections"], + &["detection", "deletion", "selection"], + &["detections", "deletions", "selections"], &["delegate"], &["delegate"], &["delegate"], @@ -155808,7 +155808,7 @@ pub static WORD_DEI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["definitely"], &["delimiter"], &["define"], - &["defined", "denied"], + &["denied", "defined"], &["deniers"], &["defined", "defines", "denies"], &["deinitialise"], @@ -156259,7 +156259,7 @@ pub static WORD_DEFINU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d static WORD_DEFINT_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_DEFINT_CHILDREN), - value: Some(&["define", "definite"]), + value: Some(&["definite", "define"]), }; pub static WORD_DEFINT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -156281,10 +156281,10 @@ pub static WORD_DEFINT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d values: &[ &["definitely"], &["defiantly"], - &["define", "definite"], + &["definite", "define"], &["definition"], &["definitely"], - &["definition", "definitions"], + &["definitions", "definition"], &["definitions"], &["definitely"], &["definition"], @@ -156298,7 +156298,7 @@ pub static WORD_DEFINT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d static WORD_DEFINS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_DEFINS_CHILDREN), - value: Some(&["define", "defines"]), + value: Some(&["defines", "define"]), }; pub static WORD_DEFINS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -156447,7 +156447,7 @@ pub static WORD_DEFINI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["definitely"], &["definition"], &["definitive"], - &["definitely", "definitively"], + &["definitively", "definitely"], &["definitive"], &["definitively"], &["definition"], @@ -156716,7 +156716,7 @@ pub static WORD_DEFIA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["definitely"], &["defiantly"], - &["defiantly", "definitely"], + &["definitely", "defiantly"], &["definitely"], ], range: 4..=5, @@ -156753,15 +156753,15 @@ pub static WORD_DEFF_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["defaulted"], &["defaults"], &["defensively"], - &["defer", "differ"], - &["deferred", "differed"], - &["deference", "difference"], - &["deferent", "different"], - &["deferential", "differential"], + &["differ", "defer"], + &["differed", "deferred"], + &["difference", "deference"], + &["different", "deferent"], + &["differential", "deferential"], &["differently"], &["differing"], &["deferred"], - &["defers", "differs"], + &["differs", "defers"], &["define"], &["defined"], &["definition"], @@ -156996,8 +156996,8 @@ pub static WORD_DEFA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["defaults"], &["default"], &["defaults"], - &["default", "defaults"], - &["default", "defaults"], + &["defaults", "default"], + &["defaults", "default"], &["defaulted"], &["default"], &["default"], @@ -157009,7 +157009,7 @@ pub static WORD_DEFA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["defaulting"], &["defaults"], &["default"], - &["default", "defaultly"], + &["defaultly", "default"], &["defaults"], &["default"], &["defaulted"], @@ -157100,8 +157100,8 @@ pub static WORD_DED_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["default"], &["deduct", "detect"], - &["deducted", "detected"], - &["deduction", "detection"], + &["detected", "deducted"], + &["detection", "deduction"], &["detections"], &["deducts", "detects"], &["defined"], @@ -157322,8 +157322,8 @@ pub static WORD_DECR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ytion"), ], values: &[ - &["deceasing", "decreasing"], - &["deceasing", "decreasing"], + &["decreasing", "deceasing"], + &["decreasing", "deceasing"], &["decoration"], &["decrease"], &["decrease"], @@ -157337,15 +157337,15 @@ pub static WORD_DECR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["decremented"], &["decremented"], &["decrease"], - &["deceasing", "decreasing"], + &["decreasing", "deceasing"], &["decrees"], &["decrypted"], &["describe"], &["described"], &["describes"], &["describing"], - &["decryption", "description"], - &["decryptions", "descriptions"], + &["description", "decryption"], + &["descriptions", "decryptions"], &["descriptive"], &["descriptor"], &["descriptors"], @@ -157769,7 +157769,7 @@ pub static WORD_DECL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["declarative"], &["declaratively"], &["declaring"], - &["declared", "declares"], + &["declares", "declared"], &["declared"], &["declaration"], &["declarations"], @@ -157927,7 +157927,7 @@ pub static WORD_DECE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["descend"], &["descendant"], &["descendants"], - &["descended", "descendent"], + &["descendent", "descended"], &["descendent"], &["descendant"], &["descendants"], @@ -158538,7 +158538,7 @@ pub static WORD_DC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["dock"], &["docked"], &["docker"], - &["docked", "docker", "dockerd"], + &["dockerd", "docked", "docker"], &["docking"], &["docks"], &["document"], @@ -158756,7 +158756,7 @@ pub static WORD_DAT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["datum"], &["database"], &["databases"], - &["data", "date"], + &["date", "data"], &["datecreated"], &["detection"], &["detections"], @@ -158918,7 +158918,7 @@ pub static WORD_DAM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["damaging"], &["damned", "damped", "domed", "gamed"], &["demeanor"], - &["daemon", "damien", "demon"], + &["daemon", "demon", "damien"], &["damage"], &["damning", "damping", "doming", "gaming"], &["damage"], @@ -159030,7 +159030,7 @@ pub static WORD_DAE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["dead"], - &["dahl", "deal", "dial"], + &["deal", "dial", "dahl"], &["daemonised", "daemonized"], ], range: 1..=8, @@ -159357,9 +159357,9 @@ pub static WORD_CUV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("res"), ], values: &[ - &["caves", "cubes", "curves"], - &["cover", "curve"], - &["covers", "curves"], + &["curves", "cubes", "caves"], + &["curve", "cover"], + &["curves", "covers"], ], range: 2..=3, }; @@ -159587,7 +159587,7 @@ pub static WORD_CUSTO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["customizers"], &["customizing"], &["customizable"], - &["costume", "custom", "customer", "customs"], + &["custom", "customs", "costume", "customer"], &["customisable", "customizable"], &["customize"], &["customized"], @@ -159846,7 +159846,7 @@ pub static WORD_CURS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["crusader"], &["crusaders"], &["cursor"], - &["cursor", "cursors"], + &["cursors", "cursor"], &["cursor"], &["cursor"], ], @@ -161408,12 +161408,12 @@ pub static WORD_CREA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["creating"], &["creative"], &["creatine"], - &["crater", "creator", "creature"], + &["creature", "creator", "crater"], &["craters", "creators"], &["creature"], &["creatine"], &["creatine"], - &["creating", "creation"], + &["creation", "creating"], &["creations"], &["creationism"], &["creationists"], @@ -161495,19 +161495,19 @@ pub static WORD_CRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["carbine"], - &["crate", "grace"], + &["grace", "crate"], &["graced"], &["graceful"], &["gracefully"], &["gracefulness"], &["graceless"], &["crates", "graces"], - &["caches", "crashes", "crutches"], + &["crashes", "caches", "crutches"], &["gracing"], - &["crate", "create"], - &["crated", "created"], + &["create", "crate"], + &["created", "crated"], &["crates", "creates"], - &["crating", "creating"], + &["creating", "crating"], &["crater", "creator"], &["craters", "creators"], &["crashed"], @@ -161567,7 +161567,7 @@ pub static WORD_CP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg &["caption"], &["cppcheck"], &["content"], - &["copy", "coy"], + &["coy", "copy"], &["cpp"], &["caption", "option"], &["could"], @@ -161700,9 +161700,9 @@ pub static WORD_COV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["covered"], &["cover"], &["covers"], - &["converge", "coverage"], + &["coverage", "converge"], &["convergence"], - &["converges", "coverages"], + &["coverages", "converges"], &["covered"], &["conversion"], &["conversions"], @@ -161842,8 +161842,8 @@ pub static WORD_COUS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("nelors"), ], values: &[ - &["cause", "course"], - &["causes", "courses"], + &["course", "cause"], + &["courses", "causes"], &["cousins"], &["cousin"], &["cousins"], @@ -161874,7 +161874,7 @@ pub static WORD_COUR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("urier"), ], values: &[ - &["coerce", "course", "source"], + &["course", "coerce", "source"], &["coursework"], &["crouching"], &["coursework"], @@ -162035,14 +162035,14 @@ pub static WORD_COUNT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["counterparts"], &["counters"], &["continue"], - &["continue", "continueq"], - &["counties", "countries"], + &["continueq", "continue"], + &["countries", "counties"], &["countering"], &["contours", "counters"], - &["contour", "counter", "country", "county"], + &["counter", "contour", "country", "county"], &["counters"], &["countryside"], - &["contours", "counters", "countries"], + &["counters", "contours", "countries"], &["countryside"], &["countryside"], &["countering"], @@ -162103,7 +162103,7 @@ pub static WORD_COUNR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("ies"), dictgen::InsensitiveStr::Ascii("tyside"), ], - values: &[&["counties", "countries"], &["countryside"]], + values: &[&["countries", "counties"], &["countryside"]], range: 3..=6, }; @@ -162183,7 +162183,7 @@ pub static WORD_COUNC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["coincidental"], &["coincidentally"], &["councilor"], - &["councilors", "councils"], + &["councils", "councilors"], &["councils"], &["councils"], &["councils"], @@ -162264,7 +162264,7 @@ pub static WORD_COUD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("l"), dictgen::InsensitiveStr::Ascii("lnt"), ], - values: &[&["cloud", "could"], &["couldnt"]], + values: &[&["could", "cloud"], &["couldnt"]], range: 1..=3, }; @@ -162427,7 +162427,7 @@ pub static WORD_COS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["construction"], &["constructions"], &["constructor"], - &["costume", "custom"], + &["custom", "costume"], &["customary"], &["costumes"], &["customizable"], @@ -162546,14 +162546,14 @@ pub static WORD_CORS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic values: &[ &["corsair"], &[ - "coarse", "core", "corpse", "cors", "corset", "course", "curse", "horse", "norse", + "course", "coarse", "core", "corpse", "cors", "corset", "curse", "horse", "norse", "torse", "worse", ], &["corsair"], &["cursor"], &["corpses"], - &["course", "cross"], - &["courses", "crosses"], + &["cross", "course"], + &["crosses", "courses"], &["crossfire"], &["crosshair"], &["crosshairs"], @@ -163700,7 +163700,7 @@ pub static WORD_COPP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ied"), dictgen::InsensitiveStr::Ascii("y"), ], - values: &[&["coppermine"], &["copied"], &["choppy", "copy"]], + values: &[&["coppermine"], &["copied"], &["copy", "choppy"]], range: 1..=7, }; @@ -163943,7 +163943,7 @@ pub static WORD_COORP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["cooperation", "corporation"], - &["cooperations", "corporations"], + &["corporations", "cooperations"], ], range: 7..=8, }; @@ -164497,7 +164497,7 @@ pub static WORD_CONVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["convictions"], &["conviction"], &["convenient"], - &["convenience", "convince"], + &["convince", "convenience"], &["convenience"], &["convenience"], &["convenient"], @@ -164515,7 +164515,7 @@ pub static WORD_CONVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["convenient"], &["convinces"], &["convince"], - &["combine", "convince"], + &["convince", "combine"], &["convenience"], &["conveniences"], &["combined", "convinced"], @@ -164794,7 +164794,7 @@ pub static WORD_CONVERT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = static WORD_CONVERS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_CONVERS_CHILDREN), - value: Some(&["converse", "convert", "converts"]), + value: Some(&["converts", "converse", "convert"]), }; pub static WORD_CONVERS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -164858,16 +164858,16 @@ pub static WORD_CONVERS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["conversions"], &["conversely"], &["conversely"], - &["conversion", "conversions"], + &["conversions", "conversion"], &["conversion"], &["conversions"], &["conversion"], - &["convert", "converts"], + &["converts", "convert"], &["conversation"], &["conversational"], &["conversations"], - &["conversation", "conversion"], - &["conversations", "conversions"], + &["conversion", "conversation"], + &["conversions", "conversations"], &["conversation", "conversion"], &["conversations", "conversions"], ], @@ -164904,7 +164904,7 @@ pub static WORD_CONVERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["converting", "covering"], &["conversion"], &["conversions"], - &["conversion", "conversions"], + &["conversions", "conversion"], &["convertible"], ], range: 2..=4, @@ -165010,7 +165010,7 @@ pub static WORD_CONVEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["convention"], &["conventional"], &["conventionally"], - &["convection", "convention"], + &["convention", "convection"], &["conventional"], &["conventionally"], &["convenience"], @@ -165317,11 +165317,11 @@ pub static WORD_CONTRU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["contributes"], &["construct"], &["constructed"], - &["constructing", "contracting"], + &["contracting", "constructing"], &["construction"], - &["constructions", "contractions"], + &["contractions", "constructions"], &["constructor"], - &["constructors", "contractors"], + &["contractors", "constructors"], &["constructs"], ], range: 2..=6, @@ -165438,8 +165438,8 @@ pub static WORD_CONTRO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["controllers"], &["controllers"], &["controller"], - &["controllers", "controls"], - &["controllers", "controls"], + &["controls", "controllers"], + &["controls", "controllers"], &["controllers"], &["controlling"], &["control"], @@ -165586,7 +165586,7 @@ pub static WORD_CONTRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["contribution"], &["contributions"], &["contributions"], - &["contribute", "contributes"], + &["contributes", "contribute"], &["contributed"], &["contributes"], &["contributing"], @@ -165736,8 +165736,8 @@ pub static WORD_CONTRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["contradicts"], &["contraction"], &["constrain"], - &["constrained", "contained"], - &["constrained", "container"], + &["contained", "constrained"], + &["container", "constrained"], &["containers"], &["constraining"], &["constrains", "constraints"], @@ -166036,7 +166036,7 @@ pub static WORD_CONTINU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["continuously"], &["continuously"], &["continue"], - &["continue", "continues", "continuous"], + &["continues", "continue", "continuous"], &["continues", "continuous"], &["continuously"], &["continuity"], @@ -166155,7 +166155,7 @@ pub static WORD_CONTING_CHILDREN: dictgen::DictTable<&'static [&'static str]> = static WORD_CONTINE_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_CONTINE_CHILDREN), - value: Some(&["contain", "continue"]), + value: Some(&["continue", "contain"]), }; pub static WORD_CONTINE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = @@ -166376,7 +166376,7 @@ pub static WORD_CONTEX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("ual"), ], values: &[ - &["context", "contextual"], + &["contextual", "context"], &["contexts"], &["contextual"], &["contextual"], @@ -166390,7 +166390,7 @@ pub static WORD_CONTEX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d static WORD_CONTET_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_CONTET_CHILDREN), - value: Some(&["content", "contest", "context"]), + value: Some(&["contest", "content", "context"]), }; pub static WORD_CONTET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -166518,7 +166518,7 @@ pub static WORD_CONTEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["continental"], &["contemplate"], &["contemplating"], - &["contains", "contents"], + &["contents", "contains"], &["contenders"], &["contention"], &["contentious"], @@ -166619,7 +166619,7 @@ pub static WORD_CONTEC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("tual"), ], values: &[ - &["connect", "contact", "context"], + &["contact", "context", "connect"], &["contention"], &["contextual"], ], @@ -166688,7 +166688,7 @@ static WORD_CONTAS_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictge pub static WORD_CONTAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("t")], - values: &[&["contacts", "contest", "contrast"]], + values: &[&["contacts", "contrast", "contest"]], range: 1..=1, }; @@ -166851,7 +166851,7 @@ pub static WORD_CONTAI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["containers"], &["contained"], &["container"], - &["contained", "container", "contains"], + &["contains", "contained", "container"], &["containing"], &["containing"], &["containing"], @@ -167032,7 +167032,7 @@ pub static WORD_CONSU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["consummate"], &["consummated"], &["consummating"], - &["consummation", "consumption"], + &["consumption", "consummation"], &["consumables"], &["consumables"], &["consumed"], @@ -167300,9 +167300,9 @@ pub static WORD_CONSTRU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["constructor"], &["constructor"], &["constructors"], - &["construct", "constructs"], + &["constructs", "construct"], &["constructs"], - &["construct", "constructs"], + &["constructs", "construct"], &["constructed"], &["constructed"], &["constructor"], @@ -167372,12 +167372,12 @@ pub static WORD_CONSTRC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::InsensitiveStr::Ascii("uts"), ], values: &[ - &["constrict", "construct"], - &["constricted", "constructed"], - &["constricting", "constructing"], - &["constriction", "construction"], - &["constrictions", "constructions"], - &["constricts", "constructs"], + &["construct", "constrict"], + &["constructed", "constricted"], + &["constructing", "constricting"], + &["construction", "constriction"], + &["constructions", "constrictions"], + &["constructs", "constricts"], &["construct"], &["construct"], &["constructed"], @@ -167428,7 +167428,7 @@ pub static WORD_CONSTRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["construct"], &["constructed"], &["constructing"], - &["constriction", "construction", "contraction"], + &["construction", "constriction", "contraction"], &["constrictions", "constructions", "contractions"], &["constructor"], &["constructors"], @@ -167439,7 +167439,7 @@ pub static WORD_CONSTRA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["constrained"], &["constraints"], &["constraining"], - &["constraint", "constraints"], + &["constraints", "constraint"], &["constraints"], &["constrains"], &["constraints"], @@ -167539,7 +167539,7 @@ pub static WORD_CONSTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["constitution"], &["constitutional"], &["constitute"], - &["constitute", "constitutes"], + &["constitutes", "constitute"], &["constitute"], &["constitute"], &["constitute"], @@ -167553,7 +167553,7 @@ pub static WORD_CONSTI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["constitute"], &["constitute"], &["constituent"], - &["constituents", "constitutes"], + &["constitutes", "constituents"], &["constitutes"], &["constitute"], &["constitutional"], @@ -167645,7 +167645,7 @@ pub static WORD_CONSTA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["constant"], &["constantly"], &["constantly"], - &["constance", "constant", "constants"], + &["constants", "constance", "constant"], &["constants"], &["constants"], &["constants"], @@ -167978,7 +167978,7 @@ pub static WORD_CONSIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["consistently"], &["consistently"], &["consistency", "consistent"], - &["consisted", "consists"], + &["consists", "consisted"], &["constituents"], ], range: 3..=7, @@ -167994,7 +167994,7 @@ pub static WORD_CONSIR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d dictgen::InsensitiveStr::Ascii("e"), dictgen::InsensitiveStr::Ascii("ed"), ], - values: &[&["consider", "conspire"], &["considered", "conspired"]], + values: &[&["conspire", "consider"], &["conspired", "considered"]], range: 1..=2, }; @@ -168160,7 +168160,7 @@ pub static WORD_CONSID_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["considerations"], &["considerations"], &["considerations"], - &["consider", "considerate", "considered"], + &["considerate", "considered", "consider"], &["considerations"], &["coincides", "considers"], &["considered"], @@ -168970,7 +168970,7 @@ pub static WORD_CONNE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["connecting", "connection"], &["connection"], &["connections"], - &["connections", "connects"], + &["connects", "connections"], &["connection"], &["connections"], &["connection"], @@ -169018,7 +169018,7 @@ pub static WORD_CONNC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["connection"], - &["connection", "connections"], + &["connections", "connection"], &["connection"], &["concurrent"], ], @@ -169156,7 +169156,7 @@ pub static WORD_CONI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["coincidental"], &["coincidentally"], &["consider"], - &["configuration", "configurations"], + &["configurations", "configuration"], &["configurations"], &["configuration"], &["config"], @@ -169519,7 +169519,7 @@ pub static WORD_CONFL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["conflating"], &["conflicting"], &["conflicts"], - &["conflicted", "conflicts"], + &["conflicts", "conflicted"], &["conflicting"], &["conflicts"], &["conflict"], @@ -169820,12 +169820,12 @@ pub static WORD_CONFIGU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["configuration"], &["configure"], &["configurations"], - &["configurating", "configuration", "configurations"], + &["configurations", "configuration", "configurating"], &["configuration"], &["configuration"], &["configuration"], &["configuration"], - &["configuration", "configurations"], + &["configurations", "configuration"], &["configurations"], &["configuration"], &["configurations"], @@ -169874,8 +169874,8 @@ pub static WORD_CONFIGR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["configurations"], &["configure"], &["configured"], - &["configuration", "configured"], - &["configuration", "configurations"], + &["configured", "configuration"], + &["configurations", "configuration"], &["configurations"], &["configured"], ], @@ -170121,7 +170121,7 @@ pub static WORD_CONFE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["conference"], &["conferences"], &["confederate"], - &["conference", "conferences"], + &["conferences", "conference"], &["conference"], &["confederate"], &["confirmation"], @@ -170190,8 +170190,8 @@ pub static WORD_CONEX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["connexant"], - &["connect", "connects", "context"], - &["connects", "contexts"], + &["context", "connect", "connects"], + &["contexts", "connects"], ], range: 1..=3, }; @@ -170227,8 +170227,8 @@ pub static WORD_CONET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["connector"], &["connectors"], &["connects"], - &["connect", "context"], - &["connects", "contexts"], + &["context", "connect"], + &["contexts", "connects"], ], range: 1..=7, }; @@ -170496,7 +170496,7 @@ pub static WORD_CONDU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["conducting"], - &["conducive", "conductive"], + &["conductive", "conducive"], &["conduit"], &["conducting"], &["condolences"], @@ -170900,7 +170900,7 @@ pub static WORD_CONCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["concurrency"], &["concurrent"], &["concurrently"], - &["concurrence", "concurrents"], + &["concurrents", "concurrence"], &["conqueror"], &["concurs", "conquers"], &["concurring", "conquering"], @@ -171482,8 +171482,8 @@ pub static WORD_CONCA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["concatenations"], &["concatenated"], &["concatenate"], - &["concatenated", "contaminated"], - &["concatenation", "contamination"], + &["contaminated", "concatenated"], + &["contamination", "concatenation"], &["concatenations"], &["concatenating"], &["concatenate"], @@ -172003,7 +172003,7 @@ pub static WORD_COMPR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["compromises"], &["compromising"], &["compression"], - &["compares", "compress"], + &["compress", "compares"], &["compress"], &["compressed"], &["compressed"], @@ -172160,13 +172160,13 @@ pub static WORD_COMPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["components"], &["component"], &["components"], - &["component", "components"], + &["components", "component"], &["component", "components"], &["components"], &["components"], &["components"], &["compose"], - &["component", "components"], + &["components", "component"], &["components"], &["components"], &["component"], @@ -172186,7 +172186,7 @@ pub static WORD_COMPO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["compositions"], &["compositions"], &["compositions"], - &["composite", "compost"], + &["compost", "composite"], &["composite"], &["composite"], &["composite"], @@ -172419,7 +172419,7 @@ pub static WORD_COMPLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["complimentary"], &["complication"], &["compiling"], - &["compilation", "complication"], + &["complication", "compilation"], &["compilations", "complications"], &["completely"], &["completion"], @@ -172620,7 +172620,7 @@ pub static WORD_COMPLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["completed"], &["completes"], &["completing"], - &["compilation", "completion"], + &["completion", "compilation"], &["completely"], &["completeness"], &["completes"], @@ -172723,7 +172723,7 @@ pub static WORD_COMPI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["compiler"], &["compiler"], &["compilers"], - &["combination", "compilation"], + &["compilation", "combination"], &["compensate"], &["compensated"], &["compensating"], @@ -172973,8 +172973,8 @@ pub static WORD_COMPEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d ], values: &[ &["compendium"], - &["competent", "component"], - &["competence", "components"], + &["component", "competent"], + &["components", "competence"], &["compendium"], &["compensation"], &["compensate"], @@ -173118,7 +173118,7 @@ pub static WORD_COMPEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["compete"], &["competed"], &["competes"], - &["competing", "completing"], + &["completing", "competing"], ], range: 1..=4, }; @@ -173488,13 +173488,13 @@ pub static WORD_COMPARI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["comparison"], &["comparisons"], &["comparisons"], - &["comparison", "comparisons"], + &["comparisons", "comparison"], &["comparisons"], &["comparison"], &["comparisons"], - &["comparison", "comparisons"], + &["comparisons", "comparison"], &["comparisons"], - &["comparison", "comparisons"], + &["comparisons", "comparison"], &["comparisons"], &["comparison"], &["comparisons"], @@ -173542,7 +173542,7 @@ pub static WORD_COMPARE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["comparing"], &["comparison"], &["comparisons"], - &["comparing", "comparison", "compartment"], + &["compartment", "comparing", "comparison"], &["compartments"], &["compares"], &["comparative"], @@ -174082,7 +174082,7 @@ pub static WORD_COMMO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["commonly"], &["commonwealth"], &["commonplace"], - &["comment", "common"], + &["common", "comment"], &["commonly"], &["commonwealth"], &["commonwealth"], @@ -174288,7 +174288,7 @@ pub static WORD_COMMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["commits"], - &["coming", "commit"], + &["commit", "coming"], &["coming"], &["communicate"], &["communicated"], @@ -174299,7 +174299,7 @@ pub static WORD_COMMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["community"], &["communicate"], &["communicating"], - &["communication", "communications"], + &["communications", "communication"], &["commissioned"], &["commissioner"], &["commission"], @@ -174324,7 +174324,7 @@ pub static WORD_COMMI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["committers"], &["commits", "committed"], &["committed"], - &["commit", "committee", "committing"], + &["committee", "committing", "commit"], &["committing"], &["committing"], &["commitments"], @@ -174504,7 +174504,7 @@ pub static WORD_COMMA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["commandline"], &["commands"], &["commands"], - &["comma", "command", "commas", "common"], + &["command", "common", "comma", "commas"], &["commando"], &["commanded"], &["commandment"], @@ -174857,7 +174857,7 @@ pub static WORD_COMB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["combatants"], &["compatibility"], &["compatible"], - &["combination", "combinations"], + &["combinations", "combination"], &["combination"], &["combinations"], &["combines"], @@ -174951,7 +174951,7 @@ pub static WORD_COMA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["commands"], &["command"], &["commanded"], - &["commandeer", "commander"], + &["commander", "commandeer"], &["commanding"], &["commandline"], &["commando"], @@ -175061,7 +175061,7 @@ pub static WORD_COLU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["columnar"], &["columns"], &["columns"], - &["colon", "column"], + &["column", "colon"], &["columns"], ], range: 1..=6, @@ -175346,11 +175346,11 @@ pub static WORD_COLLI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di values: &[ &["collides"], &["colloquial"], - &["collision", "collisions", "collusion"], + &["collisions", "collision", "collusion"], &["collisions", "collusions"], &["collision", "collusion"], &["collisions", "collusion", "collusions"], - &["collision", "collisions", "collusion"], + &["collisions", "collision", "collusion"], &["collisions"], &["collisions"], &["collision"], @@ -175412,7 +175412,7 @@ pub static WORD_COLLE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di dictgen::InsensitiveStr::Ascii("tion"), ], values: &[ - &["colleague", "colleagues"], + &["colleagues", "colleague"], &["colleagues"], &["colleague"], &["colleagues"], @@ -175984,7 +175984,7 @@ pub static WORD_COD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ucts"), ], values: &[ - &["coddle", "code", "coded"], + &["code", "coded", "coddle"], &["codeine"], &["coding"], &["codepoint"], @@ -176492,7 +176492,7 @@ pub static WORD_CLU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["clause"], &["clauses"], &["clutching"], - &["clue", "clued"], + &["clued", "clue"], &["column"], &["clumsily"], &["culprit"], @@ -176583,7 +176583,7 @@ pub static WORD_CLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["closest"], &["cloisonné"], &["cloisonnés"], - &["cloner", "clones"], + &["clones", "cloner"], &["cloning"], &["chlorine"], &["glory"], @@ -177002,12 +177002,12 @@ pub static WORD_CLEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("ups"), ], values: &[ - &["cleaner", "clear", "clearer"], + &["clear", "clearer", "cleaner"], &["cleared"], &["cleaning"], &["cleanly", "clearly"], &["cleancache"], - &["clean", "cleaned", "cleans"], + &["cleaned", "cleans", "clean"], &["cleanse"], &["cleanness"], &["cleanse"], @@ -177023,7 +177023,7 @@ pub static WORD_CLEA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["cleanups"], &["cleanliness"], &["cleanup"], - &["clear", "cleared"], + &["cleared", "clear"], &["clearance"], &["clears"], &["clarified"], @@ -178032,7 +178032,7 @@ pub static WORD_CIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["ciphersuites"], &["ciphertext"], &["ciphertexts"], - &["chip", "cipher"], + &["cipher", "chip"], &["cipher"], &["ciphertext"], &["ciphersuite"], @@ -178209,7 +178209,7 @@ pub static WORD_CIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["cilantro"], &["children"], &["client", "silent"], - &["clients", "silence", "silents"], + &["clients", "silents", "silence"], &["cylinder", "silencer"], &["cylinders", "silencers"], &["cylinder"], @@ -178659,7 +178659,7 @@ pub static WORD_CHO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["chose", "chosen"], &["chosen"], &["chopping"], - &["chop", "choppy"], + &["choppy", "chop"], &["chlorine"], &["chromosome"], &["chromosomes"], @@ -178672,7 +178672,7 @@ pub static WORD_CHO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["choosing"], &["choose", "chose"], &["chosen"], - &["could", "should"], + &["should", "could"], &["choose", "chose", "choux"], &["choose", "chose"], &["choosing"], @@ -178977,8 +178977,8 @@ pub static WORD_CHIP_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("stes"), ], values: &[ - &["chimer", "chipper", "cipher"], - &["chimers", "chippers", "ciphers"], + &["cipher", "chipper", "chimer"], + &["ciphers", "chippers", "chimers"], &["ciphersuite"], &["ciphersuites"], &["ciphertext"], @@ -179083,7 +179083,7 @@ pub static WORD_CHIL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["childrens"], &["childrens"], &["childrens"], - &["children", "childrens"], + &["childrens", "children"], &["childrens"], &["children"], &["child", "chilled"], @@ -179727,7 +179727,7 @@ pub static WORD_CHAS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["chasms"], &["chassis"], &["change", "changes"], - &["chase", "chaser"], + &["chaser", "chase"], &["chassis"], &["chassis"], &["chasm"], @@ -180324,7 +180324,7 @@ pub static WORD_CHARACTE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = &["characteristic"], &["characteristically"], &["characteristics"], - &["characteristic", "characteristics"], + &["characteristics", "characteristic"], &["characteristics"], &["characters"], &["characters"], @@ -180544,7 +180544,7 @@ pub static WORD_CHAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["chancellor"], &["changed"], &["chancellor"], - &["cancel", "channel"], + &["channel", "cancel"], &["chandelier"], &["chandeliers"], &["chandelier"], @@ -180552,8 +180552,8 @@ pub static WORD_CHAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["chandelier"], &["chandeliers"], &["chandler"], - &["chain", "change"], - &["chained", "changed"], + &["change", "chain"], + &["changed", "chained"], &["changed"], &["changing"], &["channel"], @@ -180581,7 +180581,7 @@ pub static WORD_CHAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["channel"], &["channel"], &["channels"], - &["chances", "changes", "channels"], + &["channels", "chances", "changes"], &["change"], &["changed"], &["changes"], @@ -180959,7 +180959,7 @@ static WORD_CERV_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen: pub static WORD_CERV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("ial")], - values: &[&["cervical", "serval", "servile"]], + values: &[&["cervical", "servile", "serval"]], range: 3..=3, }; @@ -181291,7 +181291,7 @@ pub static WORD_CERI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["certificate"], - &["certification", "verification"], + &["verification", "certification"], &["certifications", "verifications"], &["certified", "verified"], &["certifies", "verifies"], @@ -182134,7 +182134,7 @@ pub static WORD_CATE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["category"], &["categorically"], &["categorize"], - &["categories", "category"], + &["category", "categories"], &["categorized"], &["categorize"], &["categorized"], @@ -182249,7 +182249,7 @@ pub static WORD_CATA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["cataclysm"], &["category"], &["categorically"], - &["categories", "category"], + &["category", "categories"], &["categories"], &["categorization"], &["categorizations"], @@ -182257,7 +182257,7 @@ pub static WORD_CATA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["category"], &["cataclysm"], &["catalogue"], - &["catalina", "catiline"], + &["catiline", "catalina"], &["catalogue"], &["catalyst"], &["caterpillar"], @@ -182854,7 +182854,7 @@ pub static WORD_CARC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("uses"), ], values: &[ - &["caracas", "carcass"], + &["carcass", "caracas"], &["caricature"], &["carcass"], &["carcasses"], @@ -184094,7 +184094,7 @@ pub static WORD_CALL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["called"], &["called", "caller"], &["called", "caller"], - &["called", "caller", "callers", "calls"], + &["calls", "called", "caller", "callers"], &["calibrate"], &["calibrated"], &["calibrates"], @@ -184193,7 +184193,7 @@ pub static WORD_CALI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["calligraphy"], &["calling"], &["claiming"], - &["calling", "culling", "scaling"], + &["calling", "scaling", "culling"], &["californian"], ], range: 2..=9, @@ -184369,7 +184369,7 @@ pub static WORD_CALCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["calculator"], &["calculates"], &["calculating"], - &["calculation", "calculations"], + &["calculations", "calculation"], &["calculations"], &["calculator"], &["calculators"], @@ -184384,11 +184384,11 @@ pub static WORD_CALCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["calculator"], &["calculator"], &["calculated"], - &["calculable", "calculatable"], + &["calculatable", "calculable"], &["calculator"], &["calculators"], &["calculated", "calculates"], - &["calculating", "calculation", "calculations"], + &["calculations", "calculating", "calculation"], &["calculating"], &["calculators"], &["calculator"], @@ -184790,7 +184790,7 @@ pub static WORD_CAC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["caches"], &["caucasian"], &["cache"], - &["cache", "catch"], + &["catch", "cache"], &["cacheable"], &["cached"], &["caching"], @@ -185093,8 +185093,8 @@ pub static WORD_BUT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["butthole"], &["button"], &["buttons"], - &["bottom", "button"], - &["bottom", "buttons"], + &["button", "bottom"], + &["buttons", "bottom"], &["button"], &["button"], &["buttons"], @@ -185232,7 +185232,7 @@ pub static WORD_BUR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["burgundy"], &["burgundy"], &["burgundy"], - &["burin", "burning", "burying", "during"], + &["burying", "burning", "burin", "during"], &["bruiser"], &["bruisers"], &["burgeon"], @@ -185335,7 +185335,7 @@ pub static WORD_BUM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("pting"), ], values: &[ - &["bomb", "bum", "bump"], + &["bump", "bomb", "bum"], &["bombed", "bumped"], &["bomber", "bummer", "bumper", "number"], &["bombing", "bumping"], @@ -186150,7 +186150,7 @@ pub static WORD_BROA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["broadcasts"], &["broadcast"], &["broadcasts"], - &["broadcast", "broadcasts"], + &["broadcasts", "broadcast"], &["broadly"], &["boardwalk"], &["broadly"], @@ -186388,7 +186388,7 @@ pub static WORD_BRE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["beating", "breathing"], &["breastfeeding"], &["brendan"], - &["beef", "brief"], + &["brief", "beef"], &["briefly"], &["before"], &["brief"], @@ -186572,7 +186572,7 @@ pub static WORD_BRAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["branch"], - &["brace", "branch", "branches"], + &["branch", "brace", "branches"], &["branched"], &["branches"], &["branches"], @@ -186800,7 +186800,7 @@ pub static WORD_BOX_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("e"), dictgen::InsensitiveStr::Ascii("s"), ], - values: &[&["box", "boxer", "boxes"], &["box", "boxes"]], + values: &[&["boxes", "box", "boxer"], &["box", "boxes"]], range: 1..=1, }; @@ -187789,7 +187789,7 @@ pub static WORD_BOA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["broadcasting"], &["broadcasts"], &["broadway"], - &["about", "boat", "bout"], + &["bout", "boat", "about"], ], range: 2..=9, }; @@ -187966,7 +187966,7 @@ pub static WORD_BLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["blockchain"], &["blockchain"], &["blockers"], - &["blocked", "blockers", "blocks"], + &["blockers", "blocked", "blocks"], &["blockchain"], &["blockchains"], &["blocking"], @@ -188176,7 +188176,7 @@ pub static WORD_BLA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["balanced", "glanced", "lanced"], &["balances", "glances", "lances"], &["balancing", "glancing", "lancing"], - &["black", "blank"], + &["blank", "black"], &["blanked"], &["blankets"], &["blankets"], @@ -188301,7 +188301,7 @@ static WORD_BIU_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen:: pub static WORD_BIU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { keys: &[dictgen::InsensitiveStr::Ascii("lt")], - values: &[&["build", "built"]], + values: &[&["built", "build"]], range: 2..=2, }; @@ -188861,7 +188861,7 @@ pub static WORD_BEU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["beautiful"], &["beautifully"], - &["because", "becuase"], + &["becuase", "because"], &["bureaucracy"], &["bureaucracy"], &["bureaucratic"], @@ -188930,7 +188930,7 @@ pub static WORD_BET_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["betrayed"], &["between"], &["better"], - &["battery", "better"], + &["better", "battery"], &["better", "bettor"], &["between"], &["between"], @@ -189435,7 +189435,7 @@ pub static WORD_BELO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["belongs"], &["belong"], &["belonging"], - &["beloved", "below"], + &["below", "beloved"], &["belong"], ], range: 1..=4, @@ -189501,7 +189501,7 @@ pub static WORD_BELI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["believable"], &["believable"], &["believable"], - &["belief", "believe"], + &["believe", "belief"], &["believed"], &["beliefs", "believes"], &["believing"], @@ -189514,7 +189514,7 @@ pub static WORD_BELI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["belong"], &["belittling"], &["belittling"], - &["belief", "believe"], + &["believe", "belief"], &["believable"], &["believe"], &["believable"], @@ -189523,7 +189523,7 @@ pub static WORD_BELI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["believably"], &["believed", "beloved"], &["believing"], - &["beliefs", "believes"], + &["believes", "beliefs"], &["believing"], ], range: 1..=7, @@ -189585,7 +189585,7 @@ pub static WORD_BELE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["beliefs", "believes"], &["believing"], &["beliefs"], - &["belief", "believe"], + &["believe", "belief"], &["believable"], &["believe"], &["believed"], @@ -189770,7 +189770,7 @@ pub static WORD_BEG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("nals"), ], values: &[ - &["begging", "begin"], + &["begin", "begging"], &["beginner"], &["beginners"], &["beginning"], @@ -189863,7 +189863,7 @@ pub static WORD_BEE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["bead", "been", "beer", "bees", "beet"], &["been"], &["beethoven"], - &["been", "being"], + &["being", "been"], &["beings"], &["bearer"], &["beethoven"], @@ -189941,7 +189941,7 @@ pub static WORD_BEC_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["because"], &["because"], &["became"], - &["became", "becomes"], + &["becomes", "became"], &["because"], &["because"], &["because"], @@ -190132,7 +190132,7 @@ pub static WORD_BB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg static WORD_BA_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Nested(&WORD_BA_CHILDREN), - value: Some(&["be", "by"]), + value: Some(&["by", "be"]), }; static WORD_BA_CHILDREN: [Option<&dictgen::DictTrieNode<&'static [&'static str]>>; 26] = [ @@ -190564,9 +190564,9 @@ pub static WORD_BAN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["bananas"], - &["bank", "bench", "branch"], - &["benched", "branched"], - &["benches", "branches"], + &["bank", "branch", "bench"], + &["branched", "benched"], + &["branches", "benches"], &["bandits"], &["bandwidth"], &["bandwagon"], @@ -190647,7 +190647,7 @@ pub static WORD_BAL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["baluster"], &["balusters"], &["balances"], - &["balk", "black"], + &["black", "balk"], &["blackberry"], &["blacked"], &["blackhawks"], @@ -190990,7 +190990,7 @@ pub static WORD_BACKR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di ], values: &[ &["backreference"], - &["background", "backgrounds"], + &["backgrounds", "background"], &["backgrounds"], &["background"], &["backgrounds"], @@ -191131,7 +191131,7 @@ pub static WORD_BACKG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["background"], &["backgrounds"], &["background"], - &["background", "backgrounds"], + &["backgrounds", "background"], &["backgrounds"], &["backgrounds"], &["background"], @@ -191143,7 +191143,7 @@ pub static WORD_BACKG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["background"], &["background"], &["backgrounds"], - &["background", "backgrounds"], + &["backgrounds", "background"], &["backgrounds"], ], range: 4..=7, @@ -191329,7 +191329,7 @@ pub static WORD_BAB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ysittting"), ], values: &[ - &["babel", "bible", "table"], + &["babel", "table", "bible"], &["babylon"], &["babysitter"], &["babysitter"], @@ -191676,7 +191676,7 @@ pub static WORD_AVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["avoiding"], &["avoids"], &["advisories"], - &["advisories", "advisory"], + &["advisory", "advisories"], &["advisories"], &["advisory"], ], @@ -191745,7 +191745,7 @@ pub static WORD_AVD_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["advisories"], - &["advisories", "advisory"], + &["advisory", "advisories"], &["advisories"], &["advisory"], ], @@ -191834,7 +191834,7 @@ pub static WORD_AVAR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["averaging"], &["aware"], &["average"], - &["aviary", "every"], + &["every", "aviary"], ], range: 1..=6, }; @@ -192602,8 +192602,8 @@ pub static WORD_AUTOM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["automatically"], &["automatically"], &["automatically"], - &["automated", "automatic", "automatically"], - &["automatic", "automatically"], + &["automatically", "automatic", "automated"], + &["automatically", "automatic"], &["automatically"], &["automatically"], &["automatically"], @@ -193649,7 +193649,7 @@ pub static WORD_AUS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("trlaian"), ], values: &[ - &["austrian", "gaussian", "russian"], + &["gaussian", "russian", "austrian"], &["austere"], &["austere"], &["ostensible"], @@ -193678,7 +193678,7 @@ pub static WORD_AUS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["australian"], &["austria"], &["austria"], - &["australian", "australians"], + &["australians", "australian"], ], range: 4..=10, }; @@ -194160,7 +194160,7 @@ pub static WORD_ATTRI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["attributes"], &["attribute"], &["attributed"], - &["attribute", "attributes"], + &["attributes", "attribute"], &["attributing"], &["attribute"], &["attributes"], @@ -195812,7 +195812,7 @@ pub static WORD_ASSIS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["assisting"], &["assassinate"], &["assassinated"], - &["assist", "assists"], + &["assists", "assist"], &["assistants"], &["assistants"], &["assistants"], @@ -197935,7 +197935,7 @@ pub static WORD_ARCHA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["archaeology"], &["archaeology"], &["archaeology", "archeology"], - &["archaeology", "archeology"], + &["archeology", "archaeology"], &["archetypes"], ], range: 5..=8, @@ -198208,7 +198208,7 @@ pub static WORD_ARBIT_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["arbitration"], &["arbitrarily"], &["arbitrarily", "arbitrary"], - &["arbitrarily", "arbitrary"], + &["arbitrary", "arbitrarily"], &["arbitrarily"], &["arbitrary"], &["arbitrarily"], @@ -199556,7 +199556,7 @@ pub static WORD_APPL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["applications"], &["appliqué"], &["appliqués"], - &["appalling", "applying"], + &["applying", "appalling"], &["applied"], &["apply"], &["applaud"], @@ -199670,7 +199670,7 @@ pub static WORD_APPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("titite"), ], values: &[ - &["appalling", "appealing"], + &["appealing", "appalling"], &["appearing"], &["appearances"], &["apparently"], @@ -199702,7 +199702,7 @@ pub static WORD_APPE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["append"], &["appearance"], &["appearances"], - &["aberrant", "apparent"], + &["apparent", "aberrant"], &["apparently"], &["appear"], &["appearance"], @@ -199884,7 +199884,7 @@ pub static WORD_APO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["apologists"], &["apologetic"], &["apologizing"], - &["apron", "upon"], + &["upon", "apron"], &["apportionable"], &["apostles"], &["apostles"], @@ -200127,7 +200127,7 @@ pub static WORD_AO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg values: &[ &["apache"], &["and"], - &["another", "mother", "other"], + &["another", "other", "mother"], &["auto"], &["automate"], &["automated"], @@ -201329,7 +201329,7 @@ pub static WORD_ANM_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("esia"), dictgen::InsensitiveStr::Ascii("esty"), ], - values: &[&["anime", "name"], &["amnesia"], &["amnesty"]], + values: &[&["name", "anime"], &["amnesia"], &["amnesty"]], range: 1..=4, }; @@ -201351,7 +201351,7 @@ pub static WORD_ANL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["analyses"], &["analytics"], &["angle"], - &["any", "only"], + &["only", "any"], &["analysis"], &["analyzing"], ], @@ -201483,7 +201483,7 @@ pub static WORD_ANI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["animator"], &["animators"], &["animate"], - &["animation", "animator"], + &["animator", "animation"], &["animation"], &["animatronic"], &["animate"], @@ -201689,7 +201689,7 @@ pub static WORD_AND_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["and"], - &["antlers", "handlers"], + &["handlers", "antlers"], &["android"], &["androids"], &["androids"], @@ -202042,7 +202042,7 @@ pub static WORD_ANALY_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["analysed", "analyzed"], &["analyser", "analyzer"], &["analysers", "analyzers"], - &["analyse", "analyses", "analyze", "analyzes"], + &["analyse", "analyses", "analyzes", "analyze"], &["analysis"], &["analyst"], &["analysts"], @@ -202182,7 +202182,7 @@ pub static WORD_ANALI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["analyse"], &["analysed"], &["analyser"], - &["analyses", "analysis"], + &["analysis", "analyses"], &["analysing"], &["analysis"], &["analysis"], @@ -202689,7 +202689,7 @@ pub static WORD_AMEN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["amendments"], &["amendments"], &["amendments"], - &["amend", "amended"], + &["amended", "amend"], &["amnesia"], &["amnesty"], ], @@ -202925,7 +202925,7 @@ pub static WORD_AMA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["amateur"], &["amateurs"], &["amateur"], - &["amateur", "armature"], + &["armature", "amateur"], &["amateurs"], &["amazing"], ], @@ -203320,7 +203320,7 @@ pub static WORD_ALTE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["alternatives"], &["alternator"], &["alternately"], - &["alternate", "alternative", "alternatives"], + &["alternatives", "alternate", "alternative"], &["alternately", "alternatively"], &["alternates", "alternatives"], &["alternative"], @@ -203384,7 +203384,7 @@ pub static WORD_ALS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("ready"), ], values: &[ - &["also", "else", "false"], + &["else", "also", "false"], &["almost"], &["also"], &["already"], @@ -203803,7 +203803,7 @@ pub static WORD_ALLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic ], values: &[ &["allocate"], - &["allocate", "allot", "allotted"], + &["allocate", "allotted", "allot"], &["allocated", "allotted"], &["allocate"], &["allocated"], @@ -203856,9 +203856,9 @@ pub static WORD_ALLO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["allophones"], &["allows"], &["allotted"], - &["allowed", "aloud"], - &["allow", "allowed", "allows"], - &["allow", "allowed", "allows"], + &["aloud", "allowed"], + &["allowed", "allow", "allows"], + &["allowed", "allow", "allows"], &["allowance"], &["allowances"], &["allowed", "allows"], @@ -203984,7 +203984,7 @@ pub static WORD_ALLE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic dictgen::InsensitiveStr::Ascii("rgisch"), ], values: &[ - &["allied", "called"], + &["called", "allied"], &["allege"], &["alleged"], &["allegedly"], @@ -204136,13 +204136,13 @@ pub static WORD_ALI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict values: &[ &["align"], &["aliases"], - &["alias", "aliases"], + &["aliases", "alias"], &["aliases"], &["alienate"], &["alienating"], &["alienating"], &["aligned"], - &["alighted", "aligned"], + &["aligned", "alighted"], &["aligned"], &["alignment"], &["align"], @@ -204175,7 +204175,7 @@ pub static WORD_ALI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["alike", "likes"], &["alimony"], &["aluminium"], - &["ailing", "aline", "along", "sling"], + &["aline", "along", "ailing", "sling"], &["alined"], &["alining"], &["alinement"], @@ -204748,7 +204748,7 @@ pub static WORD_ALGORI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = d &["algorithms"], &["algorithms"], &["algorithms"], - &["algorithm", "algorithms"], + &["algorithms", "algorithm"], &["algorithmic"], &["algorithmically"], &["algorithms"], @@ -205854,7 +205854,7 @@ pub static WORD_AGA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["against"], - &["again", "against"], + &["against", "again"], &["against"], &["against"], &["against"], @@ -205865,7 +205865,7 @@ pub static WORD_AGA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["agenda", "uganda"], &["against"], &["agent"], - &["against", "agents"], + &["agents", "against"], ], range: 2..=5, }; @@ -206234,7 +206234,7 @@ pub static WORD_AE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictg dictgen::InsensitiveStr::Ascii("xs"), ], values: &[ - &["activate", "deactivate"], + &["deactivate", "activate"], &["aerospace"], &["equidistant"], &["equivalent"], @@ -206397,7 +206397,7 @@ pub static WORD_ADVI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["advisable"], &["adviser"], &["adviser"], - &["advisories", "advisory"], + &["advisory", "advisories"], &["advisories"], &["advisors"], &["advisable"], @@ -206723,8 +206723,8 @@ pub static WORD_ADO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["adolescence"], &["adolescent"], &["adolescent"], - &["adaptor", "adopter"], - &["adaptors", "adopters"], + &["adopter", "adaptor"], + &["adopters", "adaptors"], &["adorable"], &["advocacy"], &["advocated"], @@ -207016,7 +207016,7 @@ pub static WORD_ADJ_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict ], values: &[ &["adjacency"], - &["adjacence", "adjacency"], + &["adjacency", "adjacence"], &["adjacency"], &["adjacent"], &["adjacent"], @@ -207101,7 +207101,7 @@ pub static WORD_ADI_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["adviser"], &["advisor"], &["advisories"], - &["advisories", "advisory"], + &["advisory", "advisories"], &["advisories"], &["advisors"], &["advisory"], @@ -207144,7 +207144,7 @@ pub static WORD_ADG_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("e"), dictgen::InsensitiveStr::Ascii("es"), ], - values: &[&["adage", "badge", "edge"], &["adages", "badges", "edges"]], + values: &[&["edge", "badge", "adage"], &["edges", "badges", "adages"]], range: 1..=2, }; @@ -207334,7 +207334,7 @@ pub static WORD_ADDR_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["addressed"], &["addresses"], &["addressing"], - &["address", "addresses"], + &["addresses", "address"], &["addresses"], &["addressability"], &["addressable"], @@ -207380,7 +207380,7 @@ pub static WORD_ADDO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["addons"], &["adopt"], &["adopted"], - &["adaptive", "adoptive"], + &["adoptive", "adaptive"], &["addons"], ], range: 1..=5, @@ -207550,7 +207550,7 @@ pub static WORD_ADDE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["addresses"], &["assert"], &["asserted"], - &["added", "adders", "address", "adds"], + &["adds", "added", "adders", "address"], &["address"], &["addressed"], &["addresses"], @@ -207685,7 +207685,7 @@ pub static WORD_ADA_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["adaptive"], &["adapt", "adapted", "adopt", "adopted"], &["adaptive"], - &["adapt", "adapted", "adopt", "adopted"], + &["adapted", "adapt", "adopted", "adopt"], &["adaptive"], &["adaptation"], &["adaptation"], @@ -207917,7 +207917,7 @@ pub static WORD_ACTU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["actually"], &["actuality"], &["actually"], - &["actual", "actually"], + &["actually", "actual"], &["actually"], &["actually"], &["actually"], @@ -208079,7 +208079,7 @@ pub static WORD_ACTIV_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["activist"], &["activities"], &["activities"], - &["activities", "activity"], + &["activity", "activities"], &["activating"], &["activities"], &["activities"], @@ -208237,7 +208237,7 @@ pub static WORD_ACS_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["ascended"], &["ascending"], &["ascension"], - &["access", "cases"], + &["cases", "access"], &["assume"], &["assumed"], ], @@ -208463,7 +208463,7 @@ pub static WORD_ACO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict static WORD_ACN_NODE: dictgen::DictTrieNode<&'static [&'static str]> = dictgen::DictTrieNode { children: dictgen::DictTrieChild::Flat(&WORD_ACN_CHILDREN), - value: Some(&["acne", "can"]), + value: Some(&["can", "acne"]), }; pub static WORD_ACN_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dictgen::DictTable { @@ -208830,7 +208830,7 @@ pub static WORD_ACE_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["accessible"], &["accessing"], &["accessor"], - &["accessor", "accessors"], + &["accessors", "accessor"], ], range: 2..=9, }; @@ -209000,8 +209000,8 @@ pub static WORD_ACCU_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dic &["accurately"], &["accurately"], &["accuracy", "actuary"], - &["accrue", "acquire", "occur"], - &["accrued", "acquired", "occurred"], + &["accrue", "occur", "acquire"], + &["accrued", "occurred", "acquired"], &["occurrences"], &["accuracy"], &["occurring"], @@ -209801,7 +209801,7 @@ pub static WORD_ACCES_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["assessments"], &["accessories", "accessory"], &["accessories", "accessorise"], - &["accessories", "accessorize"], + &["accessorize", "accessories"], &["accessories"], &["accessor"], &["access"], @@ -210727,7 +210727,7 @@ pub static WORD_ABSOL_CHILDREN: dictgen::DictTable<&'static [&'static str]> = di &["absolute"], &["absolutely"], &["absolutes"], - &["absolute", "absolutely"], + &["absolutely", "absolute"], &["absolute"], &["absolute"], &["absolutely"], @@ -210943,7 +210943,7 @@ pub static WORD_ABO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict dictgen::InsensitiveStr::Ascii("vmentioned"), ], values: &[ - &["abode", "above"], + &["above", "abode"], &["abdomen"], &["abdominal"], &["absolute"], @@ -210959,7 +210959,7 @@ pub static WORD_ABO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["abandons"], &["abomination"], &["about"], - &["aboard", "abort"], + &["abort", "aboard"], &["aboriginal"], &["aboriginal"], &["aboriginal"], @@ -210969,7 +210969,7 @@ pub static WORD_ABO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["aboriginal"], &["aboriginal"], &["aboriginal"], - &["abort", "aborted", "aborts"], + &["aborted", "abort", "aborts"], &["abortifacient"], &["absolute"], &["absolutely"], @@ -210984,7 +210984,7 @@ pub static WORD_ABO_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["absolute"], &["absolutely"], &["about"], - &["abound", "about"], + &["about", "abound"], &["about"], &["abort", "about"], &["about"], @@ -211145,11 +211145,11 @@ pub static WORD_ABB_CHILDREN: dictgen::DictTable<&'static [&'static str]> = dict &["abbreviation"], &["aberration"], &["abbreviation"], - &["abbot", "abort"], + &["abort", "abbot"], &["aborted"], &["aborting"], - &["abbots", "aborts"], - &["abbot", "about"], + &["aborts", "abbots"], + &["about", "abbot"], &["abbreviation"], &["abbreviate"], &["abbreviated"],