|
; c = case sensitive |
|
; c1 = ignore the case that was typed, always use the same case for output |
|
; * = immediate change (no need for space, period, or enter) |
|
; ? = triggered even when the character typed immediately before it is alphanumeric |
|
; r = raw output |
|
|
|
;------------------------------------------------------------------------------ |
|
; CHANGELOG: |
|
; |
|
; 2011-03-21 and after: See readme.md |
|
; |
|
; Sep 13 2007: Added more misspellings. |
|
; Added fix for -ign -> -ing that ignores words like "sign". |
|
; Added word beginnings/endings sections to cover more options. |
|
; Added auto-accents section for words like fiancée, naïve, etc. |
|
; Feb 28 2007: Added other common misspellings based on MS Word AutoCorrect. |
|
; Added optional auto-correction of 2 consecutive capital letters. |
|
; Sep 24 2006: Initial release by Jim Biancolo (http://www.biancolo.com) |
|
; |
|
; INTRODUCTION |
|
; |
|
; This is an AutoHotKey script that implements AutoCorrect against several |
|
; "Lists of common misspellings": |
|
; |
|
; This does not replace a proper spellchecker such as in Firefox, Word, etc. |
|
; It is usually better to have uncertain typos highlighted by a spellchecker |
|
; than to "correct" them incorrectly so that they are no longer even caught by |
|
; a spellchecker: it is not the job of an autocorrector to correct *all* |
|
; misspellings, but only those which are very obviously incorrect. |
|
; |
|
; From a suggestion by Tara Gibb, you can add your own corrections to any |
|
; highlighted word by hitting Win+A. These will be added to a separate file, |
|
; so that you can safely update this file without overwriting your changes. |
|
; |
|
; Some entries have more than one possible resolution (achive->achieve/archive) |
|
; or are clearly a matter of deliberate personal writing style (wanna, colour) |
|
; |
|
; These have been placed at the end of this file and commented out, so you can |
|
; easily edit and add them back in as you like, tailored to your preferences. |
|
; |
|
; SOURCES |
|
; |
|
; http://en.wikipedia.org/wiki/Wikipedia:Lists_of_common_misspellings |
|
; http://en.wikipedia.org/wiki/Wikipedia:Typo |
|
; Microsoft Office autocorrect list |
|
; Script by jaco0646 http://www.autohotkey.com/forum/topic8057.html |
|
; OpenOffice autocorrect list |
|
; TextTrust press release |
|
; User suggestions. |
|
; |
|
; CONTENTS |
|
; |
|
; Settings |
|
; AUto-COrrect TWo COnsecutive CApitals (commented out by default) |
|
; Win+H code |
|
; Fix for -ign instead of -ing |
|
; Word endings |
|
; Word beginnings |
|
; Accented English words |
|
; Common Misspellings - the main list |
|
; Ambiguous entries - commented out |
|
;------------------------------------------------------------------------------ |
|
|
|
;------------------------------------------------------------------------------ |
|
; Settings |
|
;------------------------------------------------------------------------------ |
|
#NoEnv ; For security |
|
#SingleInstance force |
|
|
|
; Custom icon from http://www.famfamfam.com/lab/icons/silk/preview.php |
|
Menu, Tray, Icon, text_replace.ico |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; AUto-COrrect TWo COnsecutive CApitals. |
|
; Disabled by default to prevent unwanted corrections such as IfEqual->Ifequal. |
|
; To enable it, remove the /*..*/ symbols around it. |
|
; From Laszlo's script at http://www.autohotkey.com/forum/topic9689.html |
|
;------------------------------------------------------------------------------ |
|
/* |
|
; The first line of code below is the set of letters, digits, and/or symbols |
|
; that are eligible for this type of correction. Customize if you wish: |
|
keys = abcdefghijklmnopqrstuvwxyz |
|
Loop Parse, keys |
|
HotKey ~+%A_LoopField%, Hoty |
|
Hoty: |
|
CapCount := SubStr(A_PriorHotKey,2,1)="+" && A_TimeSincePriorHotkey<999 ? CapCount+1 : 1 |
|
if CapCount = 2 |
|
SendInput % "{BS}" . SubStr(A_ThisHotKey,3,1) |
|
else if CapCount = 3 |
|
SendInput % "{Left}{BS}+" . SubStr(A_PriorHotKey,3,1) . "{Right}" |
|
Return |
|
*/ |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Win+A to enter misspelling correction. It will be added to this script. |
|
;------------------------------------------------------------------------------ |
|
#a:: |
|
; Get the selected text. The clipboard is used instead of "ControlGet Selected" |
|
; as it works in more editors and word processors, java apps, etc. Save the |
|
; current clipboard contents to be restored later. |
|
AutoTrim On ; Delete any leading and trailing whitespace on the clipboard. Why would you want this? |
|
ClipboardOld = %ClipboardAll% |
|
Clipboard = ; Must start off blank for detection to work. |
|
Send ^c |
|
ClipWait 1 |
|
if ErrorLevel ; ClipWait timed out. |
|
return |
|
; Replace CRLF and/or LF with `n for use in a "send-raw" hotstring: |
|
; The same is done for any other characters that might otherwise |
|
; be a problem in raw mode: |
|
StringReplace, Hotstring, Clipboard, ``, ````, All ; Do this replacement first to avoid interfering with the others below. |
|
StringReplace, Hotstring, Hotstring, `r`n, ``r, All ; Using `r works better than `n in MS Word, etc. |
|
StringReplace, Hotstring, Hotstring, `n, ``r, All |
|
StringReplace, Hotstring, Hotstring, %A_Tab%, ``t, All |
|
StringReplace, Hotstring, Hotstring, `;, ```;, All |
|
Clipboard = %ClipboardOld% ; Restore previous contents of clipboard. |
|
; This will move the InputBox's caret to a more friendly position: |
|
SetTimer, MoveCaret, 10 |
|
; Show the InputBox, providing the default hotstring: |
|
InputBox, Hotstring, New Hotstring, Provide the corrected word on the right side. You can also edit the left side if you wish.`n`nExample entry:`n::teh::the,,,,,,,, ::%Hotstring%::%Hotstring% |
|
|
|
if ErrorLevel <> 0 ; The user pressed Cancel. |
|
return |
|
; Otherwise, add the hotstring and reload the script: |
|
FileAppend, `n%Hotstring%, %A_ScriptFullPath% ; Put a `n at the beginning in case file lacks a blank line at its end. |
|
; it would be best if it overwrote the string you had highlighted with the replacement you just typed in |
|
Reload |
|
Sleep 3000 ; If successful, the reload will close this instance during the Sleep, so the line below will never be reached. |
|
MsgBox, 4,, The hotstring just added appears to be improperly formatted. Would you like to open the script for editing? Note that the bad hotstring is at the bottom of the script. |
|
IfMsgBox, Yes, Edit |
|
return |
|
|
|
MoveCaret: |
|
IfWinNotActive, New Hotstring |
|
return |
|
; Otherwise, move the InputBox's insertion point to where the user will type the abbreviation. |
|
Send {HOME} |
|
Loop % StrLen(Hotstring) + 4 |
|
SendInput {Right} |
|
SetTimer, MoveCaret, Off |
|
return |
|
|
|
#Hotstring R ; Set the default to be "raw mode" (might not actually be relied upon by anything yet). |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Fix for -ign instead of -ing. |
|
; Words to exclude: (could probably do this by return without rewrite) |
|
; From: http://www.morewords.com/e nds-with/gn/ |
|
;------------------------------------------------------------------------------ |
|
#Hotstring B0 ; Turns off automatic backspacing for the following hotstrings. |
|
; Can be suffix exceptions, too, but should correct "-aling" without correcting "-align". |
|
::align:: |
|
::antiforeign:: |
|
::arraign:: |
|
::assign:: |
|
::benign:: |
|
:?:campaign:: ; covers "countercampaign". no such words as -campaing |
|
::champaign:: |
|
::codesign:: |
|
::coign:: |
|
::condign:: |
|
::consign:: |
|
::coreign:: |
|
::cosign:: |
|
;::countercampaign:: |
|
::countersign:: |
|
::deign:: |
|
::deraign:: |
|
::design:: |
|
::digidesign:: ; Company name |
|
::eloign:: |
|
::ensign:: |
|
::feign:: |
|
::foreign:: |
|
::indign:: |
|
::malign:: |
|
::misalign:: |
|
::outdesign:: |
|
::overdesign:: |
|
::preassign:: |
|
::realign:: |
|
::reassign:: |
|
::redesign:: |
|
::reign:: |
|
::resign:: |
|
::sign:: |
|
::sovereign:: |
|
::unalign:: |
|
::unbenign:: |
|
::verisign:: |
|
return ; This makes the above hotstrings do nothing so that they override the ign->ing rule below. |
|
|
|
#Hotstring B ; Turn back on automatic backspacing for all subsequent hotstrings. |
|
:?:ign::ing |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Word endings |
|
;------------------------------------------------------------------------------ |
|
:?:bilites::bilities |
|
:?:bilties::bilities |
|
:?:blities::bilities |
|
:?:bilty::bility |
|
:?:blity::bility |
|
:?:, btu::, but ; Not just replacing "btu", as that is a unit of heat. |
|
:?:; btu::; but |
|
:?:n;t::n't |
|
:?:;ll::'ll |
|
:?:;re::'re |
|
:?:;ve::'ve |
|
::sice::since ; Must precede the following line! |
|
:?:sice::sive |
|
;:?:t eh:: the ; converts "but eh" to "bu the" |
|
:?:t hem:: them |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Word beginnings |
|
;------------------------------------------------------------------------------ |
|
:*:abondon::abandon |
|
:*:abreviat::abbreviat |
|
:*:accomadat::accommodat |
|
:*:accomodat::accommodat |
|
:*:acheiv::achiev |
|
:*:achievment::achievement |
|
:*:acquaintence::acquaintance |
|
:*:adquir::acquir |
|
:*:aquisition::acquisition |
|
:*:agravat::aggravat |
|
:*:allign::align |
|
:*:ameria::America |
|
:*:archaelog::archaeolog |
|
:*:archtyp::archetyp |
|
:*:archetect::architect |
|
:*:arguement::argument |
|
:*:assasin::assassin |
|
:*:asociat::associat |
|
:*:assymetr::asymmet |
|
:*:atempt::attempt |
|
:*:atribut::attribut |
|
:*:avaialb::availab |
|
:*:comision::commission |
|
:*:contien::conscien |
|
:*:critisi::critici |
|
:*:crticis::criticis |
|
:*:critiz::criticiz |
|
:*:desicant::desiccant |
|
:*:desicat::desiccat |
|
::develope::develop ; Omit asterisk so that it doesn't disrupt the typing of developed/developer. |
|
:*:dissapoint::disappoint |
|
:*:divsion::division |
|
:*:dcument::document |
|
:*:embarass::embarrass |
|
:*:emminent::eminent |
|
:*:empahs::emphas |
|
:*:enlargment::enlargement |
|
:*:envirom::environm |
|
:*:enviorment::environment |
|
:*:excede::exceed |
|
:*:exilerat::exhilarat |
|
:*:extraterrestial::extraterrestrial |
|
:*:faciliat::facilitat |
|
:*:garantee::guaranteed |
|
:*:guerrila::guerrilla |
|
:*:guidlin::guidelin |
|
:*:girat::gyrat |
|
:*:harasm::harassm |
|
:*:immitat::imitat |
|
:*:imigra::immigra |
|
:*:impliment::implement |
|
:*:inlcud::includ |
|
:*:indenpenden::independen |
|
:*:indisputib::indisputab |
|
:*:isntall::install |
|
:*:insitut::institut |
|
:*:knwo::know |
|
:*:lsit::list |
|
:*:mountian::mountain |
|
:*:nmae::name |
|
:*:necassa::necessa |
|
:*:negociat::negotiat |
|
:*:neigbor::neighbour |
|
:*:noticibl::noticeabl |
|
:*:ocasion::occasion |
|
:*:occuranc::occurrence |
|
:*:priveledg::privileg |
|
:*:recie::recei |
|
:*:recived::received |
|
:*:reciver::receiver |
|
:*:recepient::recipient |
|
:*:reccomend::recommend |
|
:*:recquir::requir |
|
:*:requirment::requirement |
|
:*:respomd::respond |
|
:*:repons::respons |
|
:*:ressurect::resurrect |
|
:*:seperat::separat |
|
:*:sevic::servic |
|
:*:smoe::some |
|
:*:supercede::supersede |
|
:*:superceed::supersede |
|
:*:weild::wield |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Word middles |
|
;------------------------------------------------------------------------------ |
|
:?*:compatab::compatib ; Covers incompat* and compat* |
|
:?*:catagor::categor ; Covers subcatagories and catagories. |
|
|
|
|
|
;------------------------------------------------------------------------------ |
|
; Accented English words, from, amongst others, |
|
; http://en.wikipedia.org/wiki/List_of_English_words_with_diacritics |
|
; I have included all the ones compatible with reasonable codepages, and placed |
|
; those that may often not be accented either from a clash with an unaccented |
|
; word (resume), or because the unaccented version is now common (cafe). |
|
;------------------------------------------------------------------------------ |
|
::aesop::Æsop |
|
::a bas::à bas |
|
::a la::à la |
|
::ancien regime::Ancien Régime |
|
::angstrom::Ångström |
|
::angstroms::Ångströms |
|
::anime::animé |
|
::animes::animés |
|
::ao dai::ào dái |
|
::apertif::apértif |
|
::apertifs::apértifs |
|
::applique::appliqué |
|
::appliques::appliqués |
|
::apres::après |
|
::arete::arête |
|
::attache::attaché |
|
::attaches::attachés |
|
::auto-da-fe::auto-da-fé |
|
::belle epoque::belle époque |
|
::bete noire::bête noire |
|
::betise::bêtise |
|
::Bjorn::Bjørn |
|
::blase::blasé |
|
::boite::boîte |
|
::boutonniere::boutonnière |
|
::canape::canapé |
|
::canapes::canapés |
|
::celebre::célèbre |
|
::celebres::célèbres |
|
::chaines::chaînés |
|
::cinema verite::cinéma vérité |
|
::cinemas verite::cinémas vérité |
|
::cinema verites::cinéma vérités |
|
::champs-elysees::Champs-Élysées |
|
::charge d'affaires::chargé d'affaires |
|
::chateau::château |
|
::chateaux::châteaux |
|
::chateaus::châteaus |
|
::cliche::cliché |
|
::cliched::clichéd |
|
::cliches::clichés |
|
::cloisonne::cloisonné |
|
::consomme::consommé |
|
::consommes::consommés |
|
::communique::communiqué |
|
::communiques::communiqués |
|
::confrere::confrère |
|
::confreres::confrères |
|
::cortege::cortège |
|
::corteges::cortèges |
|
::coup d'etat::coup d'état |
|
::coup d'etats::coup d'états |
|
::coup de tat::coup d'état |
|
::coup de tats::coup d'états |
|
::coup de grace::coup de grâce |
|
::creche::crèche |
|
::creches::crèches |
|
::coulee::coulée |
|
::coulees::coulées |
|
::creme brulee::crème brûlée |
|
::creme brulees::crème brûlées |
|
::creme caramel::crème caramel |
|
::creme caramels::crème caramels |
|
::creme de cacao::crème de cacao |
|
::creme de menthe::crème de menthe |
|
::crepe::crêpe |
|
::crepes::crêpes |
|
::creusa::Creüsa |
|
::crouton::croûton |
|
::croutons::croûtons |
|
::crudites::crudités |
|
::curacao::curaçao |
|
::dais::daïs |
|
::daises::daïses |
|
::debacle::débâcle |
|
::debacles::débâcles |
|
::debutante::débutante |
|
::debutants::débutants |
|
::declasse::déclassé |
|
::decolletage::décolletage |
|
::decollete::décolleté |
|
::decor::décor |
|
::decors::décors |
|
::decoupage::découpage |
|
::degage::dégagé |
|
::deja vu::déjà vu |
|
::demode::démodé |
|
::denoument::dénoument |
|
::derailleur::dérailleur |
|
::derriere::derrière |
|
::deshabille::déshabillé |
|
::detente::détente |
|
::diamante::diamanté |
|
::discotheque::discothèque |
|
::discotheques::discothèques |
|
::divorcee::divorcée |
|
::divorcees::divorcées |
|
::doppelganger::doppelgänger |
|
::doppelgangers::doppelgängers |
|
::eclair::éclair |
|
::eclairs::éclairs |
|
::eclat::éclat |
|
::el nino::El Niño |
|
::elan::élan |
|
::emigre::émigré |
|
::emigres::émigrés |
|
::entree::entrée |
|
::entrees::entrées |
|
::entrepot::entrepôt |
|
::entrecote::entrecôte |
|
::epee::épée |
|
::epees::épées |
|
::etouffee::étouffée |
|
::facade::façade |
|
::facades::façades |
|
::fete::fête |
|
::fetes::fêtes |
|
::faience::faïence |
|
::fiance::fiancé |
|
::fiances::fiancés |
|
::fiancee::fiancée |
|
::fiancees::fiancées |
|
::filmjolk::filmjölk |
|
::fin de siecle::fin de siècle |
|
::flambe::flambé |
|
::flambes::flambés |
|
::fleche::flèche |
|
::Fohn wind::Föhn wind |
|
::folie a deux::folie à deux |
|
::folies a deux::folies à deux |
|
::fouette::fouetté |
|
::frappe::frappé |
|
::frappes::frappés |
|
:?*:fraulein::fräulein |
|
:?*:fuhrer::Führer |
|
::garcon::garçon |
|
::garcons::garçons |
|
::gateau::gâteau |
|
::gateaus::gâteaus |
|
::gateaux::gâteaux |
|
::gemutlichkeit::gemütlichkeit |
|
::glace::glacé |
|
::glogg::glögg |
|
::gewurztraminer::Gewürztraminer |
|
::gotterdammerung::Götterdämmerung |
|
::grafenberg spot::Gräfenberg spot |
|
::habitue::habitué |
|
::ingenue::ingénue |
|
::jager::jäger |
|
::jalapeno::jalapeño |
|
::jalapenos::jalapeños |
|
::jardiniere::jardinière |
|
::krouzek::kroužek |
|
::kummel::kümmel |
|
::kaldolmar::kåldolmar |
|
::landler::ländler |
|
::langue d'oil::langue d'oïl |
|
::la nina::La Niña |
|
::litterateur::littérateur |
|
::lycee::lycée |
|
::macedoine::macédoine |
|
::macrame::macramé |
|
::maitre d'hotel::maître d'hôtel |
|
::malaguena::malagueña |
|
::manana::mañana |
|
::manege::manège |
|
::manque::manqué |
|
::materiel::matériel |
|
::matinee::matinée |
|
::matinees::matinées |
|
::melange::mélange |
|
::melee::mêlée |
|
::melees::mêlées |
|
::menage a trois::ménage à trois |
|
::menages a trois::ménages à trois |
|
::mesalliance::mésalliance |
|
::metier::métier |
|
::minaudiere::minaudière |
|
::mobius strip::Möbius strip |
|
::mobius strips::Möbius strips |
|
::moire::moiré |
|
::moireing::moiréing |
|
::moires::moirés |
|
::motley crue::Mötley Crüe |
|
::motorhead::Motörhead |
|
::naif::naïf |
|
::naifs::naïfs |
|
::naive::naïve |
|
::naiver::naïver |
|
::naives::naïves |
|
::naivete::naïveté |
|
; ::nee::née ; mistyping things like "I nee da" is more common. |
|
::negligee::negligée |
|
::negligees::negligées |
|
::neufchatel cheese::Neufchâtel cheese |
|
::nez perce::Nez Percé |
|
::noël::Noël |
|
::noëls::Noëls |
|
::número uno::número uno |
|
::objet trouve::objet trouvé |
|
::objets trouve::objets trouvé |
|
::ombre::ombré |
|
::ombres::ombrés |
|
::omerta::omertà |
|
::opera bouffe::opéra bouffe |
|
::operas bouffe::opéras bouffe |
|
::opera comique::opéra comique |
|
::operas comique::opéras comique |
|
::outre::outré |
|
::papier-mache::papier-mâché |
|
::passe::passé |
|
::piece de resistance::pièce de résistance |
|
::pied-a-terre::pied-à-terre |
|
::plisse::plissé |
|
::pina colada::Piña Colada |
|
::pina coladas::Piña Coladas |
|
::pinata::piñata |
|
::pinatas::piñatas |
|
::pinon::piñon |
|
::pinons::piñons |
|
::pirana::piraña |
|
::pique::piqué |
|
::piqued::piquéd |
|
::più::più |
|
::plie::plié |
|
::precis::précis |
|
::polsa::pölsa |
|
::pret-a-porter::prêt-à-porter |
|
::protoge::protégé |
|
::protege::protégé |
|
::proteged::protégéd |
|
::proteges::protégés |
|
::protegee::protégée |
|
::protegees::protégées |
|
::protegeed::protégéed |
|
::puree::purée |
|
::pureed::puréed |
|
::purees::purées |
|
::Quebecois::Québécois |
|
::raison d'etre::raison d'être |
|
::recherche::recherché |
|
::reclame::réclame |
|
::résume::résumé |
|
::resumé::résumé |
|
::résumes::résumés |
|
::resumés::résumés |
|
::retrousse::retroussé |
|
::risque::risqué |
|
::riviere::rivière |
|
::roman a clef::roman à clef |
|
::roue::roué |
|
::saute::sauté |
|
::sauted::sautéd |
|
::seance::séance |
|
::seances::séances |
|
::senor::señor |
|
::senors::señors |
|
::senora::señora |
|
::senoras::señoras |
|
::senorita::señorita |
|
::senoritas::señoritas |
|
::sinn fein::Sinn Féin |
|
::smorgasbord::smörgåsbord |
|
::smorgasbords::smörgåsbords |
|
::smorgastarta::smörgåstårta |
|
::soigne::soigné |
|
::soiree::soirée |
|
::soireed::soiréed |
|
::soirees::soirées |
|
::souffle::soufflé |
|
::souffles::soufflés |
|
::soupcon::soupçon |
|
::soupcons::soupçons |
|
::surstromming::surströmming |
|
::tete-a-tete::tête-à-tête |
|
::tete-a-tetes::tête-à-têtes |
|
::touche::touché |
|
::tourtiere::tourtière |
|
::ubermensch::Übermensch |
|
::ubermensches::Übermensches |
|
::ventre a terre::ventre à terre |
|
::vicuna::vicuña |
|
::vin rose::vin rosé |
|
::vins rose::vins rosé |
|
::vis a vis::vis à vis |
|
::vis-a-vis::vis-à-vis |
|
::voila::voilà |
|
|
|
;------------------------------------------------------------------------------ |
|
; Common Misspellings - the main list |
|
;------------------------------------------------------------------------------ |
|
::htp:::http: |
|
::http:\\::http:// |
|
::httpL::http: |
|
::herf::href |
|
|
|
::avengence::a vengeance |
|
::adbandon::abandon |
|
::abandonned::abandoned |
|
::abbreviatoin::abbreviation |
|
::aberation::aberration |
|
::aborigene::aborigine |
|
::abortificant::abortifacient |
|
::abbout::about |
|
::abot::about |
|
::abotu::about |
|
::abuot::about |
|
::aobut::about |
|
::baout::about |
|
::bouat::about |
|
::abouta::about a |
|
::abou tit::about it |
|
::aboutit::about it |
|
::aboutthe::about the |
|
::abscence::absence |
|
::absense::absence |
|
::abcense::absense |
|
::absolutley::absolutely |
|
::absolutly::absolutely |
|
::asorbed::absorbed |
|
::absorbsion::absorption |
|
::absorbtion::absorption |
|
::abundacies::abundances |
|
::abundancies::abundances |
|
::abundunt::abundant |
|
::abutts::abuts |
|
::acadmic::academic |
|
::accademic::academic |
|
::acedemic::academic |
|
::acadamy::academy |
|
::accademy::academy |
|
::accelleration::acceleration |
|
::acceotable::acceptable |
|
::acceptible::acceptable |
|
::accetpable::acceptable |
|
::acceptence::acceptance |
|
::accessable::accessible |
|
::accension::accession |
|
::accesories::accessories |
|
::accesorise::accessorise |
|
::accidant::accident |
|
::accidentaly::accidentally |
|
::accidently::accidentally |
|
::accidnetally::accidentally |
|
::acclimitization::acclimatization |
|
::accomdate::accommodate |
|
::accomodate::accommodate |
|
::acommodate::accommodate |
|
::acomodate::accommodate |
|
::accomodated::accommodated |
|
::accomodates::accommodates |
|
::accomodating::accommodating |
|
::accomodation::accommodation |
|
::accomodations::accommodations |
|
::accompanyed::accompanied |
|
::acomplish::accomplish |
|
::acomplished::accomplished |
|
::accomplishemnt::accomplishment |
|
::acomplishment::accomplishment |
|
::acomplishments::accomplishments |
|
::accoding::according |
|
::accoring::according |
|
::acording::according |
|
::accordingto::according to |
|
::acordingly::accordingly |
|
::accordeon::accordion |
|
::accordian::accordion |
|
::acconut::account |
|
::acocunt::account |
|
::acuracy::accuracy |
|
::acccused::accused |
|
::accussed::accused |
|
::acused::accused |
|
::acustom::accustom |
|
::acustommed::accustomed |
|
::achive::achieve |
|
::achivement::achievement |
|
::achivements::achievements |
|
::acide::acid |
|
::acknolwedge::acknowledge |
|
::acknowldeged::acknowledged |
|
::acknowledgeing::acknowledging |
|
::accoustic::acoustic |
|
::acquiantence::acquaintance |
|
::aquaintance::acquaintance |
|
::aquiantance::acquaintance |
|
::acquiantences::acquaintances |
|
::accquainted::acquainted |
|
::aquainted::acquainted |
|
::aquire::acquire |
|
::aquired::acquired |
|
::aquiring::acquiring |
|
::aquit::acquit |
|
::acquited::acquitted |
|
::aquitted::acquitted |
|
::accross::across |
|
::activly::actively |
|
::activites::activities |
|
::actaully::actually |
|
::actualy::actually |
|
::actualyl::actually |
|
::acutally::actually |
|
::acutaly::actually |
|
::acutlaly::actually |
|
::atually::actually |
|
::adaption::adaptation |
|
::adaptions::adaptations |
|
::addng::adding |
|
::addtion::addition |
|
::additinal::additional |
|
::addtional::additional |
|
::additinally::additionally |
|
::addres::address |
|
::adres::address |
|
::adress::address |
|
::addresable::addressable |
|
::adresable::addressable |
|
::adressable::addressable |
|
::addresed::addressed |
|
::adressed::addressed |
|
::addressess::addresses |
|
::addresing::addressing |
|
::adresing::addressing |
|
::adecuate::adequate |
|
::adequit::adequate |
|
::adequite::adequate |
|
::adherance::adherence |
|
::adhearing::adhering |
|
::adjusmenet::adjustment |
|
::adjusment::adjustment |
|
::adjustement::adjustment |
|
::adjustemnet::adjustment |
|
::adjustmenet::adjustment |
|
::adminstered::administered |
|
::adminstrate::administrate |
|
::adminstration::administration |
|
::admininistrative::administrative |
|
::adminstrative::administrative |
|
::adminstrator::administrator |
|
::admissability::admissibility |
|
::admissable::admissible |
|
::addmission::admission |
|
::admited::admitted |
|
::admitedly::admittedly |
|
::adolecent::adolescent |
|
::addopt::adopt |
|
::addopted::adopted |
|
::addoptive::adoptive |
|
::adavanced::advanced |
|
::adantage::advantage |
|
::advanage::advantage |
|
::adventrous::adventurous |
|
::advesary::adversary |
|
::advertisment::advertisement |
|
::advertisments::advertisements |
|
::asdvertising::advertising |
|
::adviced::advised |
|
::aeriel::aerial |
|
::aeriels::aerials |
|
::areodynamics::aerodynamics |
|
::asthetic::aesthetic |
|
::asthetical::aesthetic |
|
::asthetically::aesthetically |
|
::afair::affair |
|
::affilate::affiliate |
|
::affilliate::affiliate |
|
::afficionado::aficionado |
|
::afficianados::aficionados |
|
::afficionados::aficionados |
|
::aforememtioned::aforementioned |
|
::affraid::afraid |
|
::afradi::afraid |
|
::afriad::afraid |
|
::afterthe::after the |
|
::agani::again |
|
::agian::again |
|
::agin::again |
|
::againnst::against |
|
::agains::against |
|
::agaisnt::against |
|
::aganist::against |
|
::agianst::against |
|
::aginst::against |
|
::againstt he::against the |
|
::aggaravates::aggravates |
|
::agregate::aggregate |
|
::agregates::aggregates |
|
::agression::aggression |
|
::aggresive::aggressive |
|
::agressive::aggressive |
|
::agressively::aggressively |
|
::agressor::aggressor |
|
::agrieved::aggrieved |
|
::agre::agree |
|
::aggreed::agreed |
|
::agred::agreed |
|
::agreing::agreeing |
|
::aggreement::agreement |
|
::agreeement::agreement |
|
::agreemeent::agreement |
|
::agreemnet::agreement |
|
::agreemnt::agreement |
|
::agreemeents::agreements |
|
::agreemnets::agreements |
|
::agricuture::agriculture |
|
::aheda::ahead |
|
::airbourne::airborne |
|
::aicraft::aircraft |
|
::aircaft::aircraft |
|
::aircrafts::aircraft |
|
::airrcraft::aircraft |
|
::aiport::airport |
|
::airporta::airports |
|
::albiet::albeit |
|
::alchohol::alcohol |
|
::alchol::alcohol |
|
::alcohal::alcohol |
|
::alochol::alcohol |
|
::alchoholic::alcoholic |
|
::alcholic::alcoholic |
|
::alcoholical::alcoholic |
|
::algebraical::algebraic |
|
::algoritm::algorithm |
|
::algorhitms::algorithms |
|
::algoritms::algorithms |
|
::alientating::alienating |
|
::all the itme::all the time |
|
::alltime::all-time |
|
::aledge::allege |
|
::alege::allege |
|
::alledge::allege |
|
::aledged::alleged |
|
::aleged::alleged |
|
::alledged::alleged |
|
::alledgedly::allegedly |
|
::allegedely::allegedly |
|
::allegedy::allegedly |
|
::allegely::allegedly |
|
::aledges::alleges |
|
::alledges::alleges |
|
::alegience::allegiance |
|
::allegence::allegiance |
|
::allegience::allegiance |
|
::alliviate::alleviate |
|
::allopone::allophone |
|
::allopones::allophones |
|
::alotted::allotted |
|
::alowed::allowed |
|
::alowing::allowing |
|
::alusion::allusion |
|
::almots::almost |
|
::almsot::almost |
|
::alomst::almost |
|
::alonw::alone |
|
::allready::already |
|
::alraedy::already |
|
::alreayd::already |
|
::alreday::already |
|
::alredy::already |
|
::aready::already |
|
::alrigth::alright |
|
::alriht::alright |
|
::alsation::Alsatian |
|
::alos::also |
|
::alsot::also |
|
::aslo::also |
|
::laternative::alternative |
|
::alternitives::alternatives |
|
::allthough::although |
|
::altho::although |
|
::althought::although |
|
::altough::although |
|
::altogehter::altogether |
|
::allwasy::always |
|
::allwyas::always |
|
::alwasy::always |
|
::alwats::always |
|
::alway::always |
|
::alwayus::always |
|
::alwyas::always |
|
::awlays::always |
|
::a mnot::am not |
|
::amalgomated::amalgamated |
|
::amatuer::amateur |
|
::amerliorate::ameliorate |
|
::ammend::amend |
|
::ammended::amended |
|
::admendment::amendment |
|
::amendmant::amendment |
|
::ammendment::amendment |
|
::ammendments::amendments |
|
::amoung::among |
|
::amung::among |
|
::amoungst::amongst |
|
::ammount::amount |
|
::amonut::amount |
|
::amoutn::amount |
|
::amplfieir::amplifier |
|
::amplfiier::amplifier |
|
::ampliotude::amplitude |
|
::amploitude::amplitude |
|
::amplotude::amplitude |
|
::amplotuide::amplitude |
|
::amploitudes::amplitudes |
|
::ammused::amused |
|
::analagous::analogous |
|
::analogeous::analogous |
|
::analitic::analytic |
|
::anarchim::anarchism |
|
::anarchistm::anarchism |
|
::ansestors::ancestors |
|
::ancestory::ancestry |
|
::ancilliary::ancillary |
|
::adn::and |
|
::anbd::and |
|
::anmd::and |
|
::an dgot::and got |
|
::andone::and one |
|
::andt he::and the |
|
::andteh::and the |
|
::andthe::and the |
|
::androgenous::androgynous |
|
::androgeny::androgyny |
|
::anihilation::annihilation |
|
::aniversary::anniversary |
|
::annouced::announced |
|
::anounced::announced |
|
::announcemnt::announcement |
|
::anual::annual |
|
::annualy::annually |
|
::annuled::annulled |
|
::anulled::annulled |
|
::annoint::anoint |
|
::annointed::anointed |
|
::annointing::anointing |
|
::annoints::anoints |
|
::anomolies::anomalies |
|
::anomolous::anomalous |
|
::anomoly::anomaly |
|
::anonimity::anonymity |
|
::anohter::another |
|
::anotehr::another |
|
::anothe::another |
|
::ansewr::answer |
|
::anwsered::answered |
|
::naswered::answered |
|
::antartic::antarctic |
|
::anthromorphisation::anthropomorphisation |
|
::anthromorphization::anthropomorphization |
|
::anti-semetic::anti-Semitic |
|
::anticlimatic::anticlimactic |
|
::anyother::any other |
|
::anuthing::anything |
|
::anyhting::anything |
|
::anythihng::anything |
|
::anytihng::anything |
|
::anyting::anything |
|
::anytying::anything |
|
::naything::anything |
|
::anwyay::anyway |
|
::anywya::anyway |
|
::nayway::anyway |
|
::naywya::anyway |
|
::anyhwere::anywhere |
|
::appart::apart |
|
::aparment::apartment |
|
::aparmtent::apartment |
|
::aparmtnet::apartment |
|
::apartmnet::apartment |
|
::appartment::apartment |
|
::apartmetns::apartments |
|
::appartments::apartments |
|
::apenines::Apennines |
|
::appenines::Apennines |
|
::apolegetics::apologetics |
|
::appologies::apologies |
|
::appology::apology |
|
::aparent::apparent |
|
::apparant::apparent |
|
::apparrent::apparent |
|
::apparantly::apparently |
|
::apparnelty::apparently |
|
::apparnetly::apparently |
|
::apparntely::apparently |
|
::appealling::appealing |
|
::appeareance::appearance |
|
::appearence::appearance |
|
::apperance::appearance |
|
::apprearance::appearance |
|
::appearences::appearances |
|
::apperances::appearances |
|
::appeares::appears |
|
::aplication::application |
|
::applicaiton::application |
|
::applicaitons::applications |
|
::aplied::applied |
|
::appluied::applied |
|
::applyed::applied |
|
::appointiment::appointment |
|
::apprieciate::appreciate |
|
::aprehensive::apprehensive |
|
::approachs::approaches |
|
::appropiate::appropriate |
|
::appropraite::appropriate |
|
::appropropiate::appropriate |
|
::approrpiate::appropriate |
|
::approrpriate::appropriate |
|
::apropriate::appropriate |
|
::approvla::approval |
|
::approproximate::approximate |
|
::aproximate::approximate |
|
::approxamately::approximately |
|
::approxiately::approximately |
|
::approximitely::approximately |
|
::aproximately::approximately |
|
::arbitarily::arbitrarily |
|
::abritrary::arbitrary |
|
::arbitary::arbitrary |
|
::arbouretum::arboretum |
|
::archiac::archaic |
|
::archimedian::Archimedean |
|
::archictect::architect |
|
::archetectural::architectural |
|
::architectual::architectural |
|
::archetecturally::architecturally |
|
::architechturally::architecturally |
|
::archetecture::architecture |
|
::architechture::architecture |
|
::architechtures::architectures |
|
::arn't::aren't |
|
::argubly::arguably |
|
::arguements::arguments |
|
::argumetns::arguments |
|
::armamant::armament |
|
::armistace::armistice |
|
::arised::arose |
|
::arond::around |
|
::aronud::around |
|
::aroud::around |
|
::arround::around |
|
::arund::around |
|
::around ot::around to |
|
::aranged::arranged |
|
::arangement::arrangement |
|
::arragnemetn::arrangement |
|
::arragnemnet::arrangement |
|
::arrangemetn::arrangement |
|
::arrangment::arrangement |
|
::arrangments::arrangements |
|
::arival::arrival |
|
::artical::article |
|
::artice::article |
|
::articel::article |
|
::artilce::article |
|
::artifical::artificial |
|
::artifically::artificially |
|
::artillary::artillery |
|
::asthe::as the |
|
::aswell::as well |
|
::asetic::ascetic |
|
::aisian::Asian |
|
::asside::aside |
|
::askt he::ask the |
|
::asknig::asking |
|
::alseep::asleep |
|
::asphyxation::asphyxiation |
|
::assisnate::assassinate |
|
::assassintation::assassination |
|
::assosication::assassination |
|
::asssassans::assassins |
|
::assualt::assault |
|
::assualted::assaulted |
|
::assemple::assemble |
|
::assertation::assertion |
|
::assesment::assessment |
|
::asign::assign |
|
::assit::assist |
|
::assistent::assistant |
|
::assitant::assistant |
|
::assoicate::associate |
|
::assoicated::associated |
|
::assoicates::associates |
|
::assocation::association |
|
::asume::assume |
|
::asteriod::asteroid |
|
::asychronous::asynchronous |
|
::a tthat::at that |
|
::atthe::at the |
|
::athiesm::atheism |
|
::athiest::atheist |
|
::atheistical::atheistic |
|
::athenean::Athenian |
|
::atheneans::Athenians |
|
::atmospher::atmosphere |
|
::attrocities::atrocities |
|
::attatch::attach |
|
::attahed::attached |
|
::atain::attain |
|
::attemp::attempt |
|
::attemt::attempt |
|
::attemped::attempted |
|
::attemted::attempted |
|
::attemting::attempting |
|
::attemts::attempts |
|
::attendence::attendance |
|
::attendent::attendant |
|
::attendents::attendants |
|
::attened::attended |
|
::atention::attention |
|
::attension::attention |
|
::attentioin::attention |
|
::attitide::attitude |
|
::atorney::attorney |
|
::attributred::attributed |
|
::audeince::audience |
|
::audiance::audience |
|
::austrailia::Australia |
|
::austrailian::Australian |
|
::australian::Australian |
|
::auther::author |
|
::autor::author |
|
::authorative::authoritative |
|
::authoritive::authoritative |
|
::authorites::authorities |
|
::authoritiers::authorities |
|
::authrorities::authorities |
|
::authorithy::authority |
|
::autority::authority |
|
::authobiographic::autobiographic |
|
::authobiography::autobiography |
|
::autochtonous::autochthonous |
|
::autoctonous::autochthonous |
|
::automaticly::automatically |
|
::automibile::automobile |
|
::automonomous::autonomous |
|
::auxillaries::auxiliaries |
|
::auxilliaries::auxiliaries |
|
::auxilary::auxiliary |
|
::auxillary::auxiliary |
|
::auxilliary::auxiliary |
|
::availablility::availability |
|
::avaiable::available |
|
::availaible::available |
|
::availalbe::available |
|
::availble::available |
|
::availiable::available |
|
::availible::available |
|
::avalable::available |
|
::avaliable::available |
|
::avialable::available |
|
::avilable::available |
|
::vaialable::available |
|
::avalance::avalanche |
|
::averageed::averaged |
|
::avation::aviation |
|
::awared::awarded |
|
::awya::away |
|
::aywa::away |
|
::aweomse::awesome |
|
::aweosme::awesome |
|
::awesomoe::awesome |
|
::aziumth::azimuth |
|
::abck::back |
|
::bakc::back |
|
::bcak::back |
|
::backgorund::background |
|
::backrounds::backgrounds |
|
::balence::balance |
|
::ballance::balance |
|
::balacned::balanced |
|
::banannas::bananas |
|
::bandwith::bandwidth |
|
::bankrupcy::bankruptcy |
|
::banruptcy::bankruptcy |
|
::barbeque::barbecue |
|
::barcod::barcode |
|
::basicaly::basically |
|
::basiclaly::basically |
|
::basicly::basically |
|
::batteryes::batteries |
|
::batery::battery |
|
::cattleship::battleship |
|
::bve::be |
|
:c:eb::be ; EB is legit? |
|
::beachead::beachhead |
|
::beatiful::beautiful |
|
::beautyfull::beautiful |
|
::beutiful::beautiful |
|
::becamae::became |
|
::baceause::because |
|
::bcause::because |
|
::bceause::because |
|
::bceayuse::because |
|
::beacues::because |
|
::beacuse::because |
|
::becasue::because |
|
::becaues::because |
|
::becaus::because |
|
::becayse::because |
|
::beccause::because |
|
::beceause::because |
|
::becouse::because |
|
::becuase::because |
|
::becuse::because |
|
::ebcause::because |
|
::ebceause::because |
|
::becausea::because a |
|
::becauseof::because of |
|
::becausethe::because the |
|
::becauseyou::because you |
|
::becoe::become |
|
::becomeing::becoming |
|
::becomming::becoming |
|
::bedore::before |
|
::befoer::before |
|
::ebfore::before |
|
::begginer::beginner |
|
::begginers::beginners |
|
::beggining::beginning |
|
::begining::beginning |
|
::beginining::beginning |
|
::beginnig::beginning |
|
::begginings::beginnings |
|
::beggins::begins |
|
::behavour::behaviour |
|
::beng::being |
|
::benig::being |
|
::beleagured::beleaguered |
|
::beligum::belgium |
|
::beleif::belief |
|
::beleiev::believe |
|
::beleieve::believe |
|
::beleive::believe |
|
::belive::believe |
|
::beleived::believed |
|
::belived::believed |
|
::beleives::believes |
|
::beleiving::believing |
|
::belligerant::belligerent |
|
::bellweather::bellwether |
|
::bemusemnt::bemusement |
|
::benefical::beneficial |
|
::benificial::beneficial |
|
::beneficary::beneficiary |
|
::benifit::benefit |
|
::benifits::benefits |
|
::bergamont::bergamot |
|
::bernouilli::Bernoulli |
|
::beseige::besiege |
|
::beseiged::besieged |
|
::beseiging::besieging |
|
::beastiality::bestiality |
|
::beter::better |
|
::betweeen::between |
|
::betwen::between |
|
::bewteen::between |
|
::bweteen::between |
|
::inbetween::between |
|
::vetween::between |
|
::bicep::biceps |
|
::bilateraly::bilaterally |
|
::billingualism::bilingualism |
|
::binominal::binomial |
|
::bizzare::bizarre |
|
::blaim::blame |
|
::blaimed::blamed |
|
::blessure::blessing |
|
::blitzkreig::Blitzkrieg |
|
::bodydbuilder::bodybuilder |
|
::bombardement::bombardment |
|
::bombarment::bombardment |
|
::bonnano::Bonanno |
|
::bootlaoder::bootloader |
|
::bototm::bottom |
|
::bougth::bought |
|
::bondary::boundary |
|
::boundry::boundary |
|
::boxs::boxes |
|
::boyfriedn::boyfriend |
|
::brasillian::Brazilian |
|
::breka::break |
|
::breakthough::breakthrough |
|
::breakthroughts::breakthroughs |
|
::brethen::brethren |
|
::bretheren::brethren |
|
::breif::brief |
|
::breifly::briefly |
|
::brigthness::brightness |
|
::briliant::brilliant |
|
::brillant::brilliant |
|
::brimestone::brimstone |
|
::britian::Britain |
|
::brittish::British |
|
::broacasted::broadcast |
|
::brodcast::broadcast |
|
::broadacasting::broadcasting |
|
::broady::broadly |
|
::brocolli::broccoli |
|
::borke::broke |
|
::borther::brother |
|
::broguht::brought |
|
::buddah::Buddha |
|
::buiding::building |
|
::bouy::buoy |
|
::bouyancy::buoyancy |
|
::buoancy::buoyancy |
|
::bouyant::buoyant |
|
::boyant::buoyant |
|
::beaurocracy::bureaucracy |
|
::bureacracy::bureaucracy |
|
::beaurocratic::bureaucratic |
|
::burried::buried |
|
::buisness::business |
|
::busness::business |
|
::bussiness::business |
|
::busineses::businesses |
|
::buisnessman::businessman |
|
::buit::but |
|
::ubt::but |
|
::ut::but |
|
::butthe::but the |
|
::buynig::buying |
|
::byt he::by the |
|
::caeser::caesar |
|
::ceasar::Caesar |
|
::caffeien::caffeine |
|
::casion::caisson |
|
::calcluate::calculate |
|
::caluclate::calculate |
|
::caluculate::calculate |
|
::calulate::calculate |
|
::claculate::calculate |
|
::calcullated::calculated |
|
::caluclated::calculated |
|
::caluculated::calculated |
|
::calulated::calculated |
|
::claculated::calculated |
|
::calcuation::calculation |
|
::claculation::calculation |
|
::claculations::calculations |
|
::calculs::calculus |
|
::calander::calendar |
|
::calednar::calendar |
|
::calenders::calendars |
|
::califronia::California |
|
::califronian::Californian |
|
::caligraphy::calligraphy |
|
::calilng::calling |
|
::callipigian::callipygian |
|
::cambrige::Cambridge |
|
::cmae::came |
|
::camoflage::camouflage |
|
::campain::campaign |
|
::campains::campaigns |
|
::acn::can |
|
::cna::can |
|
::cxan::can |
|
::can't of::can't have |
|
::cancle::cancel |
|
::candadate::candidate |
|
::candiate::candidate |
|
::candidiate::candidate |
|
::candidtae::candidate |
|
::candidtaes::candidates |
|
::candidtes::candidates |
|
::canidtes::candidates |
|
::cannister::canister |
|
::cannisters::canisters |
|
::cannnot::cannot |
|
::cannonical::canonical |
|
::cantalope::cantaloupe |
|
::caperbility::capability |
|
::capible::capable |
|
::capacitro::capacitor |
|
::cpacitor::capacitor |
|
::capcaitors::capacitors |
|
::capetown::Cape Town |
|
::captial::capital |
|
::captued::captured |
|
::capturd::captured |
|
::carcas::carcass |
|
::cardiod::cardioid |
|
::cardiodi::cardioid |
|
::cardoid::cardioid |
|
::caridoid::cardioid |
|
::carreer::career |
|
::carrers::careers |
|
::carefull::careful |
|
::carribbean::Caribbean |
|
::carribean::Caribbean |
|
::careing::caring |
|
::carmalite::Carmelite |
|
::carniverous::carnivorous |
|
::carthagian::Carthaginian |
|
::cartilege::cartilage |
|
::cartilidge::cartilage |
|
::carthographer::cartographer |
|
::cartdridge::cartridge |
|
::cartrige::cartridge |
|
::casette::cassette |
|
::cassawory::cassowary |
|
::cassowarry::cassowary |
|
::casulaties::casualties |
|
::causalities::casualties |
|
::casulaty::casualty |
|
::categiory::category |
|
::ctaegory::category |
|
::catterpilar::caterpillar |
|
::catterpilars::caterpillars |
|
::cathlic::catholic |
|
::catholocism::catholicism |
|
::caucasion::Caucasian |
|
::cacuses::caucuses |
|
::causeing::causing |
|
::cieling::ceiling |
|
::cellpading::cellpadding |
|
::celcius::Celsius |
|
::cemetaries::cemeteries |
|
::cementary::cemetery |
|
::cemetarey::cemetery |
|
::cemetary::cemetery |
|
::sensure::censure |
|
::cencus::census |
|
::cententenial::centennial |
|
::centruies::centuries |
|
::centruy::century |
|
::cerimonial::ceremonial |
|
::cerimonies::ceremonies |
|
::cerimonious::ceremonious |
|
::cerimony::ceremony |
|
::ceromony::ceremony |
|
::certian::certain |
|
::certainity::certainty |
|
::chariman::chairman |
|
::challange::challenge |
|
::challege::challenge |
|
::challanged::challenged |
|
::challanges::challenges |
|
::chalenging::challenging |
|
::champange::champagne |
|
::chcance::chance |
|
::chaneg::change |
|
::chnage::change |
|
::hcange::change |
|
::changable::changeable |
|
::chagned::changed |
|
::chnaged::changed |
|
::chanegs::changes |
|
::changeing::changing |
|
::changin::changing |
|
::changng::changing |
|
::cahnnel::channel |
|
::chanenl::channel |
|
::channle::channel |
|
::hcannel::channel |
|
::chanenls::channels |
|
::caharcter::character |
|
::carachter::character |
|
::charachter::character |
|
::charactor::character |
|
::charecter::character |
|
::charector::character |
|
::chracter::character |
|
::caracterised::characterised |
|
::charaterised::characterised |
|
::charactersistic::characteristic |
|
::charistics::characteristics |
|
::caracterized::characterized |
|
::charaterized::characterized |
|
::cahracters::characters |
|
::charachters::characters |
|
::charactors::characters |
|
::hcarge::charge |
|
::chargig::charging |
|
::carismatic::charismatic |
|
::charasmatic::charismatic |
|
::chartiable::charitable |
|
::caht::chat |
|
::chcek::check |
|
::chekc::check |
|
::chemcial::chemical |
|
::chemcially::chemically |
|
::chemicaly::chemically |
|
::checmicals::chemicals |
|
::chemestry::chemistry |
|
::cheif::chief |
|
::childbird::childbirth |
|
::childen::children |
|
::childrens::children's |
|
::chilli::chili |
|
::choosen::chosen |
|
::chrisitan::Christian |
|
::chruch::church |
|
::chuch::church |
|
::churhc::church |
|
::curch::church |
|
::churchs::churches |
|
::cincinatti::Cincinnati |
|
::cincinnatti::Cincinnati |
|
::circut::circuit |
|
::ciricuit::circuit |
|
::curcuit::circuit |
|
::circulaton::circulation |
|
::circumsicion::circumcision |
|
::circumfrence::circumference |
|
::sercumstances::circumstances |
|
::citaion::citation |
|
::cirtus::citrus |
|
::civillian::civilian |
|
::claimes::claims |
|
::clas::class |
|
::clasic::classic |
|
::clasical::classical |
|
::clasically::classically |
|
::claer::clear |
|
::cleareance::clearance |
|
::claered::cleared |
|
::claerer::clearer |
|
::claerly::clearly |
|
::clikc::click |
|
::cliant::client |
|
::clincial::clinical |
|
::clinicaly::clinically |
|
::clipipng::clipping |
|
::clippin::clipping |
|
::closeing::closing |
|
::caost::coast |
|
::coctail::cocktail |
|
::ocde::code |
|
::cognizent::cognizant |
|
::co-incided::coincided |
|
::coincedentally::coincidentally |
|
::colaborations::collaborations |
|
::collaberative::collaborative |
|
::colateral::collateral |
|
::collegue::colleague |
|
::collegues::colleagues |
|
::collectable::collectible |
|
::colection::collection |
|
::collecton::collection |
|
::colelctive::collective |
|
::collonies::colonies |
|
::colonisators::colonisers |
|
::colonizators::colonizers |
|
::collonade::colonnade |
|
::collony::colony |
|
::collosal::colossal |
|
::colum::column |
|
::combintation::combination |
|
::combanations::combinations |
|
::combinatins::combinations |
|
::combusion::combustion |
|
::ocme::come |
|
::comback::comeback |
|
::commedic::comedic |
|
::confortable::comfortable |
|
::comeing::coming |
|
::comming::coming |
|
::commadn::command |
|
::comander::commander |
|
::comando::commando |
|
::comandos::commandos |
|
::commandoes::commandos |
|
::comemmorate::commemorate |
|
::commemmorate::commemorate |
|
::commmemorated::commemorated |
|
::comemmorates::commemorates |
|
::commemmorating::commemorating |
|
::comemoretion::commemoration |
|
::commemerative::commemorative |
|
::commerorative::commemorative |
|
::commerical::commercial |
|
::commericial::commercial |
|
::commerically::commercially |
|
::commericially::commercially |
|
::comission::commission |
|
::commision::commission |
|
::comissioned::commissioned |
|
::commisioned::commissioned |
|
::comissioner::commissioner |
|
::commisioner::commissioner |
|
::comissioning::commissioning |
|
::commisioning::commissioning |
|
::comissions::commissions |
|
::commisions::commissions |
|
::comit::commit |
|
::committment::commitment |
|
::committments::commitments |
|
::comited::committed |
|
::comitted::committed |
|
::commited::committed |
|
::comittee::committee |
|
::commitee::committee |
|
::committe::committee |
|
::committy::committee |
|
::comiting::committing |
|
::comitting::committing |
|
::commiting::committing |
|
::commongly::commonly |
|
::commonweath::commonwealth |
|
::comunicate::communicate |
|
::commiunicating::communicating |
|
::communiucating::communicating |
|
::comminication::communication |
|
::communciation::communication |
|
::communiation::communication |
|
::commuications::communications |
|
::commuinications::communications |
|
::communites::communities |
|
::comunity::community |
|
::comanies::companies |
|
::comapnies::companies |
|
::comany::company |
|
::comapany::company |
|
::comapny::company |
|
::company;s::company's |
|
::comparitive::comparative |
|
::comparitively::comparatively |
|
::comapre::compare |
|
::compair::compare |
|
::comparision::comparison |
|
::comparisions::comparisons |
|
::compability::compatibility |
|
::compatiable::compatible |
|
::compatioble::compatible |
|
::compensantion::compensation |
|
::competance::competence |
|
::competant::competent |
|
::compitent::competent |
|
::competitiion::competition |
|
::competitoin::competition |
|
::compeitions::competitions |
|
::competative::competitive |
|
::competive::competitive |
|
::competiveness::competitiveness |
|
::copmetitors::competitors |
|
::complier::compiler |
|
::compleated::completed |
|
::completedthe::completed the |
|
::competely::completely |
|
::compleatly::completely |
|
::completelyl::completely |
|
::completley::completely |
|
::completly::completely |
|
::compleatness::completeness |
|
::completness::completeness |
|
::completetion::completion |
|
::ocmplex::complex |
|
::xomplex::complex |
|
::comopnent::component |
|
::componant::component |
|
::comopnents::components |
|
::composate::composite |
|
::comphrehensive::comprehensive |
|
::comprimise::compromise |
|
::compulsary::compulsory |
|
::compulsery::compulsory |
|
::cmoputer::computer |
|
::comptuer::computer |
|
::compuer::computer |
|
::copmuter::computer |
|
::coputer::computer |
|
::ocmputer::computer |
|
::computarised::computerised |
|
::computarized::computerized |
|
::comptuers::computers |
|
::ocmputers::computers |
|
::concieted::conceited |
|
::concieve::conceive |
|
::concieved::conceived |
|
::consentrate::concentrate |
|
::consentrated::concentrated |
|
::consentrates::concentrates |
|
::consept::concept |
|
::consern::concern |
|
::conserned::concerned |
|
::conserning::concerning |
|
::comdemnation::condemnation |
|
::condamned::condemned |
|
::condemmed::condemned |
|
::condensor::condenser |
|
::condidtion::condition |
|
::ocndition::condition |
|
::condidtions::conditions |
|
::conditionsof::conditions of |
|
::condolances::condolences |
|
::conferance::conference |
|
::confidental::confidential |
|
::confidentally::confidentially |
|
::confids::confides |
|
::configureable::configurable |
|
::configuraiton::configuration |
|
::configuraoitn::configuration |
|
::confirmmation::confirmation |
|
::ocnfirmed::confirmed |
|
::coform::conform |
|
::confusnig::confusing |
|
::congradulations::congratulations |
|
::congresional::congressional |
|
::conjecutre::conjecture |
|
::conjuction::conjunction |
|
::connet::connect |
|
::conected::connected |
|
::conneted::connected |
|
::conneticut::Connecticut |
|
::conneting::connecting |
|
::conection::connection |
|
::connectino::connection |
|
::connetion::connection |
|
::connetions::connections |
|
::connetors::connectors |
|
::conived::connived |
|
::cannotation::connotation |
|
::cannotations::connotations |
|
::conotations::connotations |
|
::conquerd::conquered |
|
::conqured::conquered |
|
::conquerer::conqueror |
|
::conquerers::conquerors |
|
::concious::conscious |
|
::consious::conscious |
|
::conciously::consciously |
|
::conciousness::consciousness |
|
::consciouness::consciousness |
|
::consiciousness::consciousness |
|
::consicousness::consciousness |
|
::consectutive::consecutive |
|
::concensus::consensus |
|
::conesencus::consensus |
|
::conscent::consent |
|
::consequeseces::consequences |
|
::consenquently::consequently |
|
::consequentually::consequently |
|
::conservitive::conservative |
|
::concider::consider |
|
::consdider::consider |
|
::considerit::considerate |
|
::considerite::considerate |
|
::concidered::considered |
|
::consdidered::considered |
|
::consdiered::considered |
|
::considerd::considered |
|
::consideres::considered |
|
::concidering::considering |
|
::conciders::considers |
|
::consistant::consistent |
|
::consistnet::consistent |
|
::consistantly::consistently |
|
::consistnelty::consistently |
|
::consistnetly::consistently |
|
::consistntely::consistently |
|
::consolodate::consolidate |
|
::consolodated::consolidated |
|
::consonent::consonant |
|
::consonents::consonants |
|
::consorcium::consortium |
|
::conspiracys::conspiracies |
|
::conspiricy::conspiracy |
|
::conspiriator::conspirator |
|
::constatn::constant |
|
::constnat::constant |
|
::constanly::constantly |
|
::constnatly::constantly |
|
::constarnation::consternation |
|
::consituencies::constituencies |
|
::consituency::constituency |
|
::constituant::constituent |
|
::constituants::constituents |
|
::consituted::constituted |
|
::consitution::constitution |
|
::constituion::constitution |
|
::costitution::constitution |
|
::consitutional::constitutional |
|
::constituional::constitutional |
|
::constriant::constraint |
|
::constaints::constraints |
|
::consttruction::construction |
|
::constuction::construction |
|
::contruction::construction |
|
::consulant::consultant |
|
::consultent::consultant |
|
::consumber::consumer |
|
::consumate::consummate |
|
::consumated::consummated |
|
::comntain::contain |
|
::comtain::contain |
|
::comntains::contains |
|
::comtains::contains |
|
::containes::contains |
|
::countains::contains |
|
::contaiminate::contaminate |
|
::contemporaneus::contemporaneous |
|
::contamporaries::contemporaries |
|
::contamporary::contemporary |
|
::contempoary::contemporary |
|
::contempory::contemporary |
|
::contendor::contender |
|
::constinually::continually |
|
::contined::continued |
|
::continueing::continuing |
|
::continous::continuous |
|
::continously::continuously |
|
::contritutions::contributions |
|
::contributer::contributor |
|
::contributers::contributors |
|
::contorl::control |
|
::controll::control |
|
::controled::controlled |
|
::controling::controlling |
|
::controlls::controls |
|
::contravercial::controversial |
|
::controvercial::controversial |
|
::controversal::controversial |
|
::controvertial::controversial |
|
::controveries::controversies |
|
::contraversy::controversy |
|
::controvercy::controversy |
|
::controvery::controversy |
|
::conveinent::convenient |
|
::convienient::convenient |
|
::convential::conventional |
|
::convertion::conversion |
|
::convertor::converter |
|
::convertors::converters |
|
::convertable::convertible |
|
::convertables::convertibles |
|
::conveyer::conveyor |
|
::conviced::convinced |
|
::cooparate::cooperate |
|
::cooporate::cooperate |
|
::coordiantion::coordination |
|
::cpoy::copy |
|
::copyrigth::copyright |
|
::copywrite::copyright |
|
::coridal::cordial |
|
::corparate::corporate |
|
::corproation::corporation |
|
::coorperations::corporations |
|
::corperations::corporations |
|
::corproations::corporations |
|
::corret::correct |
|
::correciton::correction |
|
::corretly::correctly |
|
::correcters::correctors |
|
::correlatoin::correlation |
|
::corrispond::correspond |
|
::corrisponded::corresponded |
|
::correspondant::correspondent |
|
::corrispondant::correspondent |
|
::correspondants::correspondents |
|
::corrispondants::correspondents |
|
::correponding::corresponding |
|
::correposding::corresponding |
|
::corrisponding::corresponding |
|
::corrisponds::corresponds |
|
::corridoors::corridors |
|
::corosion::corrosion |
|
::corruptable::corruptible |
|
::cotten::cotton |
|
::coudl::could |
|
::oculd::could |
|
::ucould::could |
|
::could of::could have |
|
::couldthe::could the |
|
::coudln't::couldn't |
|
::coudn't::couldn't |
|
::couldnt::couldn't |
|
::coucil::council |
|
::counterfiet::counterfeit |
|
::counries::countries |
|
::countires::countries |
|
::ocuntries::countries |
|
::ocuntry::country |
|
::coururier::courier |
|
::convenant::covenant |
|
::creaeted::created |
|
::creedence::credence |
|
::criterias::criteria |
|
::critereon::criterion |
|
::crtical::critical |
|
::critised::criticised |
|
::criticing::criticising |
|
::criticists::critics |
|
::crockodiles::crocodiles |
|
::crucifiction::crucifixion |
|
::crusies::cruises |
|
::crystalisation::crystallisation |
|
::culiminating::culminating |
|
::cumulatative::cumulative |
|
::curiousity::curiosity |
|
::currnet::current |
|
::currenly::currently |
|
::curretnly::currently |
|
::currnets::currents |
|
::ciriculum::curriculum |
|
::curriculem::curriculum |
|
::cusotmer::customer |
|
::cutsomer::customer |
|
::cusotmers::customers |
|
::cutsomers::customers |
|
::cxan::cyan |
|
::cilinder::cylinder |
|
::cyclinder::cylinder |
|
::dakiri::daiquiri |
|
::dalmation::dalmatian |
|
::danceing::dancing |
|
::dardenelles::Dardanelles |
|
::dael::deal |
|
::debateable::debatable |
|
::decaffinated::decaffeinated |
|
::decathalon::decathlon |
|
::decieved::deceived |
|
::decideable::decidable |
|
::deside::decide |
|
::decidely::decidedly |
|
::ecidious::deciduous |
|
::decison::decision |
|
::descision::decision |
|
::desicion::decision |
|
::desision::decision |
|
::decisons::decisions |
|
::descisions::decisions |
|
::desicions::decisions |
|
::desisions::decisions |
|
::decomissioned::decommissioned |
|
::decomposit::decompose |
|
::decomposited::decomposed |
|
::decomposits::decomposes |
|
::decompositing::decomposing |
|
::decress::decrees |
|
::deafult::default |
|
::defendent::defendant |
|
::defendents::defendants |
|
::defencive::defensive |
|
::deffensively::defensively |
|
::definance::defiance |
|
::deffine::define |
|
::deffined::defined |
|
::definining::defining |
|
::definate::definite |
|
::definit::definite |
|
::definately::definitely |
|
::definatly::definitely |
|
::definetly::definitely |
|
::definitly::definitely |
|
::definiton::definition |
|
::defintion::definition |
|
::degredation::degradation |
|
::degrate::degrade |
|
::dieties::deities |
|
::diety::deity |
|
::delagates::delegates |
|
::deliberatly::deliberately |
|
::delerious::delirious |
|
::delusionally::delusively |
|
::devels::delves |
|
::damenor::demeanor |
|
::demenor::demeanor |
|
::damenor::demeanour |
|
::damenour::demeanour |
|
::demenour::demeanour |
|
::demorcracy::democracy |
|
::demographical::demographic |
|
::demolision::demolition |
|
::demostration::demonstration |
|
::denegrating::denigrating |
|
::densly::densely |
|
::deparment::department |
|
::deptartment::department |
|
::dependance::dependence |
|
::dependancy::dependency |
|
::dependant::dependent |
|
::despict::depict |
|
::derivitive::derivative |
|
::deriviated::derived |
|
::dirived::derived |
|
::derogitory::derogatory |
|
::decendant::descendant |
|
::decendent::descendant |
|
::decendants::descendants |
|
::decendents::descendants |
|
::descendands::descendants |
|
::decribe::describe |
|
::discribe::describe |
|
::decribed::described |
|
::descibed::described |
|
::discribed::described |
|
::decribes::describes |
|
::descriibes::describes |
|
::discribes::describes |
|
::decribing::describing |
|
::discribing::describing |
|
::descriptoin::description |
|
::descripton::description |
|
::descripters::descriptors |
|
::dessicated::desiccated |
|
::disign::design |
|
::desgined::designed |
|
::dessigned::designed |
|
::desigining::designing |
|
::desireable::desirable |
|
::desktiop::desktop |
|
::dispair::despair |
|
::desparate::desperate |
|
::despiration::desperation |
|
::dispicable::despicable |
|
::dispite::despite |
|
::destablised::destabilised |
|
::destablized::destabilized |
|
::desinations::destinations |
|
::desitned::destined |
|
::destory::destroy |
|
::desctruction::destruction |
|
::distruction::destruction |
|
::distructive::destructive |
|
::detatched::detached |
|
::detailled::detailed |
|
::deatils::details |
|
::dectect::detect |
|
::deteriate::deteriorate |
|
::deteoriated::deteriorated |
|
::deterioriating::deteriorating |
|
::determinining::determining |
|
::detremental::detrimental |
|
::devasted::devastated |
|
::devestated::devastated |
|
::devestating::devastating |
|
::devistating::devastating |
|
::devellop::develop |
|
::devellops::develop |
|
::develloped::developed |
|
::developped::developed |
|
::develloper::developer |
|
::developor::developer |
|
::develeoprs::developers |
|
::devellopers::developers |
|
::developors::developers |
|
::develloping::developing |
|
::delevopment::development |
|
::devellopment::development |
|
::develpment::development |
|
::devolopement::development |
|
::devellopments::developments |
|
::divice::device |
|
::diablical::diabolical |
|
::diamons::diamonds |
|
::diarhea::diarrhoea |
|
::dichtomy::dichotomy |
|
::didnot::did not |
|
::didint::didn't |
|
::didnt::didn't |
|
::differance::difference |
|
::diferences::differences |
|
::differances::differences |
|
::difefrent::different |
|
::diferent::different |
|
::diferrent::different |
|
::differant::different |
|
::differemt::different |
|
::differnt::different |
|
::diffrent::different |
|
::differentiatiations::differentiations |
|
::diffcult::difficult |
|
::diffculties::difficulties |
|
::dificulties::difficulties |
|
::diffculty::difficulty |
|
::difficulity::difficulty |
|
::dificulty::difficulty |
|
::delapidated::dilapidated |
|
::dimention::dimension |
|
::dimentional::dimensional |
|
::dimesnional::dimensional |
|
::dimenions::dimensions |
|
::dimentions::dimensions |
|
::diminuitive::diminutive |
|
::diosese::diocese |
|
::diptheria::diphtheria |
|
::diphtong::diphthong |
|
::dipthong::diphthong |
|
::diphtongs::diphthongs |
|
::dipthongs::diphthongs |
|
::diplomancy::diplomacy |
|
::directiosn::direction |
|
::driectly::directly |
|
::directer::director |
|
::directers::directors |
|
::disagreeed::disagreed |
|
::dissagreement::disagreement |
|
::disapear::disappear |
|
::dissapear::disappear |
|
::dissappear::disappear |
|
::dissapearance::disappearance |
|
::disapeared::disappeared |
|
::disappearred::disappeared |
|
::dissapeared::disappeared |
|
::dissapearing::disappearing |
|
::dissapears::disappears |
|
::dissappears::disappears |
|
::dissappointed::disappointed |
|
::disapointing::disappointing |
|
::disaproval::disapproval |
|
::dissarray::disarray |
|
::diaster::disaster |
|
::disasterous::disastrous |
|
::disatrous::disastrous |
|
::diciplin::discipline |
|
::disiplined::disciplined |
|
::unconfortability::discomfort |
|
::diconnects::disconnects |
|
::discontentment::discontent |
|
::dicover::discover |
|
::disover::discover |
|
::dicovered::discovered |
|
::discoverd::discovered |
|
::dicovering::discovering |
|
::dicovers::discovers |
|
::dicovery::discovery |
|
::descuss::discuss |
|
::dicussed::discussed |
|
::desease::disease |
|
::disenchanged::disenchanted |
|
::desintegrated::disintegrated |
|
::desintegration::disintegration |
|
::disobediance::disobedience |
|
::dissobediance::disobedience |
|
::dissobedience::disobedience |
|
::disobediant::disobedient |
|
::dissobediant::disobedient |
|
::dissobedient::disobedient |
|
::desorder::disorder |
|
::desoriented::disoriented |
|
::disparingly::disparagingly |
|
::despatched::dispatched |
|
::dispell::dispel |
|
::dispeled::dispelled |
|
::dispeling::dispelling |
|
::dispells::dispels |
|
::dispence::dispense |
|
::dispenced::dispensed |
|
::dispencing::dispensing |
|
::diaplay::display |
|
::dispaly::display |
|
::unplease::displease |
|
::dispostion::disposition |
|
::disproportiate::disproportionate |
|
::disputandem::disputandum |
|
::disatisfaction::dissatisfaction |
|
::disatisfied::dissatisfied |
|
::disemination::dissemination |
|
::disolved::dissolved |
|
::dissonent::dissonant |
|
::disctinction::distinction |
|
::distiction::distinction |
|
::disctinctive::distinctive |
|
::distingish::distinguish |
|
::distingished::distinguished |
|
::distingquished::distinguished |
|
::distingishes::distinguishes |
|
::distingishing::distinguishing |
|
::ditributed::distributed |
|
::distribusion::distribution |
|
::distrubution::distribution |
|
::disricts::districts |
|
::devide::divide |
|
::devided::divided |
|
::divison::division |
|
::divisons::divisions |
|
::docrines::doctrines |
|
::doctines::doctrines |
|
::doccument::document |
|
::docuemnt::document |
|
::documetn::document |
|
::documnet::document |
|
::documenatry::documentary |
|
::doccumented::documented |
|
::doccuments::documents |
|
::docuement::documents |
|
::documnets::documents |
|
::doens::does |
|
::doese::does |
|
::doe snot::does not ; *could* be legitimate... but very unlikely! |
|
::doens't::doesn't |
|
::doesnt::doesn't |
|
::dosen't::doesn't |
|
::dosn't::doesn't |
|
::doign::doing |
|
::doimg::doing |
|
::doind::doing |
|
::donig::doing |
|
::dollers::dollars |
|
::dominent::dominant |
|
::dominiant::dominant |
|
::dominaton::domination |
|
::do'nt::don't |
|
::dont::don't |
|
::don't no::don't know |
|
::doulbe::double |
|
::dowloads::downloads |
|
::dramtic::dramatic |
|
::draughtman::draughtsman |
|
::dravadian::Dravidian |
|
::deram::dream |
|
::derams::dreams |
|
::dreasm::dreams |
|
::drnik::drink |
|
::driveing::driving |
|
::drummless::drumless |
|
::druming::drumming |
|
::drunkeness::drunkenness |
|
::dukeship::dukedom |
|
::dumbell::dumbbell |
|
::dupicate::duplicate |
|
::durig::during |
|
::durring::during |
|
::duting::during |
|
::dieing::dying |
|
::eahc::each |
|
::eachotehr::eachother |
|
::ealier::earlier |
|
::earlies::earliest |
|
::eearly::early |
|
::earnt::earned |
|
::ecclectic::eclectic |
|
::eclispe::eclipse |
|
::ecomonic::economic |
|
::eceonomy::economy |
|
::esctasy::ecstasy |
|
::eles::eels |
|
::effeciency::efficiency |
|
::efficency::efficiency |
|
::effecient::efficient |
|
::efficent::efficient |
|
::effeciently::efficiently |
|
::efficently::efficiently |
|
::effulence::effluence |
|
::efort::effort |
|
::eforts::efforts |
|
::aggregious::egregious |
|
::eight o::eight o |
|
::eigth::eighth |
|
::eiter::either |
|
::ellected::elected |
|
::electrial::electrical |
|
::electricly::electrically |
|
::electricty::electricity |
|
::eletricity::electricity |
|
::elementay::elementary |
|
::elimentary::elementary |
|
::elphant::elephant |
|
::elicided::elicited |
|
::eligable::eligible |
|
::eleminated::eliminated |
|
::eleminating::eliminating |
|
::alse::else |
|
::esle::else |
|
::eminate::emanate |
|
::eminated::emanated |
|
::embargos::embargoes |
|
::embarras::embarrass |
|
::embarrased::embarrassed |
|
::embarrasing::embarrassing |
|
::embarrasment::embarrassment |
|
::embezelled::embezzled |
|
::emblamatic::emblematic |
|
::emmigrated::emigrated |
|
::emmisaries::emissaries |
|
::emmisarries::emissaries |
|
::emmisarry::emissary |
|
::emmisary::emissary |
|
::emision::emission |
|
::emmision::emission |
|
::emmisions::emissions |
|
::emited::emitted |
|
::emmited::emitted |
|
::emmitted::emitted |
|
::emiting::emitting |
|
::emmiting::emitting |
|
::emmitting::emitting |
|
::emphsis::emphasis |
|
::emphaised::emphasised |
|
::emphysyma::emphysema |
|
::emperical::empirical |
|
::imploys::employs |
|
::enameld::enamelled |
|
::encouraing::encouraging |
|
::encryptiion::encryption |
|
::encylopedia::encyclopedia |
|
::endevors::endeavors |
|
::endevour::endeavour |
|
::endevours::endeavours |
|
::endig::ending |
|
::endolithes::endoliths |
|
::enforceing::enforcing |
|
::engagment::engagement |
|
::engeneer::engineer |
|
::engieneer::engineer |
|
::engeneering::engineering |
|
::engieneers::engineers |
|
::enlish::English |
|
::enchancement::enhancement |
|
::emnity::enmity |
|
::enourmous::enormous |
|
::enourmously::enormously |
|
::enought::enough |
|
::ensconsed::ensconced |
|
::entaglements::entanglements |
|
::intertaining::entertaining |
|
::enteratinment::entertainment |
|
::entitlied::entitled |
|
::entitity::entity |
|
::entrepeneur::entrepreneur |
|
::entrepeneurs::entrepreneurs |
|
::intrusted::entrusted |
|
::enviornment::environment |
|
::enviornmental::environmental |
|
::enviornmentalist::environmentalist |
|
::enviornmentally::environmentally |
|
::enviornments::environments |
|
::envrionments::environments |
|
::epsiode::episode |
|
::epidsodes::episodes |
|
::equitorial::equatorial |
|
::equilibium::equilibrium |
|
::equilibrum::equilibrium |
|
::equippment::equipment |
|
::equiped::equipped |
|
::equialent::equivalent |
|
::equivalant::equivalent |
|
::equivelant::equivalent |
|
::equivelent::equivalent |
|
::equivilant::equivalent |
|
::equivilent::equivalent |
|
::equivlalent::equivalent |
|
::eratic::erratic |
|
::eratically::erratically |
|
::eraticly::erratically |
|
::errupted::erupted |
|
::especally::especially |
|
::especialy::especially |
|
::especialyl::especially |
|
::espesially::especially |
|
::expecially::especially |
|
::expresso::espresso |
|
::essense::essence |
|
::esential::essential |
|
::essencial::essential |
|
::essentail::essential |
|
::essentual::essential |
|
::essesital::essential |
|
::essentialy::essentially |
|
::estabishes::establishes |
|
::establising::establishing |
|
::esitmated::estimated |
|
::ect::etc |
|
::ethnocentricm::ethnocentrism |
|
::europian::European |
|
::eurpean::European |
|
::eurpoean::European |
|
::europians::Europeans |
|
::evenhtually::eventually |
|
::eventally::eventually |
|
::eventially::eventually |
|
::eventualy::eventually |
|
::eveyr::every |
|
::everytime::every time |
|
::everthing::everything |
|
::evidentally::evidently |
|
::efel::evil |
|
::envolutionary::evolutionary |
|
::exerbate::exacerbate |
|
::exerbated::exacerbated |
|
::excact::exact |
|
::exagerate::exaggerate |
|
::exagerrate::exaggerate |
|
::exagerated::exaggerated |
|
::exagerrated::exaggerated |
|
::exagerates::exaggerates |
|
::exagerrates::exaggerates |
|
::exagerating::exaggerating |
|
::exagerrating::exaggerating |
|
::exhalted::exalted |
|
::examinated::examined |
|
::exemple::example |
|
::exmaple::example |
|
::excedded::exceeded |
|
::exeedingly::exceedingly |
|
::excell::excel |
|
::excellance::excellence |
|
::excelent::excellent |
|
::excellant::excellent |
|
::exelent::excellent |
|
::exellent::excellent |
|
::excells::excels |
|
::exept::except |
|
::exeptional::exceptional |
|
::exerpt::excerpt |
|
::exerpts::excerpts |
|
::excange::exchange |
|
::exchagne::exchange |
|
::exhcange::exchange |
|
::exchagnes::exchanges |
|
::exhcanges::exchanges |
|
::exchanching::exchanging |
|
::excitment::excitement |
|
::exicting::exciting |
|
::exludes::excludes |
|
::exculsivly::exclusively |
|
::excecute::execute |
|
::excecuted::executed |
|
::exectued::executed |
|
::excecutes::executes |
|
::excecuting::executing |
|
::excecution::execution |
|
::exection::execution |
|
::exampt::exempt |
|
::excercise::exercise |
|
::exersize::exercise |
|
::exerciese::exercises |
|
::execising::exercising |
|
::extered::exerted |
|
::exhibtion::exhibition |
|
::exibition::exhibition |
|
::exibitions::exhibitions |
|
::exliled::exiled |
|
::excisted::existed |
|
::existance::existence |
|
::existince::existence |
|
::existant::existent |
|
::exisiting::existing |
|
::exonorate::exonerate |
|
::exoskelaton::exoskeleton |
|
::exapansion::expansion |
|
::expeced::expected |
|
::expeditonary::expeditionary |
|
::expiditions::expeditions |
|
::expell::expel |
|
::expells::expels |
|
::experiance::experience |
|
::experienc::experience |
|
::expierence::experience |
|
::exprience::experience |
|
::experianced::experienced |
|
::exprienced::experienced |
|
::expeiments::experiments |
|
::expalin::explain |
|
::explaning::explaining |
|
::explaination::explanation |
|
::explictly::explicitly |
|
::explotation::exploitation |
|
::exploititive::exploitative |
|
::exressed::expressed |
|
::expropiated::expropriated |
|
::expropiation::expropriation |
|
::extention::extension |
|
::extentions::extensions |
|
::exerternal::external |
|
::exinct::extinct |
|
::extradiction::extradition |
|
::extrordinarily::extraordinarily |
|
::extrordinary::extraordinary |
|
::extravagent::extravagant |
|
::extemely::extremely |
|
::extrememly::extremely |
|
::extremly::extremely |
|
::extermist::extremist |
|
::extremeophile::extremophile |
|
::fascitious::facetious |
|
::facillitate::facilitate |
|
::facilites::facilities |
|
::farenheit::Fahrenheit |
|
::familair::familiar |
|
::familar::familiar |
|
::familliar::familiar |
|
::fammiliar::familiar |
|
::familes::families |
|
::fimilies::families |
|
::famoust::famous |
|
::fanatism::fanaticism |
|
::facia::fascia |
|
::fascitis::fasciitis |
|
::facinated::fascinated |
|
::facist::fascist |
|
::favoutrable::favourable |
|
::feasable::feasible |
|
::faeture::feature |
|
::faetures::features |
|
::febuary::February |
|
::fedreally::federally |
|
::efel::feel |
|
::fertily::fertility |
|
::fued::feud |
|
::fwe::few |
|
::ficticious::fictitious |
|
::fictious::fictitious |
|
::feild::field |
|
::feilds::fields |
|
::fiercly::fiercely |
|
::firey::fiery |
|
::fightings::fighting |
|
::filiament::filament |
|
::fiel::file |
|
::fiels::files |
|
::fianlly::finally |
|
::finaly::finally |
|
::finalyl::finally |
|
::finacial::financial |
|
::financialy::financially |
|
::fidn::find |
|
::fianite::finite |
|
::firts::first |
|
::fisionable::fissionable |
|
::ficed::fixed |
|
::flamable::flammable |
|
::flawess::flawless |
|
::flemmish::Flemish |
|
::glight::flight |
|
::fluorish::flourish |
|
::florescent::fluorescent |
|
::flourescent::fluorescent |
|
::flouride::fluoride |
|
::foucs::focus |
|
::focussed::focused |
|
::focusses::focuses |
|
::focussing::focusing |
|
::follwo::follow |
|
::follwoing::following |
|
::folowing::following |
|
::formalhaut::Fomalhaut |
|
::foootball::football |
|
::fora::for a |
|
::forthe::for the |
|
::forbad::forbade |
|
::forbiden::forbidden |
|
::forhead::forehead |
|
::foriegn::foreign |
|
::formost::foremost |
|
::forunner::forerunner |
|
::forsaw::foresaw |
|
::forseeable::foreseeable |
|
::fortelling::foretelling |
|
::foreward::foreword |
|
::forfiet::forfeit |
|
::formallise::formalise |
|
::formallised::formalised |
|
::formallize::formalize |
|
::formallized::formalized |
|
::formaly::formally |
|
::fomed::formed |
|
::fromed::formed |
|
::formelly::formerly |
|
::fourties::forties |
|
::fourty::forty |
|
::forwrd::forward |
|
::foward::forward |
|
::forwrds::forwards |
|
::fowards::forwards |
|
::faught::fought |
|
::fougth::fought |
|
::foudn::found |
|
::foundaries::foundries |
|
::foundary::foundry |
|
::fouth::fourth |
|
::fransiscan::Franciscan |
|
::fransiscans::Franciscans |
|
::frequentily::frequently |
|
::freind::friend |
|
::freindly::friendly |
|
::firends::friends |
|
::freinds::friends |
|
::frmo::from |
|
::frome::from |
|
::fromt he::from the |
|
::fromthe::from the |
|
::froniter::frontier |
|
::fufill::fulfill |
|
::fufilled::fulfilled |
|
::fulfiled::fulfilled |
|
::funtion::function |
|
::fundametal::fundamental |
|
::fundametals::fundamentals |
|
::furneral::funeral |
|
::funguses::fungi |
|
::firc::furc |
|
::furuther::further |
|
::futher::further |
|
::futhermore::furthermore |
|
::galatic::galactic |
|
::galations::Galatians |
|
::gallaxies::galaxies |
|
::galvinised::galvanised |
|
::galvinized::galvanized |
|
::gameboy::Game Boy |
|
::ganes::games |
|
::ghandi::Gandhi |
|
::ganster::gangster |
|
::garnison::garrison |
|
::guage::gauge |
|
::geneological::genealogical |
|
::geneologies::genealogies |
|
::geneology::genealogy |
|
::gemeral::general |
|
::generaly::generally |
|
::generatting::generating |
|
::genialia::genitalia |
|
::gentlemens::gentlemen's |
|
::geographicial::geographical |
|
::geometrician::geometer |
|
::geometricians::geometers |
|
::geting::getting |
|
::gettin::getting |
|
::guilia::Giulia |
|
::guiliani::Giuliani |
|
::guilio::Giulio |
|
::guiseppe::Giuseppe |
|
::gievn::given |
|
::giveing::giving |
|
::glace::glance |
|
::gloabl::global |
|
::gnawwed::gnawed |
|
::godess::goddess |
|
::godesses::goddesses |
|
::godounov::Godunov |
|
::goign::going |
|
::gonig::going |
|
::oging::going |
|
::giid::good |
|
::gothenberg::Gothenburg |
|
::gottleib::Gottlieb |
|
::goverance::governance |
|
::govement::government |
|
::govenment::government |
|
::govenrment::government |
|
::goverment::government |
|
::governmnet::government |
|
::govorment::government |
|
::govornment::government |
|
::govermental::governmental |
|
::govormental::governmental |
|
::gouvener::governor |
|
::governer::governor |
|
::gracefull::graceful |
|
::graffitti::graffiti |
|
::grafitti::graffiti |
|
::grammer::grammar |
|
::gramatically::grammatically |
|
::grammaticaly::grammatically |
|
::greatful::grateful |
|
::greatfully::gratefully |
|
::gratuitious::gratuitous |
|
::gerat::great |
|
::graet::great |
|
::grat::great |
|
::gridles::griddles |
|
::greif::grief |
|
::gropu::group |
|
::gruop::group |
|
::gruops::groups |
|
::grwo::grow |
|
::guadulupe::Guadalupe |
|
::gunanine::guanine |
|
::gauarana::guarana |
|
::gaurantee::guarantee |
|
::gaurentee::guarantee |
|
::guarentee::guarantee |
|
::gurantee::guarantee |
|
::gauranteed::guaranteed |
|
::gaurenteed::guaranteed |
|
::guarenteed::guaranteed |
|
::guranteed::guaranteed |
|
::gaurantees::guarantees |
|
::gaurentees::guarantees |
|
::guarentees::guarantees |
|
::gurantees::guarantees |
|
::gaurd::guard |
|
::guatamala::Guatemala |
|
::guatamalan::Guatemalan |
|
::guidence::guidance |
|
::guiness::Guinness |
|
::guttaral::guttural |
|
::gutteral::guttural |
|
::gusy::guys |
|
::habaeus::habeas |
|
::habeus::habeas |
|
::habsbourg::Habsburg |
|
:c:hda::had |
|
::hadbeen::had been |
|
::haemorrage::haemorrhage |
|
::hallowean::Halloween |
|
::ahppen::happen |
|
::hapen::happen |
|
::hapened::happened |
|
::happend::happened |
|
::happended::happened |
|
::happenned::happened |
|
::hapening::happening |
|
::hapens::happens |
|
::harras::harass |
|
::harased::harassed |
|
::harrased::harassed |
|
::harrassed::harassed |
|
::harrasses::harassed |
|
::harases::harasses |
|
::harrases::harasses |
|
::harrasing::harassing |
|
::harrassing::harassing |
|
::harassement::harassment |
|
::harrasment::harassment |
|
::harrassment::harassment |
|
::harrasments::harassments |
|
::harrassments::harassments |
|
::hace::hare |
|
::hsa::has |
|
::hasbeen::has been |
|
::hasnt::hasn't |
|
::ahev::have |
|
::ahve::have |
|
::haev::have |
|
::hvae::have |
|
::havebeen::have been |
|
::haveing::having |
|
::hvaing::having |
|
::hge::he |
|
::hesaid::he said |
|
::hewas::he was |
|
::headquater::headquarter |
|
::headquatered::headquartered |
|
::headquaters::headquarters |
|
::healthercare::healthcare |
|
::heathy::healthy |
|
::heared::heard |
|
::hearign::hearing |
|
::herat::heart |
|
::haviest::heaviest |
|
::heidelburg::Heidelberg |
|
::hieght::height |
|
::hier::heir |
|
::heirarchy::heirarchy |
|
::helment::helmet |
|
::halp::help |
|
::hlep::help |
|
::helpped::helped |
|
::helpfull::helpful |
|
::hemmorhage::hemorrhage |
|
::ehr::her |
|
::ehre::here |
|
::here;s::here's |
|
::heridity::heredity |
|
::heroe::hero |
|
::heros::heroes |
|
::hertzs::hertz |
|
::hesistant::hesitant |
|
::heterogenous::heterogeneous |
|
::heirarchical::hierarchical |
|
::hierachical::hierarchical |
|
::hierarcical::hierarchical |
|
::heirarchies::hierarchies |
|
::hierachies::hierarchies |
|
::heirarchy::hierarchy |
|
::hierachy::hierarchy |
|
::hierarcy::hierarchy |
|
::hieroglph::hieroglyph |
|
::heiroglyphics::hieroglyphics |
|
::hieroglphs::hieroglyphs |
|
::heigher::higher |
|
::higer::higher |
|
::higest::highest |
|
::higway::highway |
|
::hillarious::hilarious |
|
::himselv::himself |
|
::hismelf::himself |
|
::hinderance::hindrance |
|
::hinderence::hindrance |
|
::hindrence::hindrance |
|
::hipopotamus::hippopotamus |
|
::hersuit::hirsute |
|
::hsi::his |
|
::ihs::his |
|
::historicians::historians |
|
::hsitorians::historians |
|
::hstory::history |
|
::hitsingles::hit singles |
|
::hosited::hoisted |
|
::holliday::holiday |
|
::homestate::home state |
|
::homogeneize::homogenize |
|
::homogeneized::homogenized |
|
::honourarium::honorarium |
|
::honory::honorary |
|
::honourific::honorific |
|
::hounour::honour |
|
::horrifing::horrifying |
|
::hospitible::hospitable |
|
::housr::hours |
|
::howver::however |
|
::huminoid::humanoid |
|
::humoural::humoral |
|
::humer::humour |
|
::humerous::humourous |
|
::humurous::humourous |
|
::husban::husband |
|
::hydogen::hydrogen |
|
::hydropile::hydrophile |
|
::hydropilic::hydrophilic |
|
::hydropobe::hydrophobe |
|
::hydropobic::hydrophobic |
|
::hygeine::hygiene |
|
::hypocracy::hypocrisy |
|
::hypocrasy::hypocrisy |
|
::hypocricy::hypocrisy |
|
::hypocrit::hypocrite |
|
::hypocrits::hypocrites |
|
::i;d::I'd |
|
::i"m::I'm |
|
::iconclastic::iconoclastic |
|
::idae::idea |
|
::idaeidae::idea |
|
::idaes::ideas |
|
::identicial::identical |
|
::identifers::identifiers |
|
::identofy::identify |
|
::idealogies::ideologies |
|
::idealogy::ideology |
|
::idiosyncracy::idiosyncrasy |
|
::ideosyncratic::idiosyncratic |
|
::ignorence::ignorance |
|
::illiegal::illegal |
|
::illegimacy::illegitimacy |
|
::illegitmate::illegitimate |
|
::illess::illness |
|
::ilness::illness |
|
::ilogical::illogical |
|
::ilumination::illumination |
|
::illution::illusion |
|
::imagenary::imaginary |
|
::imagin::imagine |
|
::inbalance::imbalance |
|
::inbalanced::imbalanced |
|
::imediate::immediate |
|
::emmediately::immediately |
|
::imediately::immediately |
|
::imediatly::immediately |
|
::immediatley::immediately |
|
::immediatly::immediately |
|
::immidately::immediately |
|
::immidiately::immediately |
|
::imense::immense |
|
::inmigrant::immigrant |
|
::inmigrants::immigrants |
|
::imanent::imminent |
|
::immunosupressant::immunosuppressant |
|
::inpeach::impeach |
|
::impecabbly::impeccably |
|
::impedence::impedance |
|
::implamenting::implementing |
|
::inpolite::impolite |
|
::importamt::important |
|
::importent::important |
|
::importnat::important |
|
::impossable::impossible |
|
::emprisoned::imprisoned |
|
::imprioned::imprisoned |
|
::imprisonned::imprisoned |
|
::inprisonment::imprisonment |
|
::improvemnt::improvement |
|
::improvment::improvement |
|
::improvments::improvements |
|
::inproving::improving |
|
::improvision::improvisation |
|
::int he::in the |
|
::inteh::in the |
|
::inthe::in the |
|
::inwhich::in which |
|
::inablility::inability |
|
::inaccessable::inaccessible |
|
::inadiquate::inadequate |
|
::inadquate::inadequate |
|
::inadvertant::inadvertent |
|
::inadvertantly::inadvertently |
|
::inappropiate::inappropriate |
|
::inagurated::inaugurated |
|
::inaugures::inaugurates |
|
::inaguration::inauguration |
|
::incarcirated::incarcerated |
|
::incidentially::incidentally |
|
::incidently::incidentally |
|
::includ::include |
|
::includng::including |
|
::incuding::including |
|
::incomptable::incompatible |
|
::incompetance::incompetence |
|
::incompetant::incompetent |
|
::incomptetent::incompetent |
|
::imcomplete::incomplete |
|
::inconsistant::inconsistent |
|
::incorportaed::incorporated |
|
::incorprates::incorporates |
|
::incorperation::incorporation |
|
::incorruptable::incorruptible |
|
::inclreased::increased |
|
::increadible::incredible |
|
::incredable::incredible |
|
::incramentally::incrementally |
|
::incunabla::incunabula |
|
::indefinately::indefinitely |
|
::indefinitly::indefinitely |
|
::indepedence::independence |
|
::independance::independence |
|
::independece::independence |
|
::indipendence::independence |
|
::indepedent::independent |
|
::independant::independent |
|
::independendet::independent |
|
::indipendent::independent |
|
::indpendent::independent |
|
::indepedantly::independently |
|
::independantly::independently |
|
::indipendently::independently |
|
::indpendently::independently |
|
::indecate::indicate |
|
::indite::indict |
|
::indictement::indictment |
|
::indigineous::indigenous |
|
::indispensible::indispensable |
|
::individualy::individually |
|
::indviduals::individuals |
|
::enduce::induce |
|
::indulgue::indulge |
|
::indutrial::industrial |
|
::inudstry::industry |
|
::inefficienty::inefficiently |
|
::unequalities::inequalities |
|
::inevatible::inevitable |
|
::inevitible::inevitable |
|
::inevititably::inevitably |
|
::infalability::infallibility |
|
::infallable::infallible |
|
::infrantryman::infantryman |
|
::infectuous::infectious |
|
::infered::inferred |
|
::infilitrate::infiltrate |
|
::infilitrated::infiltrated |
|
::infilitration::infiltration |
|
::infinit::infinite |
|
::infinitly::infinitely |
|
::enflamed::inflamed |
|
::inflamation::inflammation |
|
::influance::influence |
|
::influented::influenced |
|
::influencial::influential |
|
::infomation::information |
|
::informatoin::information |
|
::informtion::information |
|
::infrigement::infringement |
|
::ingenius::ingenious |
|
::ingreediants::ingredients |
|
::inhabitans::inhabitants |
|
::inherantly::inherently |
|
::inheritence::inheritance |
|
::inital::initial |
|
::intial::initial |
|
::ititial::initial |
|
::initally::initially |
|
::intially::initially |
|
::initation::initiation |
|
::initiaitive::initiative |
|
::inate::innate |
|
::inocence::innocence |
|
::inumerable::innumerable |
|
::innoculate::inoculate |
|
::innoculated::inoculated |
|
::insectiverous::insectivorous |
|
::insensative::insensitive |
|
::inseperable::inseparable |
|
::insistance::insistence |
|
::instaleld::installed |
|
::instatance::instance |
|
::instade::instead |
|
::insted::instead |
|
::institue::institute |
|
::instutionalized::institutionalized |
|
::instuction::instruction |
|
::instuments::instruments |
|
::insufficent::insufficient |
|
::insufficently::insufficiently |
|
::insurence::insurance |
|
::intergrated::integrated |
|
::intergration::integration |
|
::intelectual::intellectual |
|
::inteligence::intelligence |
|
::inteligent::intelligent |
|
::interchangable::interchangeable |
|
::interchangably::interchangeably |
|
::intercontinetal::intercontinental |
|
::intrest::interest |
|
::itnerest::interest |
|
::itnerested::interested |
|
::itneresting::interesting |
|
::itnerests::interests |
|
::interferance::interference |
|
::interfereing::interfering |
|
::interm::interim |
|
::interrim::interim |
|
::interum::interim |
|
::intenational::international |
|
::interational::international |
|
::internation::international |
|
::interpet::interpret |
|
::intepretation::interpretation |
|
::intepretator::interpretor |
|
::interrugum::interregnum |
|
::interelated::interrelated |
|
::interupt::interrupt |
|
::intevene::intervene |
|
::intervines::intervenes |
|
::inot::into |
|
::inctroduce::introduce |
|
::inctroduced::introduced |
|
::intrduced::introduced |
|
::introdued::introduced |
|
::intruduced::introduced |
|
::itnroduced::introduced |
|
::instutions::intuitions |
|
::intutive::intuitive |
|
::intutively::intuitively |
|
::inventer::inventor |
|
::invertibrates::invertebrates |
|
::investingate::investigate |
|
::involvment::involvement |
|
::ironicly::ironically |
|
::irelevent::irrelevant |
|
::irrelevent::irrelevant |