Skip to content

Instantly share code, notes, and snippets.

@KennethScott
Last active July 14, 2023 23:35
Show Gist options
  • Save KennethScott/3f295c3687d69a562e92472f36666a7f to your computer and use it in GitHub Desktop.
Save KennethScott/3f295c3687d69a562e92472f36666a7f to your computer and use it in GitHub Desktop.
AutoCorrect
; AutoCorrect
;------------------------------------------------------------------------------
; CHANGELOG:
;
; 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+H. 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
;------------------------------------------------------------------------------
; 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+H to enter misspelling correction. It will be added to this script.
;------------------------------------------------------------------------------
#h::
; 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 Off ; Retain any leading and trailing whitespace on the clipboard.
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.
Reload
Sleep 200 ; 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.
::align::
::antiforeign::
::arraign::
::assign::
::benign::
::campaign::
::champaign::
::codesign::
::coign::
::condign::
::consign::
::coreign::
::cosign::
::countercampaign::
::countersign::
::deign::
::deraign::
::design::
::eloign::
::ensign::
::feign::
::foreign::
::indign::
::malign::
::misalign::
::outdesign::
::overdesign::
::preassign::
::realign::
::reassign::
::redesign::
::reign::
::resign::
::sign::
::sovereign::
::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
:?: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-
::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
::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 Doubled Words
;------------------------------------------------------------------------------
::a a::a
::about about::about
::above above::above
::across across::across
::after after::after
::against against::against
::along along::along
::also also::also
::an an::an
::and and::and
::any any::any
::are are::are
::around around::around
::at at::at
::back back::back
::be be::be
::because because::because
::been been::been
::before before::before
::behind behind::behind
::being being::being
::below below::below
::between between::between
::both both::both
::but but::but
::by by::by
::could could::could
::during during::during
::each each::each
::every every::every
::first first::first
::for for::for
::from from::from
::has has::has
::have have::have
::having having::having
::he he::he
::her her::her
::his his::his
::if if::if
::in in::in
::included included::included
::including including::including
::into into::into
::is is::is
::it it::it
::its its::its
::last last::last
::most most::most
::of of::of
::on on::on
::only only::only
::or or::or
::over over::over
::played played::played
::she she::she
::should should::should
::since since::since
::some some::some
::still still::still
::such such::such
::than than::than
::the the::the
::their their::their
::them them::them
::then then::then
::there there::there
::these these::these
::they they::they
::this this::this
::those those::those
::through through::through
::to to::to
::under under::under
::until until::until
::up to up to::up to
::was was::was
::we we::we
::were were::were
::when when::when
::where where::where
::whether whether::whether
::which which::which
::while while::while
::who who::who
::whom whom::whom
::whose whose::whose
::will will::will
::with with::with
::would would::would
;------------------------------------------------------------------------------
; Common Misspellings with Grammar
;------------------------------------------------------------------------------
::a 1000::1000
::a 80::an 80
::a action::an action
::a African::an African
::a album::an album
::a Algerian::an Algerian
::a alien::an alien
::a American::an American
::a Angolan::an Angolan
::a annual::an annual
::a another::another
::a antenna::an antenna
::a Arabian::an Arabian
::a Arabic::an Arabic
::a Argentine::an Argentine
::a Armenian::an Armenian
::a Asian::an Asian
::a associate::an associate
::a Australian::an Australian
::a Austrian::an Austrian
::a average::an average
::a back up::a back-up
::a bacteria::a bacterium
::a batsmen::a batsman
::a businessmen::a businessman
::a businesswomen::a businesswoman
::a consortia::a consortium
::a criteria::a criterion
::a dominate::a dominant
::a Egyptian::an Egyptian
::a English::an English
::a Ethiopian::an Ethiopian
::a falling out::a falling-out
::a firemen::a fireman
::a flagella::a flagellum
::a freshmen::a freshman
::a fungi::a fungus
::a gunmen::a gunman
::a Indian::an Indian
::a Indonesian::an Indonesian
::a indoor::an indoor
::a information::an information
::a introduction::an introduction
::a Iranian::an Iranian
::a Iraqi::an Iraqi
::a Irish::an Irish
::a Israeli::an Israeli
::a Italian::an Italian
::a larvae::a larva
::a line up::a lineup
::a lock out::a lockout
::a lose::a loss
::a match up::a matchup
::a media for::a medium for
::a nuclei::a nucleus
::a old::an old
::a organization::an organization
::a original::an original
::a outdoor::an outdoor
::a paparazzi::a paparazzo
::a parentheses::a parenthesis
::a phenomena::a phenomenon
::a protozoa::a protozoon
::a pupae::a pupa
::a radii::a radius
::a run in::a run-in
::a set back::a setback
::a set up::a setup
::a spermatozoa::a spermatozoon
::a statesmen::a statesman
::a taxa::a taxon
::a toss up::a tossup
::a vertebrae::a vertebra
::a women::a woman
::a work out::a workout
::about it's::about its
::about they're::about their
::about who to::about whom to
::about who's::about whose
::above it's::above its
::across it's::across its
::after along time::after a long time
::after awhile::after a while
::after been::after being
::after it's::after its
::after quite awhile::after quite a while
::against it's::against its
::Air Canada Center::Air Canada Centre
::airplane hanger::airplane hangar
::all for not::all for naught
::all it's::all its
::all though::although
::all tolled::all told
::allot of::a lot of
::alma matter::alma mater
::along it's::along its
::along side::alongside
::along time::a long time
::alongside it's::alongside its
::also know as::also known as
::also know by::also known by
::also know for::also known for
::alter boy::altar boy
::am loathe to::am loath to
::among it's::among its
::an affect::an effect
::an alumnae of::an alumna of
::an alumni of::an alumnus of
::an another::another
::an antennae::an antenna
::an hero::a hero
::an other::another
::and etc::etc
::and so fourth::and so forth
::another criteria::another criterion
::another wise::an otherwise
::another words::in other words
::any where::anywhere
::apart form::apart from
::apart of::a part of
::are aloud to::are allowed to
::are been::are being
::are build::are built
::are know as::are known as
::are know to::are known to
::are lain::are laid
::are lead by::are led by
::are loathe to::are loath to
::are ran by::are run by
::are renown::are renowned
::are setup::are set up
::are shutdown::are shut down
::are shutout::are shut out
::are suppose to::are supposed to
::are were::are where
::around it's::around its
::as a resulted::as a result
::as apposed to::as opposed to
::as back up::as backup
::as been::has been
::as followed::as follows
::as oppose to::as opposed to
::assume the reigns::assume the reins
::assume the roll::assume the role
::at it's::at its
::at the alter::at the altar
::at the reigns::at the reins
::away form::away from
::back and fourth::back and forth
::back fire::backfire
::back in forth::back and forth
::baited breath::bated breath
::baled out::bailed out
::baling out::bailing out
::barb wire::barbed wire
::bare in mind::bear in mind
::based off::based on
::be cause::because
::be know as::be known as
::be loathe to::be loath to
::be rode::be ridden
::be ware::beware
::became know::became known
::because of it's::because of its
::been build::been built
::been setup::been set up
::before hand::beforehand
::behind it's::behind its
::better know as::better known as
::better know for::better known for
::better that::better than
::better then::better than
::between he and::between him and
::between I and::between me and
::between she and::between her and
::between they and::between them and
::Bogota, Columbia::Bogotá, Colombia
::both of them is::both of them are
::breath fire::breathe fire
::brew haha::brouhaha
::can backup::can back up
::can blackout::can black out
::can breath::can breathe
::can setup::can set up
::can workout::can work out
::card shark::card sharp
::chalk full::chock-full
::chocked full::chock-full
::chomping at the bit::champing at the bit
::close proximity::closeness
::commonly know as::commonly known as
::commonly know for::commonly known for
::comprise of::comprise
::comprised almost entirely of::composed almost entirely of
::comprised chiefly of::composed chiefly of
::comprised entirely of::composed entirely of
::comprised exclusively of::composed exclusively of
::comprised generally of::composed generally of
::comprised largely of::composed largely of
::comprised mainly of::composed mainly of
::comprised mostly of::composed mostly of
::comprised of::composed of
::comprised only of::composed only of
::comprised primarily of::composed primarily of
::comprised principally of::composed principally of
::comprised wholly of::composed wholly of
::comprises of::comprises
::comprises mostly of::comprises mostly
::comprising of::comprising
::constellation prize::consolation prize
::constitutes of::consists of
::construction sight::construction site
::contains of::contains
::could backup::could back up
::could breath::could breathe
::could care less::couldn't care less
::could of::could have
::couldn't breath::couldn't breathe
::daily regiment::daily regimen
::DC current::direct current
::de factor::de facto
::different tact::different tack
::diffuse the situation::defuse the situation
::diffuse the tension::defuse the tension
::disc break::disc brake
::dominate player::dominant player
::dominate role::dominant role}
::door jam::door jamb
::down side::downside
::drum breaks::drum brakes
::due to the fact::because
::during in::during
::during it's::during its
::during they're::during their
::each alumni::each alumnus
::each are::each is
::each criteria::each criterion
::each has their::each has its
::each phenomena::each phenomenon
::each vertebrae::each vertebra
::easier then::easier than
::egg yoke::egg yolk
::either criteria::either criterion
::either phenomena::either phenomenon
::electrical current::electric current
::eluded to::alluded to
::en mass::en masse
::even thought::even though
::even tough::even though
::eye brow::eyebrow
::eye lash::eyelash
::eye lid::eyelid
::eye sight::eyesight
::eye sore::eyesore
::faired as well::fared as well
::faired badly::fared badly
::faired better::fared better
::faired far::fared far
::faired less::fared less
::faired little::fared little
::faired much::fared much
::faired no better::fared no better
::faired poorly::fared poorly
::faired quite::fared quite
::faired rather::fared rather
::faired slightly::fared slightly
::faired somewhat::fared somewhat
::faired well::fared well
::faired worse::fared worse
::farther then::farther than
::faster then::faster than
::figure head::figurehead
::First Word War::First World War
::flag ship::flagship
::flow of current::flow of charge
::flow of electric current::flow of electric charge
::for all intensive purposes::for all intents and purposes
::for along time::for a long time
::for awhile::for a while
::for it's::for its
::for quite awhile::for quite a while
::forgone conclusion::foregone conclusion
::formerly know as::formerly known as
::forth place::fourth place
::free reign::free rein
::freshman are::freshmen are
::full compliment of::full complement of
::got ran::got run
::got setup::got set up
::got shutdown::got shut down
::got shutout::got shut out
::ground work::groundwork
::guest stared::guest-starred
::had arose::had arisen
::had became::had become
::had began::had begun
::had being::had been
::had bore::had borne
::had broke::had broken
::had came::had come
::had chose::had chosen
::had comeback::had come back
::had did::had done
::had drew::had drawn
::had drove::had driven
::had fell::had fallen
::had flew::had flown
::had forbad::had forbidden
::had forbade::had forbidden
::had gave::had given
::had grew::had grown
::had it's::had its
::had lead to::had led to
::had overtook::had overtaken
::had plead::had pled
::had ran::had run
::had rang::had rung
::had rode::had ridden
::had rose::had risen
::had saw::had seen
::had set-up::had set up
::had setup::had set up
::had shook::had shaken
::had spoke::had spoken
::had threw::had thrown
::had took::had taken
::had undertook::had undertaken
::had underwent::had undergone
::had went::had gone
::had wrote::had written
::hand the reigns::hand the reins
::has arose::has arisen
::has became::has become
::has began::has begun
::has build::has built
::has it's::has its
::has lead to::has led to
::has ran::has run
::has setup::has set up
::has shook::has shaken
::has spoke::has spoken
::has threw::has thrown
::has took::has taken
::has undertook::has undertaken
::has underwent::has undergone
::has was::he was
::has went::has gone
::has wrote::has written
::have it's::have its
::have lead to::have led to
::have ran::have run
::have setup::have set up
::have took::have taken
::have underwent::have undergone
::have went::have gone
::having being::having been
::having ran::having run
::having setup::having set up
::having took::having taken
::having went::having gone
::hay day::heyday
::he begun::he began
::he garnished::he garnered
::he let's::he lets
::he plead::he pled
::he seen::he saw
::head gear::headgear
::head quarters::headquarters
::head stone::headstone
::head wear::headwear
::held the reigns::held the reins
::help and make::help to make
::help setup::help set up
::higher then::higher than
::hit the breaks::hit the brakes
::"hold onto"::hold on to
::hold the reigns::hold the reins
::holding the reigns::holding the reins
::holds the reigns::holds the reins
::hone in on::home in on
::how ever::however
::imminent domain::eminent domain
::in affect::in effect
::in along time::in a long time
::in anyway::in any way
::in awhile::in a while
::in close proximity to::in proximity to
::in edition to::in addition to
::in it's::in its
::in January 1::on January 1
::in masse::en masse
::in parenthesis::in parentheses
::in placed::in place
::in principal::in principle
::in quite awhile::in quite a while
::in stead of::instead of
::in tact::intact
::in the long-term::in the long term
::in the short-term::in the short term
::in titled::entitled
::in vein::in vain
::incase of::in case of
::inorder to::in order to
::into affect::into effect
::is also know::is also known
::is be::is to be
::is been::is being
::is comprised from::comprises
::is comprised with::comprises
::is contained of::contains
::is front of::in front of
::is has::it has
::is know::is known
::is lead by::is led by
::is loathe to::is loath to
::is ran by::is run by
::is renown for::is renowned for
::is setup::is set up
::it begun::it began
::it comprises of::it comprises
::it lead to::it led to
::it lied::it lay
::it self::itself
::it setup::it set up
::it's 10th::its 10th
::it's 4th::its 4th
::it's 5th::its 5th
::it's advantage::its advantage
::it's aim::its aim
::it's annual::its annual
::it's best::its best
::it's class::its class
::it's color::its color
::it's colour::its colour
::it's contents::its contents
::it's course::its course
::it's current::its current
::it's debut::its debut
::it's doors::its doors
::it's eastern::its eastern
::it's end::its end
::it's entire::its entire
::it's final::its final
::it's first::its first
::it's former::its former
::it's fourth::its fourth
::it's goal::its goal
::it's highest::its highest
::it's history::its history
::it's home::its home
::it's inception::its inception
::it's initial::its initial
::it's junction::its junction
::it's kind::its kind
::it's lack::its lack
::it's last::its last
::it's latest::its latest
::it's lead::its lead
::it's leader::its leader
::it's length::its length
::it's lowest::its lowest
::it's maximum::its maximum
::it's minimum::its minimum
::it's money::its money
::it's name::its name
::it's north::its north
::it's northern::its northern
::it's original::its original
::it's own::its own
::it's peak::its peak
::it's period::its period
::it's previous::its previous
::it's price::its price
::it's primary::its primary
::it's prime::its prime
::it's purpose::its purpose
::it's release::its release
::it's rival::its rival
::it's second::its second
::it's south::its south
::it's southern::its southern
::it's successor::its successor
::it's tail::its tail
::it's target::its target
::it's tenth::its tenth
::it's theme::its theme
::it's third::its third
::it's timeslot::its timeslot
::it's toll::its toll
::it's total::its total
::it's type::its type
::it's way::its way
::it's western::its western
::it's worst::its worst
::its is::it is
::Jimmy Buffet::Jimmy Buffett
::Jimmy Hendrix::Jimi Hendrix
::jive with::jibe with
::key note::keynote
::laid ahead::lay ahead
::laid dormant::lay dormant
::laid empty::lay empty
::laid fallow::lay fallow
::laid in state::lay in state
::larger that::larger than
::larger then::larger than
::laughing stock::laughingstock
::law suite::lawsuit
::lay around::lie around
::lay low::lie low
::laying around::lying around
::laying awake::lying awake
::laying low::lying low
::lays atop::lies atop
::lays beside::lies beside
::lays low::lies low
::lays near::lies near
::lays on::lies on
::lead by::led by
::lead roll::lead role
::leading roll::leading role
::less dominate::less dominant
::less that::less than
::less then::less than
::lesser then::less than
::life time::lifetime
::lighter then::lighter than
::lions share::lion's share
::loose to::lose to
::loosing effort::losing effort
::loosing record::losing record
::loosing season::losing season
::loosing streak::losing streak
::loosing team::losing team
::loosing the::losing the
::loosing to::losing to
::lot's of::lots of
::lower that::lower than
::lower then::lower than
::mainly know for::mainly known for
::major roll::major role
::managerial reigns::managerial reins
::mash potatoes::mashed potatoes
::mean while::meanwhile
::might of::might have
::minor roll::minor role
::more dominate::more dominant
::more optimal::better
::more that::more than
::more then::more than
::most dominate::most dominant
::most optimal::optimal
::most populace::most populous
::mostly know as::mostly known as
::mostly know for::mostly known for
::must of::must have
::mute point::moot point
::nation wide::nationwide
::near by::nearby
::neither criteria::neither criterion
::neither phenomena::neither phenomenon
::Netherland Antilles::Netherlands Antilles
::new comer::newcomer
::next store::next-door
::no where to::nowhere to
::note worthy::noteworthy
::now a days::nowadays
::of been::have been
::of it's own::of its own
::of who to::of whom to
::oil barron::oil baron
::on going::ongoing
::on it's own::on its own
::on-going::ongoing
::one in the same::one and the same
::one criteria::one criterion
::one phenomena::one phenomenon
::originally born in::born in
::originally know as::originally known as
::other then::other than
::out grow::outgrow
::out of sink::out of sync
::out side::outside
::over a 100::over 100
::over a 1000::over 1000
::over hear::overhear
::over heard::overheard
::over look::overlook
::over looked::overlooked
::over looking::overlooking
::over rated::overrated
::over seas::overseas
::over see::oversee
::over who to::over whom to
::parent's house::parents' house
::past away::passed away
::past down::passed down
::peak his interest::pique his interest
::per say::per se
::Phillips Arena::Philips Arena
::player's union::players' union
::playoff birth::playoff berth
::Portland Trailblazers::Portland Trail Blazers
::premier episode::premiere episode
::principle action::principal action
::principle activity::principal activity
::principle actor::principal actor
::principle advantage::principal advantage
::principle advocate::principal advocate
::principle agent::principal agent
::principle aim::principal aim
::principle area::principal area
::principle artist::principal artist
::principle assistant::principal assistant
::principle attraction::principal attraction
::principle author::principal author
::principle branch::principal branch
::principle cast::principal cast
::principle caste::principal caste
::principle cause::principal cause
::principle character::principal character
::principle church::principal church
::principle city::principal city
::principle component::principal component
::principle composer::principal composer
::principle goal::principal goal
::principle group::principal group
::principle method::principal method
::principle office::principal office
::principle officer::principal officer
::principle owner::principal owner
::principle photography::principal photography
::principle source::principal source
::principle student::principal student
::principle town::principal town
::put fourth::put forth
::rather then::rather than
::reek havoc::wreak havoc
::reign in::rein in
::"reigned in"::reined in
::reigns of power::reins of power
::reticence to::reluctance to
::reticent to::reluctant to
::role call::roll call
::roll player::role player
::runner up::runner-up
::saddle up to::sidle up to
::Second Word War::Second World War
::set backs::setbacks
::she let's::she lets
::she seen::she saw
::short coming::shortcoming
::short cut::shortcut
::shorter then::shorter than
::should been::should have been
::should of::should've
::side affect::side effect
::side kick::sidekick
::simply know as::simply known as
::single handily::single-handedly
::site lines::sight lines
::sky diving::skydiving
::slight of hand::sleight of hand
::slue of::slew of
::smaller then::smaller than
::smarter then::smarter than
::sneak peak::sneak peek
::some how::somehow
::some one::someone
::some what::somewhat
::some where::somewhere
::sometimes know as::sometimes known as
::sooner then::sooner than
::sophomore album::second album
::spilt into::split into
::spilt up::split up
::spinal chord::spinal cord
::squared feet::square feet
::squared meters::square meters
::squared miles::square miles
::St. Paul, Minnesota::Saint Paul, Minnesota
::stale mate::stalemate
::staring role::starring role
::starring roll::starring role
::Stevie Ray Vaughn::Stevie Ray Vaughan
::Straight of::Strait of
::stronger then::stronger than
::suppose to::supposed to
::take affect::take effect
::take over the reigns::take over the reins
::take the reigns::take the reins
::taken the reigns::taken the reins
::taking the reigns::taking the reins
::teacher's union::teachers' union
::ten times less than::one tenth as much as
::than it's::than its
::that maybe::that may be
::the are::they are
::the break down::the breakdown
::the break up::the breakup
::the clamp down::the clampdown
::the had::they had
::the one of the::one of the
::the were::they were
::their are::there are
::their had::there had
::their has::there has
::their have::there have
::their is::there is
::their was::there was
::their were::there were
::their would::there would
::them selves::themselves
::there by::thereby
::there maybe::there may be
::there of::thereof
::there own::their own
::there where::there were
::these maybe::these may be
::these where::these were
::they garnished::they garnered
::they maybe::they may be
::they way::the way
::they where::they were
::this criteria::this criterion
::this lead to::this led to
::this maybe::this may be
::this phenomena::this phenomenon
::those maybe::those may be
::through it's::through its
::through out::throughout
::through the ringer::through the wringer
::throughout it's::throughout its
::time outs::timeouts
::to back fire::to backfire
::to backout::to back out
::to backup::to back up
::to bailout::to bail out
::to bath::to bathe
::to blackout::to black out
::to blastoff::to blast off
::to breath::to breathe
::to built::to build
::to comeback::to come back
::to forego::to forgo
::to grown::to grow
::to kickoff::to kick off
::to lockout::to lock out
::to rollback::to roll back
::to setup::to set up
::to shutdown::to shut down
::to spin-off::to spin off
::to spinoff::to spin off
::to takeover::to take over
::to tryout::to try out
::to turnaround::to turn around
::to turnoff::to turn off
::to turnout::to turn out
::to turnover::to turn over
::to wakeup::to wake up
::to walkout::to walk out
::to workaround::to work around
::to workout::to work out
::too also::to also
::too be::to be
::took affect::took effect
::took and interest::took an interest
::took over the reigns::took over the reins
::took the reigns::took the reins
::tot he::to the
::tried to used::tried to use
::try and achieve::try to achieve
::try and add::try to add
::try and avoid::try to avoid
::try and be::try to be
::try and beat::try to beat
::try and become::try to become
::try and bring::try to bring
::try and come::try to come
::try and decide::try to decide
::try and do::try to do
::try and eat::try to eat
::try and escape::try to escape
::try and figure::try to figure
::try and find::try to find
::try and fix::try to fix
::try and gain::try to gain
::try and get::try to get
::try and give::try to give
::try and go::try to go
::try and help::try to help
::try and hide::try to hide
::try and hit::try to hit
::try and hold::try to hold
::try and keep::try to keep
::try and locate::try to locate
::try and make::try to make
::try and move::try to move
::try and obtain::try to obtain
::try and play::try to play
::try and prevent::try to prevent
::try and protect::try to prove
::try and prove::try to prove
::try and see::try to see
::try and show::try to show
::try and slow::try to slow
::try and solve::try to solve
::try and spare::try to spare
::try and start::try to start
::try and stay::try to stay
::try and stop::try to stop
::try and support::try to support
::try and take::try to take
::try and talk::try to talk
::try and tell::try to tell
::try and use::try to use
::try and win::try to win
::turn for the worst::turn for the worse
::twice as much than::twice as much as
::two in a half::two and a half
::two times less than::half as much as
::under go::undergo
::under going::undergoing
::under gone::undergone
::under it's::under its
::under rated::underrated
::under take::undertake
::under wear::underwear
::under went::underwent
::underneath it's::underneath its
::United State's::United States'
::United Stats::United States
::Unites States::United States
::unlike it's::unlike its
::until it's::until its
::up field::upfield
::up it's::up its
::up side::upside
::up until::until
::upon it's::upon its
::USD dollars::US dollars
::USD$::US dollars
::use to::used to
::usually know as::usually known as
::usually know by::usually known by
::usually know for::usually known for
::very minimal::minimal
::very optimal::optimal
::very unique::unique
::via it's::via its
::VIN number::VIN
::vise versa::vice versa
::vocal chords::vocal cords
::waived off::waved off
::was aloud::was allowed
::was been::has been
::was began::was begun
::was build::was built
::was comprised from::comprised
::was comprised with::comprised
::was do to::was due to
::was lain::was laid
::was laying on::was lying on
::was lead by::was led by
::was loathe to::was loath to
::was meet by::was met by
::was meet with::was met with
::was ran::was run
::was release::was released
::was rode::was ridden
::was sang::was sung
::was setup::was set up
::was shutdown::was shut down
::was suppose to::was supposed to
::was took::was taken
::was tore::was torn
::was wrote::was written
::way side::wayside
::weather or not::whether or not
::were aloud::were allowed
::were been::were being
::were began::were begun
::were build::were built
::were comprised with::comprised
::were drew::were drawn
::were lain::were laid
::were lead by::were led by
::were loathe to::were loath to
::were meet by::were met by
::were meet with::were met with
::were ran::were run
::were rode::were ridden
::were sang::were sung
::were setup::were set up
::were shutdown::were shut down
::were shutout::were shut out
::were suppose to::were supposed to
::were took::were taken
::were tore::were torn
::were wrote::were written
::wether or not::whether or not
::when into::went into
::when on to::went on to
::where abouts::whereabouts
::where as::whereas
::where being::were being
::where by::whereby
::where made::were made
::where taken::were taken
::where upon::whereupon
::which breakdown::which break down
::which had lead::which had led
::which has lead::which has led
::which have lead::which have led
::which maybe::which may be
::which where::which were
::who had lead::who had led
::who has lead::who has led
::who have lead::who have led
::who he led::whom he led
::who he met::whom he met
::who he took::whom he took
::who lead::who led
::who maybe::who may be
::who setup::who set up
::who to believe::whom to believe
::who to call::whom to call
::who to invite::whom to invite
::who where::who were
::who's actual::whose actual
::who's name::whose name
::who's previous::whose previous
::whom also::who also
::whom was::who was
::will comprise of::will consist of
::will workout::will work out
::with he::with the
::with in::within
::with it's::with its
::with out::without
::with who::with whom
::within it's::within its
::within site of::within sight of
::without it's::without its
::Word War I::World War I
::Word War II::World War II
::working progress::work in progress
::world wide::worldwide
::worse that::worse than
::worse then::worse than
::worse-case scenario::worst-case scenario
::worst comes to worst::worse comes to worst
::worth while::worthwhile
::would been::would have been
::would comeback::would come back
::would comprise of::would consist of
::would of been::would have been
::would of done::would have done
::would workout::would work out
::wreck havoc::wreak havoc
::younger that::younger than
::younger then::younger than
;------------------------------------------------------------------------------
; Common Misspellings - the main list
;------------------------------------------------------------------------------
::abandonned::abandoned
::abbout::about
::abcense::absense
::abck::back
::aberation::aberration
::abilties::abilities
::abilty::ability
::abondon::abandon
::abondoned::abandoned
::abondoning::abandoning
::abondons::abandons
::aborigene::aborigine
::abortificant::abortifacient
::abotu::about
::abouta::about a
::aboutit::about it
::aboutthe::about the
::abreviate::abbreviate
::abreviated::abbreviated
::abreviation::abbreviation
::abritrary::arbitrary
::absail::abseil
::absailing::abseiling
::abscence::absence
::absense::absence
::absolutly::absolutely
::absorbsion::absorption
::absorbtion::absorption
::abundacies::abundances
::abundancies::abundances
::abundunt::abundant
::abutts::abuts
::acadamy::academy
::acadmic::academic
::accademic::academic
::accademy::academy
::acccused::accused
::accelleration::acceleration
::accension::accession
::accension::ascension
::acceptence::acceptance
::acceptible::acceptable
::accesories::accessories
::accesorise::accessorise
::accessable::accessible
::accidant::accident
::accidentaly::accidentally
::accidently::accidentally
::acclimitization::acclimatization
::accomadate::accommodate
::accomadated::accommodated
::accomadates::accommodates
::accomadating::accommodating
::accomadation::accommodation
::accomadations::accommodations
::accomdate::accommodate
::accomodate::accommodate
::accomodated::accommodated
::accomodates::accommodates
::accomodating::accommodating
::accomodation::accommodation
::accomodations::accommodations
::accompanyed::accompanied
::accordeon::accordion
::accordian::accordion
::accordingto::according to
::accoring::according
::accoustic::acoustic
::accquainted::acquainted
::accquainted::acquainted
::accrediation::accreditation
::accredidation::accreditation
::accross::across
::accussed::accused
::acedemic::academic
::acheive::achieve
::acheived::achieved
::acheivement::achievement
::acheivements::achievements
::acheives::achieves
::acheiving::achieving
::acheivment::achievement
::acheivments::achievements
::achievment::achievement
::achievments::achievements
::achive::achieve
::achived::achieved
::achivement::achievement
::achivements::achievements
::acknowldeged::acknowledged
::acknowledgeing::acknowledging
::ackward::backward
::ackward::awkward
::acn::can
::acocunt::account
::acommodate::accommodate
::acomodate::accommodate
::acomplish::accomplish
::acomplished::accomplished
::acomplishment::accomplishment
::acomplishments::accomplishments
::acording::according
::acordingly::accordingly
::acquaintence::acquaintance
::acquaintences::acquaintances
::acquiantence::acquaintance
::acquiantences::acquaintances
::acquited::acquitted
::activites::activities
::activly::actively
::actualy::actually
::actualyl::actually
::acuracy::accuracy
::acused::accused
::acustom::accustom
::acustommed::accustomed
::adantage::advantage
::adaption::adaptation
::adaptions::adaptations
::adavanced::advanced
::adbandon::abandon
::additinal::additional
::additinally::additionally
::additionaly::additionally
::additonal::additional
::additonally::additionally
::addmission::admission
::addopt::adopt
::addopted::adopted
::addoptive::adoptive
::addres::address
::addresable::addressable
::addresed::addressed
::addresing::addressing
::addressess::addresses
::addtion::addition
::addtional::additional
::adecuate::adequate
::adequit::adequate
::adequite::adequate
::adhearing::adhering
::adherance::adherence
::admendment::amendment
::admininistrative::administrative
::adminstered::administered
::adminstrate::administrate
::adminstration::administration
::adminstrative::administrative
::adminstrator::administrator
::admissability::admissibility
::admissable::admissible
::admited::admitted
::admitedly::admittedly
::adn::and
::adolecent::adolescent
::adquire::acquire
::adquired::acquired
::adquires::acquires
::adquiring::acquiring
::adres::address
::adresable::addressable
::adresing::addressing
::adress::address
::adressable::addressable
::adressed::addressed
::adressing::addressing
::advanage::advantage
::adventrous::adventurous
::advertisment::advertisement
::advertisments::advertisements
::advesary::adversary
::adviced::advised
::aeriel::aerial
::aeriels::aerials
::afair::affair
::afficianados::aficionados
::afficionado::aficionado
::afficionados::aficionados
::affilate::affiliate
::affilliate::affiliate
::affort::afford
::affraid::afraid
::aforememtioned::aforementioned
::afterthe::after the
::againnst::against
::agains::against
::againstt he::against the
::agaisnt::against
::aganist::against
::aggaravates::aggravates
::aggreed::agreed
::aggreement::agreement
::aggregious::egregious
::aggresive::aggressive
::agian::again
::agianst::against
::agin::again
::agina::again
::aginst::against
::agravate::aggravate
::agre::agree
::agred::agreed
::agreeement::agreement
::agreemeent::agreement
::agreemeents::agreements
::agreemnet::agreement
::agreemnets::agreements
::agreemnt::agreement
::agregate::aggregate
::agregates::aggregates
::agreing::agreeing
::agression::aggression
::agressive::aggressive
::agressively::aggressively
::agressor::aggressor
::agricuture::agriculture
::agrieved::aggrieved
::ahev::have
::ahppen::happen
::ahve::have
::aicraft::aircraft
::aiport::airport
::airbourne::airborne
::aircaft::aircraft
::aircrafts::aircraft
::airporta::airports
::airrcraft::aircraft
::aisian::Asian
::albiet::albeit
::alchohol::alcohol
::alchoholic::alcoholic
::alchol::alcohol
::alcholic::alcoholic
::alcohal::alcohol
::alcoholical::alcoholic
::aledge::allege
::aledged::alleged
::aledges::alleges
::alege::allege
::aleged::alleged
::alegience::allegiance
::algebraical::algebraic
::algorhitms::algorithms
::algoritm::algorithm
::algoritms::algorithms
::alientating::alienating
::alledge::allege
::alledged::alleged
::alledgedly::allegedly
::alledges::alleges
::allegedely::allegedly
::allegedy::allegedly
::allegely::allegedly
::allegence::allegiance
::allegience::allegiance
::allign::align
::alligned::aligned
::alliviate::alleviate
::allopone::allophone
::allopones::allophones
::allready::already
::allthough::although
::alltime::all-time
::alltogether::altogether
::allwasy::always
::allwyas::always
::almots::almost
::almsot::almost
::alochol::alcohol
::alomst::almost
::alonw::alone
::alot::a lot
::alotted::allotted
::alowed::allowed
::alowing::allowing
::alraedy::already
::alreayd::already
::alreday::already
::alsation::Alsatian
::alse::else
::alsot::also
::alterior::ulterior
::alternitives::alternatives
::altho::although
::althought::although
::altough::although
::alusion::allusion
::alwasy::always
::alwats::always
::alway::always
::alwyas::always
::amalgomated::amalgamated
::amatuer::amateur
::amature::amateur
::amde::made
::amendmant::amendment
::Amercia::America
::Ameria::America
::amerliorate::ameliorate
::amke::make
::amkes::makes
::amking::making
::ammend::amend
::ammended::amended
::ammendment::amendment
::ammendments::amendments
::ammount::amount
::ammused::amused
::amoung::among
::amoungst::amongst
::amung::among
::amunition::ammunition
::analagous::analogous
::analitic::analytic
::analogeous::analogous
::anarchim::anarchism
::anarchistm::anarchism
::anbd::and
::ancestory::ancestry
::ancilliary::ancillary
::andone::and one
::androgenous::androgynous
::androgeny::androgyny
::andt he::and the
::andteh::and the
::andthe::and the
::anihilation::annihilation
::aniversary::anniversary
::anmd::and
::annoint::anoint
::annointed::anointed
::annointing::anointing
::annoints::anoints
::annouced::announced
::annualy::annually
::annuled::annulled
::anohter::another
::anomolies::anomalies
::anomolous::anomalous
::anomoly::anomaly
::anonimity::anonymity
::anotehr::another
::anothe::another
::anounced::announced
::anouncement::announcement
::ansalisation::nasalisation
::ansalization::nasalization
::ansestors::ancestors
::antartic::antarctic
::anthromorphisation::anthropomorphisation
::anthromorphization::anthropomorphization
::anthropolgist::anthropologist
::anthropolgy::anthropology
::anti-semetic::anti-Semitic
::anual::annual
::anulled::annulled
::anwsered::answered
::anyhwere::anywhere
::anyother::any other
::anytying::anything
::aparent::apparent
::aparment::apartment
::apenines::Apennines
::aplication::application
::aplied::applied
::apolegetics::apologetics
::apon::"upon, apron"
::apon::upon
::apparant::apparent
::apparantly::apparently
::apparrent::apparent
::appart::apart
::appartment::apartment
::appartments::apartments
::appealling::appealing
::appeareance::appearance
::appearence::appearance
::appearences::appearances
::appeares::appears
::appenines::Apennines
::apperance::appearance
::apperances::appearances
::appereance::appearance
::appereances::appearances
::applicaiton::application
::applicaitons::applications
::applyed::applied
::appointiment::appointment
::appologies::apologies
::appology::apology
::apprearance::appearance
::apprieciate::appreciate
::approachs::approaches
::appropiate::appropriate
::appropraite::appropriate
::appropropiate::appropriate
::approproximate::approximate
::approrpiate::appropriate
::approrpriate::appropriate
::approxamately::approximately
::approxiately::approximately
::approximitely::approximately
::aprehensive::apprehensive
::april::April
::apropriate::appropriate
::aproximate::approximate
::aproximately::approximately
::aquaduct::aqueduct
::aquaintance::acquaintance
::aquainted::acquainted
::aquiantance::acquaintance
::aquire::acquire
::aquired::acquired
::aquiring::acquiring
::aquisition::acquisition
::aquisitions::acquisitions
::aquit::acquit
::aquitted::acquitted
::aranged::arranged
::arangement::arrangement
::arbitarily::arbitrarily
::arbitary::arbitrary
::arbouretum::arboretum
::archaelogists::archaeologists
::archaelogy::archaeology
::archaoelogy::archeology
::archaology::archeology
::archeaologist::archeologist
::archeaologists::archeologists
::archetect::architect
::archetects::architects
::archetectural::architectural
::archetecturally::architecturally
::archetecture::architecture
::archiac::archaic
::archictect::architect
::archimedian::Archimedean
::architecht::architect
::architechturally::architecturally
::architechture::architecture
::architechtures::architectures
::architectual::architectural
::archtype::archetype
::archtypes::archetypes
::aready::already
::aren;t::aren't
::areodynamics::aerodynamics
::argubly::arguably
::arguement::argument
::arguements::arguments
::arised::arose
::arival::arrival
::armamant::armament
::armistace::armistice
::arn't::aren't
::arogant::arrogant
::arogent::arrogant
::arond::around
::aroud::around
::arrangment::arrangement
::arrangments::arrangements
::arround::around
::artcile::article
::artical::article
::artice::article
::articel::article
::artifical::artificial
::artifically::artificially
::artillary::artillery
::arund::around
::asdvertising::advertising
::asetic::ascetic
::asfar::as far
::asign::assign
::askt he::ask the
::aslo::also
::asociated::associated
::asorbed::absorbed
::asphyxation::asphyxiation
::assasin::assassin
::assasinate::assassinate
::assasinated::assassinated
::assasinates::assassinates
::assasination::assassination
::assasinations::assassinations
::assasined::assassinated
::assasins::assassins
::assassintation::assassination
::assemple::assemble
::assertation::assertion
::assesment::assessment
::asside::aside
::assisnate::assassinate
::assistent::assistant
::assit::assist
::assitant::assistant
::assocation::association
::assoicate::associate
::assoicated::associated
::assoicates::associates
::assosication::assassination
::assosication::association
::asssassans::assassins
::assualt::assault
::assualted::assaulted
::assymetric::asymmetric
::assymetrical::asymmetrical
::asteriod::asteroid
::asthe::as the
::asthetic::aesthetic
::asthetical::aesthetic
::asthetical::aesthetical
::asthetically::aesthetically
::asume::assume
::aswell::as well
::atain::attain
::atempting::attempting
::atention::attention
::atheistical::atheistic
::athenean::Athenian
::atheneans::Athenians
::athiesm::atheism
::athiest::atheist
::atmospher::atmosphere
::atorney::attorney
::atribute::attribute
::atributed::attributed
::atributes::attributes
::attaindre::attained
::attaindre::attainder
::attatch::attach
::attemp::attempt
::attemped::attempted
::attemt::attempt
::attemted::attempted
::attemting::attempting
::attemts::attempts
::attendence::attendance
::attendent::attendant
::attendents::attendants
::attened::attended
::attened::attend
::attension::attention
::attentioin::attention
::atthe::at the
::attitide::attitude
::attributred::attributed
::attrocities::atrocities
::audeince::audience
::audiance::audience
::august::August
::auromated::automated
::austrailia::Australia
::austrailian::Australian
::australian::Australian
::auther::author
::authobiographic::autobiographic
::authobiography::autobiography
::authorative::authoritative
::authorites::authorities
::authorithy::authority
::authoritiers::authorities
::authoritive::authoritative
::authrorities::authorities
::autochtonous::autochthonous
::autoctonous::autochthonous
::automaticly::automatically
::automibile::automobile
::automonomous::autonomous
::autor::author
::autority::authority
::auxilary::auxiliary
::auxillaries::auxiliaries
::auxillary::auxiliary
::auxilliaries::auxiliaries
::auxilliary::auxiliary
::availabe:: available
::availablility::availability
::availablity::availability
::availaible::available
::availalbe::available
::availble::available
::availiable::available
::availible::available
::avalable::available
::avalance::avalanche
::avaliable::available
::avation::aviation
::avengence::a vengeance
::averageed::averaged
::avilable::available
::awared::awarded
::awya::away
::aywa::away
::baceause::because
::backgorund::background
::backrounds::backgrounds
::bakc::back
::balence::balance
::ballance::balance
::banannas::bananas
::bandwith::bandwidth
::bankrupcy::bankruptcy
::banruptcy::bankruptcy
::baout::about
::barbeque::barbecue
::basicaly::basically
::basicly::basically
::bcak::back
::beachead::beachhead
::beacuse::because
::beastiality::bestiality
::beatiful::beautiful
::beaurocracy::bureaucracy
::beaurocratic::bureaucratic
::beautyfull::beautiful
::becamae::became
::becames::becomes
::becasue::because
::becaus::because
::becausea::because a
::becauseof::because of
::becausethe::because the
::becauseyou::because you
::beccause::because
::becoe::become
::becomeing::becoming
::becomming::becoming
::becouse::because
::becuase::because
::becuse::because
::bedore::before
::befoer::before
::beggin::begging
::begginer::beginner
::begginers::beginners
::beggining::beginning
::begginings::beginnings
::beggins::begins
::begining::beginning
::beginining::beginning
::beginnig::beginning
::behavour::behaviour
::behavour::behavior
::beleagured::beleaguered
::beleiev::believe
::beleieve::believe
::beleif::belief
::beleive::believe
::beleived::believed
::beleives::believes
::beleiving::believing
::beligum::belgium
::belive::believe
::belived::believed
::belives::believes
::belligerant::belligerent
::bellweather::bellwether
::bemusemnt::bemusement
::benefical::beneficial
::beneficary::beneficiary
::beng::being
::benificial::beneficial
::benifit::benefit
::benifits::benefits
::bergamont::bergamot
::bernouilli::Bernoulli
::beseige::besiege
::beseiged::besieged
::beseiging::besieging
::betweeen::between
::betwen::between
::beutiful::beautiful
::beween::between
::bewteen::between
::bicep::biceps
::bilateraly::bilaterally
::billingualism::bilingualism
::binominal::binomial
::bizzare::bizarre
::blaim::blame
::blaimed::blamed
::blase::blasé
::blessure::blessing
::blitzkreig::Blitzkrieg
::boaut::about
::bodydbuilder::bodybuilder
::bombardement::bombardment
::bombarment::bombardment
::bondary::boundary
::bonnano::Bonanno
::borke::broke
::boundry::boundary
::bouy::buoy
::bouyancy::buoyancy
::bouyant::buoyant
::boxs::boxes
::boyant::buoyant
::brasillian::Brazilian
::breakthough::breakthrough
::breakthroughts::breakthroughs
::breif::brief
::breifly::briefly
::brethen::brethren
::bretheren::brethren
::briliant::brilliant
::brillant::brilliant
::brimestone::brimstone
::britian::Britain
::brittish::British
::broacasted::broadcast
::broadacasting::broadcasting
::broady::broadly
::brodcast::broadcast
::buddah::Buddha
::Buddist::Buddhist
::buisness::business
::buisnessman::businessman
::buoancy::buoyancy
::buring::burying
::burried::buried
::busineses::businesses
::busineses::business
::busness::business
::bussiness::business
::butthe::but the
::bve::be
::byt he::by the
::caculater::calculator
::cacuses::caucuses
::cafe::café
::caharcter::character
::cahracters::characters
::caht::chat
::calaber::caliber
::calander::calendar
::calculater::calculator
::calcullated::calculated
::calculs::calculus
::calenders::calendars
::califronia::California
::califronian::Californian
::caligraphy::calligraphy
::callipigian::callipygian
::caluclate::calculate
::caluclated::calculated
::caluculate::calculate
::caluculated::calculated
::calulate::calculate
::calulated::calculated
::calulater::calculator
::cambrige::Cambridge
::camoflage::camouflage
::campain::campaign
::campains::campaigns
::can;t::can't
::cancelled::canceled
::cancelling::canceling
::candadate::candidate
::candiate::candidate
::candidiate::candidate
::candidtae::candidate
::candidtaes::candidates
::cannister::canister
::cannisters::canisters
::cannnot::cannot
::cannonical::canonical
::cannotation::connotation
::cannotations::connotations
::cant::can't
::can't of::can't have
::can't of been::can't have been
::cantalope::cantaloupe
::caost::coast
::caperbility::capability
::capetown::Cape Town
::capible::capable
::captial::capital
::captued::captured
::capturd::captured
::carachter::character
::caracterised::characterised
::caracterized::characterized
::carcas::carcass
::carefull::careful
::careing::caring
::carismatic::charismatic
::carmalite::Carmelite
::carmel::caramel
::Carnagie::Carnegie
::Carnagie-Mellon::Carnegie-Mellon
::carnege::carnage
::carnige::carnage
::Carnigie::Carnegie
::Carnigie-Mellon::Carnegie-Mellon
::carniverous::carnivorous
::carreer::career
::carrers::careers
::carribbean::Caribbean
::carribean::Caribbean
::cartdridge::cartridge
::carthagian::Carthaginian
::carthographer::cartographer
::cartilege::cartilage
::cartilidge::cartilage
::cartrige::cartridge
::casette::cassette
::casion::caisson
::cassawory::cassowary
::cassowarry::cassowary
::casulaties::casualties
::casulaty::casualty
::catagories::categories
::catagorized::categorized
::catagory::category
::Cataline::Catalina
::catapillar::caterpillar
::catapillars::caterpillars
::catapiller::caterpillar
::catapillers::caterpillars
::categiory::category
::catepillar::caterpillar
::catepillars::caterpillars
::catergorize::categorize
::catergorized::categorized
::caterpilar::caterpillar
::caterpilars::caterpillars
::caterpiller::caterpillar
::caterpillers::caterpillars
::cathlic::catholic
::catholocism::catholicism
::catterpilar::caterpillar
::catterpilars::caterpillars
::catterpillar::caterpillar
::catterpillars::caterpillars
::cattleship::battleship
::caucasion::Caucasian
::causalities::casualties
::ceasar::Caesar
::celcius::Celsius
::cellpading::cellpadding
::cementary::cemetery
::cemetarey::cemetery
::cemetaries::cemeteries
::cemetary::cemetery
::cencus::census
::censur::censor
::cententenial::centennial
::centruies::centuries
::centruy::century
::ceratin::certain
::cerimonial::ceremonial
::cerimonies::ceremonies
::cerimonious::ceremonious
::cerimony::ceremony
::ceromony::ceremony
::certainity::certainty
::certian::certain
::cervial::cervical
::chalenging::challenging
::challange::challenge
::challanged::challenged
::challanges::challenges
::challege::challenge
::champange::champagne
::chaneg::change
::chanegs::changes
::changable::changeable
::changeing::changing
::changng::changing
::charachter::character
::charachters::characters
::charactersistic::characteristic
::charactor::character
::charactor::character
::charactors::characters
::charasmatic::charismatic
::charaterised::characterised
::charaterized::characterized
::charecter::character
::charector::character
::chariman::chairman
::charistics::characteristics
::chartiable::charitable
::chasr::chaser
::cheif::chief
::cheifs::chiefs
::chekc::check
::chemcial::chemical
::chemcially::chemically
::chemestry::chemistry
::chemicaly::chemically
::childbird::childbirth
::childen::children
::childrens::children's
::chilli::chili
::chnage::change
::choosen::chosen
::chracter::character
::chuch::church
::churchs::churches
::cieling::ceiling
::cilinder::cylinder
::cincinatti::Cincinnati
::cincinnatti::Cincinnati
::circulaton::circulation
::circumsicion::circumcision
::circut::circuit
::ciricuit::circuit
::ciriculum::curriculum
::cirtus::citrus
::civillian::civilian
::claer::clear
::claered::cleared
::claerer::clearer
::claerly::clearly
::claimes::claims
::clas::class
::clasic::classic
::clasical::classical
::clasically::classically
::cleareance::clearance
::clera::clear
::cliant::client
::cliche::cliché
::clincial::clinical
::clinicaly::clinically
::cmo::com
::cmoputer::computer
::cna::can
::coctail::cocktail
::coform::conform
::cognizent::cognizant
::coincedentally::coincidentally
::co-incided::coincided
::colaborations::collaborations
::colateral::collateral
::colection::collection
::colelctive::collective
::collaberative::collaborative
::collectable::collectible
::collecton::collection
::collegue::colleague
::collegues::colleagues
::collonade::colonnade
::collonies::colonies
::collony::colony
::collony::colony
::collosal::colossal
::colonisators::colonisers
::colonizators::colonizers
::colum::column
::comander::commander
::comando::commando
::comandos::commandos
::comanies::companies
::comany::company
::comapany::company
::comapnies::companies
::comapny::company
::comback::comeback
::combanations::combinations
::combinatins::combinations
::combintation::combination
::combusion::combustion
::comdemnation::condemnation
::comemmorate::commemorate
::comemmorates::commemorates
::comemoretion::commemoration
::comision::commission
::comisioned::commissioned
::comisioner::commissioner
::comisioning::commissioning
::comisions::commissions
::comission::commission
::comissioned::commissioned
::comissioner::commissioner
::comissioning::commissioning
::comissions::commissions
::comit::commit
::comited::committed
::comiting::committing
::comitted::committed
::comittee::committee
::comitting::committing
::commadn::command
::commandoes::commandos
::commedic::comedic
::commemerative::commemorative
::commemmorate::commemorate
::commemmorating::commemorating
::commerical::commercial
::commerically::commercially
::commericial::commercial
::commericially::commercially
::commerorative::commemorative
::comming::coming
::comminication::communication
::commision::commission
::commisioned::commissioned
::commisioner::commissioner
::commisioning::commissioning
::commisions::commissions
::commited::committed
::commitee::committee
::commiting::committing
::committe::committee
::committment::commitment
::committments::commitments
::committy::committee
::commmemorated::commemorated
::commongly::commonly
::commonweath::commonwealth
::commuications::communications
::commuinications::communications
::communciation::communication
::communiation::communication
::communites::communities
::comntain::contain
::comntains::contains
::compability::compatibility
::compair::compare
::company;s::company's
::company;s::company's
::comparision::comparison
::comparisions::comparisons
::comparitive::comparative
::comparitively::comparatively
::compatabilities::compatibilities
::compatability::compatibility
::compatable::compatible
::compatablities::compatibilities
::compatablity::compatibility
::compatiable::compatible
::compatiblities::compatibilities
::compatiblity::compatibility
::compeitions::competitions
::compensantion::compensation
::competance::competence
::competant::competent
::competative::competitive
::competely::completely
::competion::completion
::competitiion::competition
::competive::competitive
::competiveness::competitiveness
::comphrehensive::comprehensive
::compitent::competent
::compleated::completed
::compleatly::completely
::compleatness::completeness
::completedthe::completed the
::completelyl::completely
::completetion::completion
::completly::completely
::completness::completeness
::complier::compiler
::componant::component
::composate::composite
::comprable::comparable
::comprimise::compromise
::compulsary::compulsory
::compulsery::compulsory
::computarised::computerised
::computarized::computerized
::comtain::contain
::comtains::contains
::comunicate::communicate
::comunity::community
::concensus::consensus
::concider::consider
::concidered::considered
::concidering::considering
::conciders::considers
::concieted::conceited
::concieve::conceive
::concieved::conceived
::concious::conscious
::conciously::consciously
::conciousness::consciousness
::condamned::condemned
::condemmed::condemned
::condidtion::condition
::condidtions::conditions
::conditionsof::conditions of
::condolances::condolences
::conected::connected
::conection::connection
::conesencus::consensus
::conferance::conference
::confidental::confidential
::confidentally::confidentially
::confids::confides
::configureable::configurable
::confirmmation::confirmation
::confortable::comfortable
::congradulations::congratulations
::congresional::congressional
::conived::connived
::conjecutre::conjecture
::conjuction::conjunction
::conneticut::Connecticut
::conotations::connotations
::conquerd::conquered
::conquerer::conqueror
::conquerers::conquerors
::conqured::conquered
::conscent::consent
::consciouness::consciousness
::consdider::consider
::consdidered::considered
::consdiered::considered
::consectutive::consecutive
::consenquently::consequently
::consentrate::concentrate
::consentrated::concentrated
::consentrates::concentrates
::consept::concept
::consequentually::consequently
::consequeseces::consequences
::consern::concern
::conserned::concerned
::conserning::concerning
::conservitive::conservative
::consiciousness::consciousness
::consicousness::consciousness
::considerd::considered
::consideres::considered
::considerit::considerate
::considerite::considerate
::consious::conscious
::consistant::consistent
::consistantly::consistently
::consituencies::constituencies
::consituency::constituency
::consituted::constituted
::consitution::constitution
::consitutional::constitutional
::consolodate::consolidate
::consolodated::consolidated
::consonent::consonant
::consonents::consonants
::consorcium::consortium
::conspiracys::conspiracies
::conspiriator::conspirator
::conspiricy::conspiracy
::constaints::constraints
::constanly::constantly
::constarnation::consternation
::constatn::constant
::constinually::continually
::constituant::constituent
::constituants::constituents
::constituion::constitution
::constituional::constitutional
::consttruction::construction
::constuction::construction
::consulant::consultant
::consultent::consultant
::consumate::consummate
::consumated::consummated
::consumber::consumer
::contaiminate::contaminate
::containes::contains
::contamporaries::contemporaries
::contamporary::contemporary
::contempoary::contemporary
::contemporaneus::contemporaneous
::contempory::contemporary
::contendor::contender
::contibute::contribute
::contibuted::contributed
::contibutes::contributes
::contigent::contingent
::contined::continued
::continous::continuous
::continously::continuously
::continueing::continuing
::contravercial::controversial
::contraversy::controversy
::contributer::contributor
::contributers::contributors
::contritutions::contributions
::controled::controlled
::controling::controlling
::controll::control
::controlls::controls
::controvercial::controversial
::controvercy::controversy
::controveries::controversies
::controversal::controversial
::controversey::controversy
::controvertial::controversial
::controvery::controversy
::contruction::construction
::conveinent::convenient
::convenant::covenant
::convential::conventional
::convertable::convertible
::convertables::convertibles
::convertion::conversion
::convertor::converter
::convertors::converters
::conveyer::conveyor
::conviced::convinced
::convienient::convenient
::cooparate::cooperate
::cooporate::cooperate
::coordiantion::coordination
::coorperation::cooperation
::coorperations::corporations
::copmetitors::competitors
::coputer::computer
::copywrite::copyright
::coridal::cordial
::cornmitted::committed
::corosion::corrosion
::corparate::corporate
::corperations::corporations
::corproation::corporation
::corproations::corporations
::correcters::correctors
::correponding::corresponding
::correposding::corresponding
::correspondant::correspondent
::correspondants::correspondents
::corridoors::corridors
::corrispond::correspond
::corrispondant::correspondent
::corrispondants::correspondents
::corrisponded::corresponded
::corrisponding::corresponding
::corrisponds::corresponds
::corruptable::corruptible
::costitution::constitution
::cotten::cotton
::coucil::council
::coudl::could
::coudln't::couldn't
::coudn't::couldn't
::could of::could have
::could of been::could have been
::could of had::could have had
::couldn;t::couldn't
::couldnt::couldn't
::couldthe::could the
::councellor::counselor
::councellors::counselors
::counries::countries
::countains::contains
::countires::countries
::countrie's::countries
::coururier::courier
::coverted::converted
::cpoy::copy
::creaeted::created
::creche::cr?che
::creedence::credence
::creme::crème
::critereon::criterion
::criterias::criteria
::criticing::criticising
::criticists::critics
::critised::criticised
::critising::criticizing
::critisising::criticising
::critisism::criticism
::critisisms::criticisms
::critisize::criticize
::critisized::criticized
::critisizes::criticizes
::critisizing::criticizing
::critized::criticized
::critizing::criticizing
::crockodiles::crocodiles
::crowm::crown
::crtical::critical
::crticised::criticised
::crucifiction::crucifixion
::crusies::cruises
::crystalisation::crystallisation
::ctaegory::category
::culiminating::culminating
::cumulatative::cumulative
::curch::church
::curcuit::circuit
::currenly::currently
::curriculem::curriculum
::cusotmer::customer
::cusotmers::customers
::cutsomer::customer
::cutsomers::customers
::cxan::can
::cxan::cyan
::cyclinder::cylinder
::dacquiri::daiquiri
::dael::deal
::dakiri::daiquiri
::dalmation::dalmatian
::damenor::demeanor
::damenor::demeanour
::damenour::demeanour
::dammage::damage
::danceing::dancing
::dardenelles::Dardanelles
::daugher::daughter
::dcument::document
::deafult::default
::deatils::details
::debateable::debatable
::decaffinated::decaffeinated
::decathalon::decathlon
::december::December
::decendant::descendant
::decendants::descendants
::decendent::descendant
::decendents::descendants
::decideable::decidable
::decidely::decidedly
::decieved::deceived
::decison::decision
::decisons::decisions
::decomissioned::decommissioned
::decomposit::decompose
::decomposited::decomposed
::decompositing::decomposing
::decomposits::decomposes
::decor::décor
::decress::decrees
::decribe::describe
::decribed::described
::decribes::describes
::decribing::describing
::dectect::detect
::defencive::defensive
::defendent::defendant
::defendents::defendants
::deffensively::defensively
::deffine::define
::deffined::defined
::definance::defiance
::definate::definite
::definately::definitely
::definatly::definitely
::definetly::definitely
::definining::defining
::definit::definite
::definitly::definitely
::definiton::definition
::defintion::definition
::degrate::degrade
::degredation::degradation
::deja vu::déjà vu
::delagates::delegates
::delapidated::dilapidated
::delerious::delirious
::delevopment::development
::deliberatly::deliberately
::delusionally::delusively
::demenor::demeanor
::demenour::demeanour
::demographical::demographic
::demolision::demolition
::demorcracy::democracy
::demostration::demonstration
::denegrating::denigrating
::densly::densely
::deparment::department
::deparmental::departmental
::deparments::departments
::dependance::dependence
::dependancy::dependency
::dependant::dependent
::deptartment::department
::deram::dream
::derams::dreams
::deriviated::derived
::derivitive::derivative
::derogitory::derogatory
::descendands::descendants
::descibed::described
::descision::decision
::descisions::decisions
::descriibes::describes
::descripters::descriptors
::descriptoin::description
::descripton::description
::desctruction::destruction
::descuss::discuss
::desease::disease
::desgined::designed
::desicion::decision
::desicions::decisions
::deside::decide
::desigining::designing
::desinations::destinations
::desintegrated::disintegrated
::desintegration::disintegration
::desireable::desirable
::desision::decision
::desisions::decisions
::desitned::destined
::desktiop::desktop
::desorder::disorder
::desoriented::disoriented
::desparate::desperate
::despatched::dispatched
::despict::depict
::despiration::desperation
::dessicated::desiccated
::dessigned::designed
::destablised::destabilised
::destablized::destabilized
::destory::destroy
::detailled::detailed
::detatched::detached
::detente::détente
::deteoriated::deteriorated
::deteriate::deteriorate
::deterioriating::deteriorating
::determinining::determining
::detremental::detrimental
::devasted::devastated
::develeoprs::developers
::devellop::develop
::develloped::developed
::develloper::developer
::devellopers::developers
::develloping::developing
::devellopment::development
::devellopments::developments
::devellops::develop
::develope::develop
::developement::development
::developements::developments
::developor::developer
::developors::developers
::developped::developed
::develpment::development
::devels::delves
::devestated::devastated
::devestating::devastating
::devide::divide
::devided::divided
::devistating::devastating
::devolopement::development
::diablical::diabolical
::diamons::diamonds
::diaplay::display
::diarhea::diarrhoea
::diaster::disaster
::dichtomy::dichotomy
::diciplin::discipline
::diconnects::disconnects
::dicover::discover
::dicovered::discovered
::dicovering::discovering
::dicovers::discovers
::dicovery::discovery
::dicussed::discussed
::didint::didn't
::didn;t::didn't
::didnot::did not
::didnt::didn't
::diea::idea
::dieing::dying
::dieties::deities
::diety::deity
::difefrent::different
::diferences::differences
::diferent::different
::diferrent::different
::diffcult::difficult
::diffculties::difficulties
::diffculty::difficulty
::differance::difference
::differances::differences
::differant::different
::differemt::different
::differentiatiations::differentiations
::differnt::different
::difficulity::difficulty
::diffrent::different
::dificulties::difficulties
::dificulty::difficulty
::dimenions::dimensions
::dimention::dimension
::dimentional::dimensional
::dimentions::dimensions
::dimesnional::dimensional
::diminuitive::diminutive
::dimunitive::diminutive
::diosese::diocese
::diphtong::diphthong
::diphtongs::diphthongs
::diplomancy::diplomacy
::diptheria::diphtheria
::dipthong::diphthong
::dipthongs::diphthongs
::directer::director
::directers::directors
::directiosn::direction
::dirived::derived
::disagreeed::disagreed
::disapear::disappear
::disapeared::disappeared
::disapointing::disappointing
::disappearred::disappeared
::disaproval::disapproval
::disasterous::disastrous
::disatisfaction::dissatisfaction
::disatisfied::dissatisfied
::disatrous::disastrous
::discontentment::discontent
::discoverd::discovered
::discribe::describe
::discribed::described
::discribes::describes
::discribing::describing
::disctinction::distinction
::disctinctive::distinctive
::disemination::dissemination
::disenchanged::disenchanted
::disign::design
::disiplined::disciplined
::disobediance::disobedience
::disobediant::disobedient
::disolved::dissolved
::disover::discover
::dispair::despair
::dispaly::display
::disparingly::disparagingly
::dispeled::dispelled
::dispeling::dispelling
::dispell::dispel
::dispells::dispels
::dispence::dispense
::dispenced::dispensed
::dispencing::dispensing
::dispicable::despicable
::dispite::despite
::dispostion::disposition
::disproportiate::disproportionate
::disputandem::disputandum
::disricts::districts
::dissagreement::disagreement
::dissapear::disappear
::dissapearance::disappearance
::dissapeared::disappeared
::dissapearing::disappearing
::dissapears::disappears
::dissappear::disappear
::dissappears::disappears
::dissappointed::disappointed
::dissarray::disarray
::dissobediance::disobedience
::dissobediant::disobedient
::dissobedience::disobedience
::dissobedient::disobedient
::dissonent::dissonant
::distiction::distinction
::distingish::distinguish
::distingished::distinguished
::distingishes::distinguishes
::distingishing::distinguishing
::distingquished::distinguished
::distribusion::distribution
::distrubution::distribution
::distruction::destruction
::distructive::destructive
::ditributed::distributed
::diversed::diverse
::divice::device
::divison::division
::divisons::divisions
::divsion::division
::doccument::document
::doccumented::documented
::doccuments::documents
::docrines::doctrines
::doctines::doctrines
::docuement::documents
::docuemnt::document
::documenatry::documentary
::documetn::document
::documnet::document
::documnets::documents
::doe snot::does not
::doens::does
::doens't::doesn't
::doese::does
::doesn;t::doesn't
::doesnt::doesn't
::doign::doing
::doimg::doing
::doind::doing
::dollers::dollars
::dominaton::domination
::dominent::dominant
::dominiant::dominant
::don;t::don't
::donig::doing
::dont::don't
::do'nt::don't
::don't no::don't know
::dosen't::doesn't
::dosn't::doesn't
::doub::doubt
::doulbe::double
::dowloads::downloads
::dramtic::dramatic
::draughtman::draughtsman
::dravadian::Dravidian
::dreasm::dreams
::driectly::directly
::driveing::driving
::drnik::drink
::druming::drumming
::drummless::drumless
::drunkeness::drunkenness
::dukeship::dukedom
::dumbell::dumbbell
::dupicate::duplicate
::durig::during
::durring::during
::duting::during
::dyas::dryas
::eachotehr::eachother
::eahc::each
::ealier::earlier
::earlies::earliest
::earnt::earned
::eb::be
::ecclectic::eclectic
::eceonomy::economy
::ecidious::deciduous
::eclair::éclair
::eclispe::eclipse
::ecomonic::economic
::ect::etc
::eearly::early
::efel::feel
::efel::evil
::effeciency::efficiency
::effecient::efficient
::effeciently::efficiently
::efficency::efficiency
::efficent::efficient
::efficently::efficiently
::efford::effort
::effords::efforts
::effulence::effluence
::efort::effort
::eforts::efforts
::ehr::her
::ehre::here
::eight o::eight o
::eigth::eighth
::eigth::eight
::eiter::either
::elast::least
::elction::election
::electic::electric
::electon::election
::electrial::electrical
::electricly::electrically
::electricty::electricity
::elementay::elementary
::eleminated::eliminated
::eleminating::eliminating
::eles::eels
::eletricity::electricity
::elicided::elicited
::eligable::eligible
::elimentary::elementary
::ellected::elected
::elphant::elephant
::embarass::embarrass
::embarassed::embarrassed
::embarassing::embarrassing
::embarassment::embarrassment
::embargos::embargoes
::embarras::embarrass
::embarrased::embarrassed
::embarrasing::embarrassing
::embarrasment::embarrassment
::embezelled::embezzled
::emblamatic::emblematic
::emigre::émigré
::eminate::emanate
::eminated::emanated
::emision::emission
::emited::emitted
::emiting::emitting
::emition::emotion
::emmediately::immediately
::emmigrated::emigrated
::emminent::eminent
::emminently::eminently
::emmisaries::emissaries
::emmisarries::emissaries
::emmisarry::emissary
::emmisary::emissary
::emmision::emission
::emmisions::emissions
::emmited::emitted
::emmiting::emitting
::emmitted::emitted
::emmitting::emitting
::emnity::enmity
::emperical::empirical
::emphaised::emphasised
::emphsis::emphasis
::emphysyma::emphysema
::empirial::empirical
::emprisoned::imprisoned
::enameld::enamelled
::enameld::enameled
::enchancement::enhancement
::encouraing::encouraging
::encryptiion::encryption
::encylopedia::encyclopedia
::endevors::endeavors
::endevour::endeavour
::endevours::endeavours
::endig::ending
::endolithes::endoliths
::enduce::induce
::ened::need
::enflamed::inflamed
::enforceing::enforcing
::engagment::engagement
::engeneer::engineer
::engeneering::engineering
::engieneer::engineer
::engieneers::engineers
::enlargment::enlargement
::enlargments::enlargements
::enlish::English
::enought::enough
::enourmous::enormous
::enourmously::enormously
::ensconsed::ensconced
::entaglements::entanglements
::enteratinment::entertainment
::enthusiatic::enthusiastic
::entitity::entity
::entitlied::entitled
::entree::entrée
::entrepeneur::entrepreneur
::entrepeneurs::entrepreneurs
::enviorment::environment
::enviormental::environmental
::enviormentally::environmentally
::enviorments::environments
::enviornment::environment
::enviornmental::environmental
::enviornmentalist::environmentalist
::enviornmentally::environmentally
::enviornments::environments
::enviroment::environment
::enviromental::environmental
::enviromentalist::environmentalist
::enviromentally::environmentally
::enviroments::environments
::envolutionary::evolutionary
::envrionments::environments
::enxt::next
::epidsodes::episodes
::epsiode::episode
::equialent::equivalent
::equilibium::equilibrium
::equilibrum::equilibrium
::equiped::equipped
::equippment::equipment
::equitorial::equatorial
::equivalant::equivalent
::equivelant::equivalent
::equivelent::equivalent
::equivilant::equivalent
::equivilent::equivalent
::equivlalent::equivalent
::erally::really
::eratic::erratic
::eratically::erratically
::eraticly::erratically
::erested::erected
::errupted::erupted
::esctasy::ecstasy
::esential::essential
::esitmated::estimated
::esle::else
::especally::especially
::especialy::especially
::especialyl::especially
::espesially::especially
::essencial::essential
::essense::essence
::essentail::essential
::essentialy::essentially
::essentual::essential
::essesital::essential
::estabishes::establishes
::establising::establishing
::ethnocentricm::ethnocentrism
::ethose::ethos
::ethose::those
::europian::European
::europians::Europeans
::eurpean::European
::eurpoean::European
::evenhtually::eventually
::eventally::eventually
::eventhough::even though
::eventially::eventually
::eventualy::eventually
::everthing::everything
::everytime::every time
::everyting::everything
::eveyr::every
::evidentally::evidently
::exagerate::exaggerate
::exagerated::exaggerated
::exagerates::exaggerates
::exagerating::exaggerating
::exagerrate::exaggerate
::exagerrated::exaggerated
::exagerrates::exaggerates
::exagerrating::exaggerating
::examinated::examined
::exampt::exempt
::exapansion::expansion
::excact::exact
::excange::exchange
::excecute::execute
::excecuted::executed
::excecutes::executes
::excecuting::executing
::excecution::execution
::excedded::exceeded
::excelent::excellent
::excell::excel
::excellance::excellence
::excellant::excellent
::excells::excels
::excercise::exercise
::exchagne::exchange
::exchagnes::exchanges
::exchanching::exchanging
::excisted::existed
::excitment::excitement
::exculsivly::exclusively
::execising::exercising
::exection::execution
::exectued::executed
::exeedingly::exceedingly
::exelent::excellent
::exellent::excellent
::exemple::example
::exept::except
::exeptional::exceptional
::exerbate::exacerbate
::exerbated::exacerbated
::exerciese::exercises
::exerpt::excerpt
::exerpts::excerpts
::exersize::exercise
::exerternal::external
::exhalted::exalted
::exhcange::exchange
::exhcanges::exchanges
::exhibtion::exhibition
::exibition::exhibition
::exibitions::exhibitions
::exicting::exciting
::exinct::extinct
::exisiting::existing
::existance::existence
::existant::existent
::existince::existence
::exliled::exiled
::exludes::excludes
::exmaple::example
::exonorate::exonerate
::exoskelaton::exoskeleton
::expalin::explain
::expatriot::expatriate
::expeced::expected
::expecially::especially
::expeditonary::expeditionary
::expeiments::experiments
::expell::expel
::expells::expels
::experiance::experience
::experianced::experienced
::experienc::experience
::expiditions::expeditions
::expierence::experience
::explaination::explanation
::explaning::explaining
::explictly::explicitly
::exploititive::exploitative
::explotation::exploitation
::expresso::espresso
::exprience::experience
::exprienced::experienced
::expropiated::expropriated
::expropiation::expropriation
::exressed::expressed
::extemely::extremely
::extention::extension
::extentions::extensions
::extered::exerted
::extermist::extremist
::extint::extinct
::extradiction::extradition
::extraterrestial::extraterrestrial
::extraterrestials::extraterrestrials
::extravagent::extravagant
::extrememly::extremely
::extremeophile::extremophile
::extremly::extremely
::extrordinarily::extraordinarily
::extrordinary::extraordinary
::eyar::year
::eyars::years
::eyasr::years
::eyt::yet
::facade::façade
::facia::fascia
::faciliate::facilitate
::faciliated::facilitated
::faciliates::facilitates
::facilites::facilities
::facillitate::facilitate
::facinated::fascinated
::facist::fascist
::faeture::feature
::faetures::features
::familair::familiar
::familar::familiar
::familes::families
::familliar::familiar
::fammiliar::familiar
::famoust::famous
::fanatism::fanaticism
::farenheit::Fahrenheit
::fascitious::facetious
::fascitis::fasciitis
::fatc::fact
::faught::fought
::favoutrable::favourable
::feasable::feasible
::february::February
::febuary::February
::Feburary::February
::fedreally::federally
::feild::field
::feilds::fields
::feromone::pheromone
::fertily::fertility
::fianite::finite
::fianlly::finally
::ficed::fixed
::ficticious::fictitious
::fictious::fictitious
::fidn::find
::fiel::file
::fiels::files
::fiercly::fiercely
::fightings::fighting
::filiament::filament
::fimilies::families
::finacial::financial
::finaly::finally
::finalyl::finally
::financialy::financially
::firc::furc
::firends::friends
::firey::fiery
::firts::first
::fisionable::fissionable
::flamable::flammable
::flawess::flawless
::fleed::fled
::flemmish::Flemish
::florescent::fluorescent
::flourescent::fluorescent
::flouride::fluoride
::flourine::fluorine
::fluorish::flourish
::fo::of
::focussed::focused
::focusses::focuses
::focussing::focusing
::follwo::follow
::follwoing::following
::folowing::following
::fomed::formed
::fomr::form
::fonetic::phonetic
::fontrier::frontier
::fontrier::fontier
::foootball::football
::fora::for a
::forbad::forbade
::forbiden::forbidden
::foreward::foreword
::forfiet::forfeit
::forhead::forehead
::foriegn::foreign
::formalhaut::Fomalhaut
::formallise::formalise
::formallised::formalised
::formallize::formalize
::formallized::formalized
::formaly::formally
::formelly::formerly
::formidible::formidable
::formost::foremost
::forsaw::foresaw
::forseeable::foreseeable
::fortelling::foretelling
::forthe::for the
::forunner::forerunner
::forwrd::forward
::forwrds::forwards
::foucs::focus
::foudn::found
::fougth::fought
::foundaries::foundries
::foundary::foundry
::foundland::Newfoundland
::fourties::forties
::fourty::forty
::fouth::fourth
::foward::forward
::fowards::forwards
::fransiscan::Franciscan
::fransiscans::Franciscans
::freind::friend
::freindly::friendly
::freinds::friends
::frequentily::frequently
::friday::Friday
::frmo::from
::fro::for
::frome::from
::fromed::formed
::fromt he::from the
::fromthe::from the
::froniter::frontier
::fucntion::function
::fucntioning::functioning
::fued::feud
::fufill::fulfill
::fufilled::fulfilled
::fulfiled::fulfilled
::fullfill::fulfill
::fullfilled::fulfilled
::fundametal::fundamental
::fundametals::fundamentals
::funguses::fungi
::funtion::function
::furneral::funeral
::furuther::further
::futher::further
::futhermore::furthermore
::futhroc::futhorc
::fwe::few
::gae::game
::galatic::galactic
::galations::Galatians
::gallaxies::galaxies
::galvinised::galvanised
::galvinized::galvanized
::gameboy::Game Boy
::ganerate::generate
::ganes::games
::ganster::gangster
::garantee::guarantee
::garanteed::guaranteed
::garantees::guarantees
::gardai::garda?
::garnison::garrison
::gauarana::guarana
::gauarana::guaranß
::gaurantee::guarantee
::gauranteed::guaranteed
::gaurantees::guarantees
::gaurd::guard
::gaurentee::guarantee
::gaurenteed::guaranteed
::gaurentees::guarantees
::gemeral::general
::geneological::genealogical
::geneologies::genealogies
::geneology::genealogy
::generaly::generally
::generatting::generating
::genialia::genitalia
::gentlemens::gentlemen's
::geographicial::geographical
::geometrician::geometer
::geometricians::geometers
::gerat::great
::geting::getting
::gettin::getting
::ghandi::Gandhi
::gievn::given
::giid::good
::giveing::giving
::glace::glance
::glight::flight
::gloabl::global
::gnawwed::gnawed
::godess::goddess
::godesses::goddesses
::godounov::Godunov
::gogin::going
::goign::going
::gonig::going
::gothenberg::Gothenburg
::gottleib::Gottlieb
::gouvener::governor
::govement::government
::govenment::government
::govenrment::government
::goverance::governance
::goverment::government
::govermental::governmental
::governer::governor
::governmnet::government
::govorment::government
::govormental::governmental
::govornment::government
::gracefull::graceful
::graet::great
::graffitti::graffiti
::grafitti::graffiti
::gramatically::grammatically
::grammaticaly::grammatically
::grammer::grammar
::grat::great
::gratuitious::gratuitous
::greatful::grateful
::greatfully::gratefully
::greif::grief
::gridles::griddles
::gropu::group
::gruop::group
::gruops::groups
::grwo::grow
::Guaduloupe::Guadalupe
::guadulupe::Guadalupe
::guage::gauge
::guarentee::guarantee
::guarenteed::guaranteed
::guarentees::guarantees
::guatamala::Guatemala
::guatamalan::Guatemalan
::guerrila::guerilla
::guerrila::guerrilla
::guerrilas::guerillas
::guerrilas::guerrillas
::guidence::guidance
::guidlines::guidelines
::guilia::Giulia
::guiliani::Giuliani
::guilio::Giulio
::guiness::Guinness
::guiseppe::Giuseppe
::gunanine::guanine
::gurantee::guarantee
::guranteed::guaranteed
::gurantees::guarantees
::gusy::guys
::guttaral::guttural
::gutteral::guttural
::habaeus::habeas
::habeus::habeas
::habsbourg::Habsburg
::hace::hare
::hadbeen::had been
::hadn;t::hadn't
::haemorrage::haemorrhage
::haev::have
::hallowean::Halloween
::halp::help
::hapen::happen
::hapened::happened
::hapening::happening
::hapens::happens
::happend::happened
::happended::happened
::happenned::happened
::harased::harassed
::harases::harasses
::harasment::harassment
::harasments::harassments
::harassement::harassment
::harras::harass
::harrased::harassed
::harrases::harasses
::harrasing::harassing
::harrasment::harassment
::harrasments::harassments
::harrassed::harassed
::harrasses::harassed
::harrassing::harassing
::harrassment::harassment
::harrassments::harassments
::hasbeen::has been
::hasn;t::hasn't
::hasnt::hasn't
::Hatian::Haitian
::havebeen::have been
::haveing::having
::haven;t::haven't
::haviest::heaviest
::hda::had
::he;ll::he'll
::headquarer::headquarter
::headquater::headquarter
::headquatered::headquartered
::headquaters::headquarters
::healthercare::healthcare
::heared::heard
::hearign::hearing
::heathy::healthy
::heidelburg::Heidelberg
::heigher::higher
::heirarchical::hierarchical
::heirarchies::hierarchies
::heirarchy::heirarchy
::heirarchy::hierarchy
::heiroglyphics::hieroglyphics
::helment::helmet
::helpfull::helpful
::helpped::helped
::hemmorhage::hemorrhage
::herad::heard
::herat::heart
::here;s::here's
::herf::href
::heridity::heredity
::heroe::hero
::heros::heroes
::hersuit::hirsute
::hertiage::heritage
::hertzs::hertz
::hesaid::he said
::hesistant::hesitant
::heterogenous::heterogeneous
::hewas::he was
::hge::he
::hieght::height
::hier::heir
::hierachical::hierarchical
::hierachies::hierarchies
::hierachy::hierarchy
::hierarcical::hierarchical
::hierarcy::hierarchy
::hieroglph::hieroglyph
::hieroglphs::hieroglyphs
::higer::higher
::higest::highest
::higway::highway
::hillarious::hilarious
::himselv::himself
::hinderance::hindrance
::hinderence::hindrance
::hindrence::hindrance
::hipopotamus::hippopotamus
::hismelf::himself
::histocompatability::histocompatibility
::historicians::historians
::hitsingles::hit singles
::hlep::help
::holliday::holiday
::homestate::home state
::homogeneize::homogenize
::homogeneized::homogenized
::honory::honorary
::honourarium::honorarium
::honourific::honorific
::horrifing::horrifying
::hosited::hoisted
::hospitible::hospitable
::hounour::honour
::housr::hours
::howver::however
::hsa::has
::hsi::his
::hsitorians::historians
::hstory::history
::hte::the
::htem::them
::hten::then
::htere::there
::htese::these
::htey::they
::htikn::think
::hting::thing
::htink::think
::htis::this
::htp:::http:
::http:\\::http://
::httpL::http:
::humer::humour
::humer::humor
::humerous::humourous
::humerous::humorous
::huminoid::humanoid
::humoural::humoral
::humurous::humourous
::humurous::humorous
::husban::husband
::hvae::have
::hvaing::having
::hvea::have
::hwich::which
::hwihc::which
::hwile::while
::hwole::whole
::hydogen::hydrogen
::hydropile::hydrophile
::hydropilic::hydrophilic
::hydropobe::hydrophobe
::hydropobic::hydrophobic
::hygeine::hygiene
::hypocracy::hypocrisy
::hypocrasy::hypocrisy
::hypocricy::hypocrisy
::hypocrit::hypocrite
::hypocrits::hypocrites
::i snot::is not
::I;d::I'd
::I;ll::I'll
::iconclastic::iconoclastic
::idae::idea
::idaeidae::idea
::idaes::ideas
::idealogies::ideologies
::idealogy::ideology
::identicial::identical
::identifers::identifiers
::identofy::identify
::ideosyncratic::idiosyncratic
::idesa::ideas
::idiosyncracy::idiosyncrasy
::ignorence::ignorance
::ihaca::Ithaca
::ihs::his
::iits the::it's the
::illegimacy::illegitimacy
::illegitmate::illegitimate
::illess::illness
::illiegal::illegal
::illution::illusion
::ilness::illness
::ilogical::illogical
::ilumination::illumination
::imagenary::imaginary
::imagin::imagine
::imaginery::imaginary
::imanent::imminent
::imcomplete::incomplete
::imediate::immediate
::imediately::immediately
::imediatly::immediately
::imense::immense
::imigrant::immigrant
::imigrated::immigrated
::imigration::immigration
::iminent::imminent
::immediatley::immediately
::immediatly::immediately
::immidately::immediately
::immidiately::immediately
::immitate::imitate
::immitated::imitated
::immitating::imitating
::immitator::imitator
::immunosupressant::immunosuppressant
::impecabbly::impeccably
::impedence::impedance
::implamenting::implementing
::impliment::implement
::implimented::implemented
::imploys::employs
::importamt::important
::importent::important
::importnat::important
::impossable::impossible
::imprioned::imprisoned
::imprisonned::imprisoned
::improvemnt::improvement
::improvision::improvisation
::improvment::improvement
::improvments::improvements
::inablility::inability
::inaccessable::inaccessible
::inadiquate::inadequate
::inadquate::inadequate
::inadvertant::inadvertent
::inadvertantly::inadvertently
::inagurated::inaugurated
::inaguration::inauguration
::inappropiate::inappropriate
::inate::innate
::inaugures::inaugurates
::inbalance::imbalance
::inbalanced::imbalanced
::inbetween::between
::incarcirated::incarcerated
::incidentially::incidentally
::incidently::incidentally
::inclreased::increased
::includ::include
::includng::including
::incompatabilities::incompatibilities
::incompatability::incompatibility
::incompatable::incompatible
::incompatablities::incompatibilities
::incompatablity::incompatibility
::incompatiblities::incompatibilities
::incompatiblity::incompatibility
::incompetance::incompetence
::incompetant::incompetent
::incomptable::incompatible
::incomptetent::incompetent
::inconsistant::inconsistent
::incoroporated::incorporated
::incorperation::incorporation
::incorportaed::incorporated
::incorprates::incorporates
::incorruptable::incorruptible
::incramentally::incrementally
::increadible::incredible
::incredable::incredible
::inctroduce::introduce
::inctroduced::introduced
::incuding::including
::incunabla::incunabula
::indecate::indicate
::indefinately::indefinitely
::indefineable::undefinable
::indefinitly::indefinitely
::indenpendence::independence
::indenpendent::independent
::indentical::identical
::indepedantly::independently
::indepedence::independence
::indepedent::independent
::independance::independence
::independant::independent
::independantly::independently
::independece::independence
::independendet::independent
::indespensable::indispensable
::indespensible::indispensable
::indictement::indictment
::indigineous::indigenous
::indipendence::independence
::indipendent::independent
::indipendently::independently
::indispensable::indispensible
::indispensible::indispensable
::indisputible::indisputable
::indisputibly::indisputably
::indite::indict
::individualy::individually
::indpendent::independent
::indpendently::independently
::indulgue::indulge
::indutrial::industrial
::indviduals::individuals
::inefficienty::inefficiently
::inevatible::inevitable
::inevitible::inevitable
::inevititably::inevitably
::infalability::infallibility
::infallable::infallible
::infectuous::infectious
::infered::inferred
::infilitrate::infiltrate
::infilitrated::infiltrated
::infilitration::infiltration
::infinit::infinite
::infinitly::infinitely
::inflamation::inflammation
::influance::influence
::influencial::influential
::influented::influenced
::infomation::information
::informatoin::information
::informtion::information
::infrantryman::infantryman
::infrigement::infringement
::ingenius::ingenious
::ingreediants::ingredients
::inhabitans::inhabitants
::inherantly::inherently
::inheritage::inheritance
::inheritence::inheritance
::inital::initial
::initally::initially
::initation::initiation
::initiaitive::initiative
::inlcuding::including
::inmigrant::immigrant
::inmigrants::immigrants
::innoculate::inoculate
::innoculated::inoculated
::inocence::innocence
::inofficial::unofficial
::inot::into
::inpeach::impeach
::inpolite::impolite
::inprisonment::imprisonment
::inproving::improving
::insectiverous::insectivorous
::insensative::insensitive
::inseperable::inseparable
::insistance::insistence
::insitution::institution
::insitutions::institutions
::inspite::in spite
::instade::instead
::instaleld::installed
::instatance::instance
::insted::instead
::institue::institute
::instuction::instruction
::instuments::instruments
::instutionalized::institutionalized
::instutions::intuitions
::insufficent::insufficient
::insufficently::insufficiently
::insurence::insurance
::int he::in the
::inteh::in the
::intelectual::intellectual
::inteligence::intelligence
::inteligent::intelligent
::intenational::international
::intented::intended
::intepretation::interpretation
::intepretator::interpretor
::interational::international
::interbread::interbreed
::interchangable::interchangeable
::interchangably::interchangeably
::intercontinetal::intercontinental
::intered::interred
::interelated::interrelated
::interferance::interference
::interfereing::interfering
::intergrated::integrated
::intergration::integration
::interm::interim
::internation::international
::interpet::interpret
::interrim::interim
::interrugum::interregnum
::intertaining::entertaining
::interum::interim
::interupt::interrupt
::intervines::intervenes
::intevene::intervene
::inthe::in the
::intial::initial
::intially::initially
::intrduced::introduced
::intrest::interest
::introdued::introduced
::intruduced::introduced
::intrument::instrument
::intrumental::instrumental
::intruments::instruments
::intrusted::entrusted
::intutive::intuitive
::intutively::intuitively
::inudstry::industry
::inumerable::innumerable
::inumerable::enumerable
::inventer::inventor
::invertibrates::invertebrates
::investingate::investigate
::involvment::involvement
::inwhich::in which
::irelevent::irrelevant
::iresistable::irresistible
::iresistably::irresistibly
::iresistible::irresistible
::iresistibly::irresistibly
::iritable::irritable
::iritated::irritated
::ironicly::ironically
::irregardless::regardless
::irrelevent::irrelevant
::irreplacable::irreplaceable
::irresistable::irresistible
::irresistably::irresistibly
::isn;t::isn't
::isnt::isn't
::israelies::Israelis
::issueing::issuing
::isthe::is the
::it snot::it's not
::it' snot::it's not
::it;ll::it'll
::it;s::it's
::itis::it is
::ititial::initial
::itnerest::interest
::itnerested::interested
::itneresting::interesting
::itnerests::interests
::itnroduced::introduced
::its a::it's a
::its the::it's the
::itwas::it was
::iunior::junior
::iwll::will
::iwth::with
::january::January
::Janurary::January
::Januray::January
::japanes::Japanese
::jaques::jacques
::jeapardy::jeopardy
::jewelery::jewellery
::jewllery::jewellery
::johanine::Johannine
::jorunal::journal
::jospeh::Joseph
::jouney::journey
::journied::journeyed
::journies::journeys
::jstu::just
::jsut::just
::juadaism::Judaism
::juadism::Judaism
::judgment::judgement
::judical::judicial
::judisuary::judiciary
::juducial::judicial
::jugment::judgment
::july::July
::june::June
::juristiction::jurisdiction
::juristictions::jurisdictions
::kindergarden::kindergarten
::klenex::kleenex
::knifes::knives
::knive::knife
::knowldge::knowledge
::knowlege::knowledge
::knowlegeable::knowledgeable
::knwo::know
::knwon::known
::knwos::knows
::konw::know
::konwn::known
::konws::knows
::kwno::know
::labatory::laboratory
::labled::labelled
::labled::labeled
::labourious::laborious
::labratory::laboratory
::laguage::language
::laguages::languages
::larg::large
::largst::largest
::larrry::larry
::lasoo::lasso
::lastest::latest
::lastr::last
::lastyear::last year
::lattitude::latitude
::launchs::launch
::launchs::launches
::launhed::launched
::lavae::larvae
::layed::laid
::lazer::laser
::lazyness::laziness
::leaded::led
::leage::league
::leanr::learn
::learnign::learning
::leathal::lethal
::lefted::left
::legitamate::legitimate
::legitmate::legitimate
::leibnitz::leibniz
::lenght::length
::leran::learn
::lerans::learns
::let;s::let's
::let's him::lets him
::let's it::lets it
::leutenant::lieutenant
::levetate::levitate
::levetated::levitated
::levetates::levitates
::levetating::levitating
::levle::level
::liasion::liaison
::liason::liaison
::liasons::liaisons
::libary::library
::libell::libel
::libguistic::linguistic
::libguistics::linguistics
::libitarianisn::libertarianism
::lible::liable
::lible::libel
::librarry::library
::librery::library
::lieing::lying
::liek::like
::liekd::liked
::liesure::leisure
::lieuenant::lieutenant
::lieutenent::lieutenant
::liev::live
::lieved::lived
::liftime::lifetime
::lightening::lightning
::lightyear::light year
::lightyears::light years
::likelyhood::likelihood
::likly::likely
::linnaena::linnaean
::lippizaner::lipizzaner
::liquify::liquefy
::liscense::license
::lisence::license
::lisense::license
::listners::listeners
::litature::literature
::literaly::literally
::literture::literature
::littel::little
::litterally::literally
::litttle::little
::liuke::like
::liveing::living
::livley::lively
::lmits::limits
::loev::love
::lonelyness::loneliness
::longitudonal::longitudinal
::lonley::lonely
::lonly::lonely
::lookign::looking
::loosing::losing
::lotharingen::lothringen
::lsat::last
::lukid::likud
::lveo::love
::lvoe::love
::lybia::Libya
::maching::machine
::mackeral::mackerel
::magasine::magazine
::magincian::magician
::magnificient::magnificent
::magolia::magnolia
::mailny::mainly
::maintainance::maintenance
::maintainence::maintenance
::maintance::maintenance
::maintenence::maintenance
::maintinaing::maintaining
::maintioned::mentioned
::majoroty::majority
::maked::marked
::makeing::making
::makse::makes
::malcom::Malcolm
::maltesian::Maltese
::mamal::mammal
::mamalian::mammalian
::managable::manageable
::managment::management
::maneouvre::manoeuvre
::maneouvred::manoeuvred
::maneouvres::manoeuvres
::maneouvring::manoeuvring
::manifestion::manifestation
::manisfestations::manifestations
::manoeuver::maneuver
::manoeuverability::maneuverability
::manouver::maneuver
::manouverability::maneuverability
::manouverable::maneuverable
::manouvers::maneuvers
::mantain::maintain
::mantained::maintained
::manuever::maneuver
::manuevers::maneuvers
::manufacturedd::manufactured
::manufature::manufacture
::manufatured::manufactured
::manufaturing::manufacturing
::manuver::maneuver
::mariage::marriage
::marjority::majority
::markes::marks
::marketting::marketing
::marmelade::marmalade
::marrage::marriage
::marraige::marriage
::marrtyred::martyred
::marryied::married
::massachussets::Massachusetts
::massachussetts::Massachusetts
::massmedia::mass media
::masterbation::masturbation
::mataphysical::metaphysical
::materalists::materialist
::mathamatics::mathematics
::mathematican::mathematician
::mathematicas::mathematics
::matheticians::mathematicians
::mathmatically::mathematically
::mathmatician::mathematician
::mathmaticians::mathematicians
::may of::may have
::may of been::may have been
::may of had::may have had
::mccarthyst::mccarthyist
::mchanics::mechanics
::meaninng::meaning
::mear::wear
::mechandise::merchandise
::medacine::medicine
::medeival::medieval
::medevial::medieval
::mediciney::mediciny
::medieval::mediaeval
::medievel::medieval
::mediterainnean::mediterranean
::mediteranean::Mediterranean
::meerkrat::meerkat
::melieux::milieux
::membranaphone::membranophone
::memeber::member
::menally::mentally
::menat::meant
::meranda::veranda
::mercentile::mercantile
::merchent::merchant
::mesage::message
::mesages::messages
::messanger::messenger
::messenging::messaging
::metalic::metallic
::metalurgic::metallurgic
::metalurgical::metallurgical
::metalurgy::metallurgy
::metamorphysis::metamorphosis
::metaphoricial::metaphorical
::meterologist::meteorologist
::meterology::meteorology
::methaphor::metaphor
::methaphors::metaphors
::michagan::Michigan
::micheal::Michael
::micoscopy::microscopy
::midwifes::midwives
::might of::might have
::might of been::might have been
::might of had::might have had
::mileau::milieu
::milennia::millennia
::milennium::millennium
::mileu::milieu
::miliary::military
::milion::million
::miliraty::military
::millenia::millennia
::millenial::millennial
::millenialism::millennialism
::millenium::millennium
::millepede::millipede
::millioniare::millionaire
::millitary::military
::millon::million
::miltary::military
::minature::miniature
::minerial::mineral
::miniscule::minuscule
::ministery::ministry
::minstries::ministries
::minstry::ministry
::minumum::minimum
::mirrorred::mirrored
::miscelaneous::miscellaneous
::miscellanious::miscellaneous
::miscellanous::miscellaneous
::mischeivous::mischievous
::mischevious::mischievous
::mischievious::mischievous
::misdameanor::misdemeanor
::misdameanors::misdemeanors
::misdemenor::misdemeanor
::misdemenors::misdemeanors
::misfourtunes::misfortunes
::misile::missile
::misouri::Missouri
::mispell::misspell
::mispelled::misspelled
::mispelling::misspelling
::mispellings::misspellings
::missen::mizzen
::missisipi::Mississippi
::missisippi::Mississippi
::missle::missile
::missonary::missionary
::misterious::mysterious
::mistery::mystery
::misteryous::mysterious
::mkae::make
::mkaes::makes
::mkaing::making
::mkea::make
::moderm::modem
::modle::model
::moent::moment
::moeny::money
::mohammedans::muslims
::moil::mohel
::moil::soil
::moleclues::molecules
::momento::memento
::monday::Monday
::monestaries::monasteries
::monestary::monastery
::monickers::monikers
::monkies::monkeys
::monolite::monolithic
::monserrat::Montserrat
::montains::mountains
::montanous::mountainous
::Montnana::Montana
::monts::months
::montypic::monotypic
::moreso::more so
::morgage::mortgage
::morisette::Morissette
::morrisette::Morissette
::morroccan::moroccan
::morrocco::morocco
::morroco::morocco
::mortage::mortgage
::mosture::moisture
::motiviated::motivated
::mottos::mottoes
::mounth::month
::movei::movie
::movment::movement
::mrak::mark
::mroe::more
::mucuous::mucous
::muder::murder
::mudering::murdering
::muhammadan::muslim
::multicultralism::multiculturalism
::multipled::multiplied
::multiplers::multipliers
::munbers::numbers
::muncipalities::municipalities
::muncipality::municipality
::munnicipality::municipality
::muscels::muscles
::muscial::musical
::muscician::musician
::muscicians::musicians
::must of::must have
::must of been::must have been
::must of had::must have had
::mutiliated::mutilated
::myraid::myriad
::mysef::myself
::mysefl::myself
::mysogynist::misogynist
::mysogyny::misogyny
::mysterous::mysterious
::mythraic::Mithraic
::myu::my
::naieve::naive
::naive::naïve
::Naploeon::Napoleon
::Napolean::Napoleon
::napoleonian::Napoleonic
::naturaly::naturally
::naturely::naturally
::naturual::natural
::naturually::naturally
::nazereth::Nazareth
::necassarily::necessarily
::necassary::necessary
::neccesarily::necessarily
::neccesary::necessary
::neccessarily::necessarily
::neccessary::necessary
::neccessities::necessities
::necesarily::necessarily
::necesary::necessary
::necessiate::necessitate
::neglible::negligible
::negligable::negligible
::negociable::negotiable
::negociate::negotiate
::negociation::negotiation
::negociations::negotiations
::negotation::negotiation
::negotiaing::negotiating
::neice::niece
::neigborhood::neighborhood
::neigbour::neighbor
::neigbourhood::neighbourhood
::neigbouring::neighboring
::neigbours::neighbors
::neolitic::neolithic
::nessasarily::necessarily
::nessecary::necessary
::nestin::nesting
::neverthless::nevertheless
::newletters::newsletters
::newyorker::New Yorker
::nickle::nickel
::nightfa;;::nightfall
::nightime::nighttime
::nineth::ninth
::ninteenth::nineteenth
::ninties::nineties
::ninties::1990s
::ninty::ninety
::nkow::know
::nkwo::know
::nmae::name
::noncombatents::noncombatants
::nonsence::nonsense
::nontheless::nonetheless
::noone::no one
::norhern::northern
::northen::northern
::northereastern::northeastern
::notabley::notably
::noteable::notable
::noteably::notably
::noteriety::notoriety
::noth::north
::nothern::northern
::nothign::nothing
::noticable::noticeable
::noticably::noticeably
::noticeing::noticing
::noticible::noticeable
::notive::notice
::notwhithstanding::notwithstanding
::noveau::nouveau
::november::November
::Novermber::November
::nowdays::nowadays
::nowe::now
::nto::not
::nucular::nuclear
::nuculear::nuclear
::nuisanse::nuisance
::nullabour::Nullarbor
::numberous::numerous
::nuptual::nuptial
::nuremburg::Nuremberg
::nusance::nuisance
::nutritent::nutrient
::nutritents::nutrients
::nuturing::nurturing
::nver::never
::nwe::new
::nwo::now
::obediance::obedience
::obediant::obedient
::obession::obsession
::obsolecence::obsolescence
::obssessed::obsessed
::obstacal::obstacle
::obstancles::obstacles
::obstruced::obstructed
::ocasion::occasion
::ocasional::occasional
::ocasionally::occasionally
::ocasionaly::occasionally
::ocasioned::occasioned
::ocasions::occasions
::ocassion::occasion
::ocassional::occasional
::ocassionally::occasionally
::ocassionaly::occasionally
::ocassioned::occasioned
::ocassions::occasions
::occaison::occasion
::occassion::occasion
::occassional::occasional
::occassionally::occasionally
::occassionaly::occasionally
::occassioned::occasioned
::occassions::occasions
::occationally::occasionally
::occour::occur
::occurance::occurrence
::occurances::occurrences
::occured::occurred
::occurence::occurrence
::occurences::occurrences
::occuring::occurring
::occurr::occur
::occurrance::occurrence
::occurrances::occurrences
::october::October
::octohedra::octahedra
::octohedral::octahedral
::octohedron::octahedron
::ocuntries::countries
::ocuntry::country
::ocur::occur
::ocurr::occur
::ocurrance::occurrence
::ocurred::occurred
::ocurrence::occurrence
::odouriferous::odoriferous
::odourous::odorous
::oeprator::operator
::offcers::officers
::offcially::officially
::offereings::offerings
::offical::official
::offically::officially
::officals::officials
::officaly::officially
::officialy::officially
::offred::offered
::ofits::of its
::oft he::of the
::oftenly::often
::ofthe::of the
::oging::going
::ohter::other
::omision::omission
::omited::omitted
::omiting::omitting
::omlette::omelette
::ommision::omission
::ommited::omitted
::ommiting::omitting
::ommitted::omitted
::ommitting::omitting
::omnious::ominous
::omniverous::omnivorous
::omniverously::omnivorously
::omre::more
::oneof::one of
::onepoint::one point
::onomatopeia::onomatopoeia
::onot::not
::ont he::on the
::onthe::on the
::onyl::only
::openess::openness
::oponent::opponent
::oportunity::opportunity
::opose::oppose
::oposite::opposite
::oposition::opposition
::oppasite::opposite
::oppenly::openly
::opperation::operation
::oppertunity::opportunity
::oppinion::opinion
::opponant::opponent
::oppononent::opponent
::opposate::opposite
::opposible::opposable
::opposit::opposite
::oppositition::opposition
::oppossed::opposed
::oppotunities::opportunities
::oppotunity::opportunity
::opprotunity::opportunity
::opression::oppression
::opressive::oppressive
::opthalmic::ophthalmic
::opthalmologist::ophthalmologist
::opthalmology::ophthalmology
::opthamologist::ophthalmologist
::optmizations::optimizations
::optomism::optimism
::orded::ordered
::organim::organism
::organistion::organisation
::organiztion::organization
::orgin::origin
::orginal::original
::orginally::originally
::orginization::organization
::orginize::organise
::orginized::organized
::oridinarily::ordinarily
::origanaly::originally
::originall::originally
::originaly::originally
::originially::originally
::originnally::originally
::origional::original
::orignally::originally
::orignially::originally
::orthagonal::orthogonal
::orthagonally::orthogonally
::otehr::other
::otherw::others
::otu::out
::oublisher::publisher
::ouevre::oeuvre
::oustanding::outstanding
::outof::out of
::overshaddowed::overshadowed
::overthe::over the
::overthere::over there
::overwelming::overwhelming
::overwheliming::overwhelming
::owrk::work
::owudl::would
::owuld::would
::oxident::oxidant
::oxigen::oxygen
::oximoron::oxymoron
::p0enis::penis
::paide::paid
::paitience::patience
::palce::place
::paleolitic::paleolithic
::paliamentarian::parliamentarian
::palistian::Palestinian
::palistinian::Palestinian
::palistinians::Palestinians
::pallete::palette
::pamflet::pamphlet
::pamplet::pamphlet
::pantomine::pantomime
::papaer::paper
::papanicalou::Papanicolaou
::paralel::parallel
::paralell::parallel
::paralelly::parallelly
::paralely::parallelly
::parallely::parallelly
::paranthesis::parenthesis
::paraphenalia::paraphernalia
::parellels::parallels
::parituclar::particular
::parliment::parliament
::parrakeets::parakeets
::parralel::parallel
::parrallel::parallel
::parrallell::parallel
::parrallelly::parallelly
::parrallely::parallelly
::partialy::partially
::particually::particularly
::particualr::particular
::particuarly::particularly
::particularily::particularly
::particulary::particularly
::partof::part of
::pary::party
::pased::passed
::pasengers::passengers
::passerbys::passersby
::pasttime::pastime
::pastural::pastoral
::paticular::particular
::pattented::patented
::pavillion::pavilion
::payed::paid
::paymetn::payment
::paymetns::payments
::pblisher::publisher
::pbulisher::publisher
::pciture::picture
::peacefuland::peaceful and
::peageant::pageant
::peculure::peculiar
::pedestrain::pedestrian
::peformed::performed
::peice::piece
::peices::pieces
::peleton::peloton
::peloponnes::Peloponnesus
::penatly::penalty
::penerator::penetrator
::penisula::peninsula
::penisular::peninsular
::penninsula::peninsula
::penninsular::peninsular
::pennisula::peninsula
::Pennyslvania::Pennsylvania
::pensinula::peninsula
::peolpe::people
::peom::poem
::peoms::poems
::peopel::people
::peotry::poetry
::perade::parade
::percentof::percent of
::percentto::percent to
::percepted::perceived
::percieve::perceive
::percieved::perceived
::perenially::perennially
::perfomance::performance
::perfomers::performers
::performence::performance
::performes::performs
::perhasp::perhaps
::perheaps::perhaps
::perhpas::perhaps
::peripathetic::peripatetic
::peristent::persistent
::perjery::perjury
::perjorative::pejorative
::permanant::permanent
::permenant::permanent
::permenantly::permanently
::perminent::permanent
::permissable::permissible
::perogative::prerogative
::peronal::personal
::perosnality::personality
::perphas::perhaps
::perpindicular::perpendicular
::perseverence::perseverance
::persistance::persistence
::persistant::persistent
::personalyl::personally
::personel::personnel
::personell::personnel
::personnell::personnel
::persuded::persuaded
::persue::pursue
::persued::pursued
::persuing::pursuing
::persuit::pursuit
::persuits::pursuits
::pertubation::perturbation
::pertubations::perturbations
::pessiary::pessary
::petetion::petition
::pharoah::Pharaoh
::phenomenom::phenomenon
::phenomenonal::phenomenal
::phenomenonly::phenomenally
::phenomonenon::phenomenon
::phenomonon::phenomenon
::phenonmena::phenomena
::pheonix::phoenix
::philipines::Philippines
::philisopher::philosopher
::philisophical::philosophical
::philisophy::philosophy
::phillipine::Philippine
::phillipines::Philippines
::phillippines::Philippines
::phillosophically::philosophically
::philospher::philosopher
::philosphies::philosophies
::philosphy::philosophy
::phonecian::Phoenecian
::phongraph::phonograph
::phylosophical::philosophical
::physicaly::physically
::piblisher::publisher
::pich::pitch
::pilgrimmage::pilgrimage
::pilgrimmages::pilgrimages
::pinapple::pineapple
::pinnaple::pineapple
::pinoneered::pioneered
::plagarism::plagiarism
::planation::plantation
::planed::planned
::plantiff::plaintiff
::plateu::plateau
::plausable::plausible
::playright::playwright
::playwrite::playwright
::playwrites::playwrights
::pleasent::pleasant
::plebicite::plebiscite
::plesant::pleasant
::poenis::penis
::poeoples::peoples
::poeple::people
::poety::poetry
::poisin::poison
::polical::political
::polinator::pollinator
::polinators::pollinators
::politican::politician
::politicans::politicians
::poltical::political
::polute::pollute
::poluted::polluted
::polutes::pollutes
::poluting::polluting
::polution::pollution
::polyphonyic::polyphonic
::polysaccaride::polysaccharide
::polysaccharid::polysaccharide
::pomegranite::pomegranate
::pomotion::promotion
::poportional::proportional
::popoulation::population
::popularaty::popularity
::populare::popular
::populer::popular
::porblem::problem
::porblems::problems
::portait::portrait
::portayed::portrayed
::portraing::portraying
::portugese::Portuguese
::portuguease::portuguese
::portugues::Portuguese
::porvide::provide
::posess::possess
::posessed::possessed
::posesses::possesses
::posessing::possessing
::posession::possession
::posessions::possessions
::posion::poison
::positon::position
::possable::possible
::possably::possibly
::posseses::possesses
::possesing::possessing
::possesion::possession
::possessess::possesses
::possibile::possible
::possibilty::possibility
::possiblility::possibility
::possiblilty::possibility
::possiblities::possibilities
::possiblity::possibility
::possition::position
::postdam::Potsdam
::posthomous::posthumous
::postion::position
::postition::position
::postive::positive
::potatoe::potato
::potatos::potatoes
::potentialy::potentially
::potrait::portrait
::potrayed::portrayed
::poulations::populations
::poverful::powerful
::poweful::powerful
::powerfull::powerful
::ppublisher::publisher
::practial::practical
::practially::practically
::practicaly::practically
::practicioner::practitioner
::practicioners::practitioners
::practicly::practically
::practioner::practitioner
::practioners::practitioners
::prairy::prairie
::prarie::prairie
::praries::prairies
::pratice::practice
::preample::preamble
::precedessor::predecessor
::preceed::precede
::preceeded::preceded
::preceeding::preceding
::preceeds::precedes
::precentage::percentage
::precice::precise
::precisly::precisely
::pre-Colombian::pre-Columbian
::precurser::precursor
::predecesors::predecessors
::predicatble::predictable
::predicitons::predictions
::predomiantly::predominately
::prefered::preferred
::prefering::preferring
::prefernece::preference
::preferneces::preferences
::preferrably::preferably
::pregancies::pregnancies
::pregnent::pregnant
::preiod::period
::preliferation::proliferation
::premeire::premiere
::premeired::premiered
::premillenial::premillennial
::preminence::preeminence
::premission::permission
::premonasterians::Premonstratensians
::preocupation::preoccupation
::prepair::prepare
::prepartion::preparation
::prepatory::preparatory
::preperation::preparation
::preperations::preparations
::preriod::period
::presance::presence
::presedential::presidential
::presense::presence
::presidenital::presidential
::presidental::presidential
::presitgious::prestigious
::prespective::perspective
::prestigeous::prestigious
::prestigous::prestigious
::presumabely::presumably
::presumibly::presumably
::pretection::protection
::prevelant::prevalent
::preverse::perverse
::previvous::previous
::pricipal::principal
::priciple::principle
::priestood::priesthood
::primarly::primarily
::primative::primitive
::primatively::primitively
::primatives::primitives
::primordal::primordial
::privalege::privilege
::privaleges::privileges
::priveledges::privileges
::privelege::privilege
::priveleged::privileged
::priveleges::privileges
::privelige::privilege
::priveliged::privileged
::priveliges::privileges
::privelleges::privileges
::privilage::privilege
::priviledge::privilege
::priviledges::privileges
::privledge::privilege
::privte::private
::probabilaty::probability
::probablistic::probabilistic
::probablly::probably
::probalibity::probability
::probaly::probably
::probelm::problem
::probelms::problems
::proccess::process
::proccessing::processing
::procede::proceed
::proceded::proceeded
::procedes::proceeds
::procedger::procedure
::proceding::proceeding
::procedings::proceedings
::proceedure::procedure
::proces::process
::processer::processor
::proclaimation::proclamation
::proclamed::proclaimed
::proclaming::proclaiming
::proclomation::proclamation
::profesion::profession
::profesor::professor
::professer::professor
::proffesed::professed
::proffesion::profession
::proffesional::professional
::proffesor::professor
::profilic::prolific
::progessed::progressed
::programable::programmable
::progrom::program
::progroms::programs
::prohabition::prohibition
::prologomena::prolegomena
::prominance::prominence
::prominant::prominent
::prominantly::prominently
::prominately::prominently
::promiscous::promiscuous
::promotted::promoted
::pronomial::pronominal
::pronouced::pronounced
::pronounched::pronounced
::pronounciation::pronunciation
::proove::prove
::prooved::proved
::prophacy::prophecy
::propietary::proprietary
::propmted::prompted
::propoganda::propaganda
::propogate::propagate
::propogates::propagates
::propogation::propagation
::propostion::proposition
::propotions::proportions
::propper::proper
::propperly::properly
::proprietory::proprietary
::proseletyzing::proselytizing
::protaganist::protagonist
::protaganists::protagonists
::protege::protégé
::protem::pro tem
::protien::protein
::protocal::protocol
::protoganist::protagonist
::protoge::protégé
::protrayed::portrayed
::protruberance::protuberance
::protruberances::protuberances
::prouncements::pronouncements
::provacative::provocative
::provded::provided
::provicial::provincial
::provinicial::provincial
::provisiosn::provision
::provisonal::provisional
::proximty::proximity
::pseudononymous::pseudonymous
::pseudonyn::pseudonym
::psoition::position
::psuedo::pseudo
::psycology::psychology
::psyhic::psychic
::ptogress::progress
::pubilsher::publisher
::pubisher::publisher
::publiaher::publisher
::publically::publicly
::publicaly::publicly
::publicher::publisher
::publihser::publisher
::publisehr::publisher
::publiser::publisher
::publisger::publisher
::publisheed::published
::publisherr::publisher
::publishher::publisher
::publishor::publisher
::publishre::publisher
::publissher::publisher
::publlisher::publisher
::publsiher::publisher
::publusher::publisher
::puchasing::purchasing
::pucini::Puccini
::puertorrican::Puerto Rican
::puertorricans::Puerto Ricans
::pulisher::publisher
::pumkin::pumpkin
::puplisher::publisher
::puritannical::puritanical
::purposedly::purposely
::purpotedly::purportedly
::pursuade::persuade
::pursuaded::persuaded
::pursuades::persuades
::pususading::persuading
::puting::putting
::pwn::own
::pwoer::power
::pyscic::psychic
::qtuie::quite
::quantaty::quantity
::quantitiy::quantity
::quarantaine::quarantine
::quater::quarter
::quaters::quarters
::Queenland::Queensland
::quesion::question
::quesions::questions
::questioms::questions
::questionnair::questionnaire
::questiosn::questions
::questoin::question
::questonable::questionable
::quetion::question
::quetions::questions
::quicklyu::quickly
::quinessential::quintessential
::quitted::quit
::quizes::quizzes
::qutie::quite
::rabinnical::rabbinical
::racaus::raucous
::radiactive::radioactive
::radify::ratify
::raelly::really
::rancourous::rancorous
::rarified::rarefied
::rasberry::raspberry
::ratehr::rather
::reaccurring::recurring
::reacing::reaching
::reacll::recall
::readmition::readmission
::realitvely::relatively
::realsitic::realistic
::realtions::relations
::realy::really
::realyl::really
::reasearch::research
::rebiulding::rebuilding
::rebllions::rebellions
::rebounce::rebound
::reccomend::recommend
::reccomendations::recommendations
::reccomended::recommended
::reccomending::recommending
::reccommend::recommend
::reccommended::recommended
::reccommending::recommending
::reccuring::recurring
::receeded::receded
::receeding::receding
::receieve::receive
::receivedfrom::received from
::recepient::recipient
::recepients::recipients
::receving::receiving
::rechargable::rechargeable
::reched::reached
::recide::reside
::recided::resided
::recident::resident
::recidents::residents
::reciding::residing
::reciepents::recipients
::reciept::receipt
::recieve::receive
::recieved::received
::reciever::receiver
::recievers::receivers
::recieves::receives
::recieving::receiving
::recipiant::recipient
::recipiants::recipients
::recived::received
::recivership::receivership
::recogise::recognise
::recogize::recognize
::recomend::recommend
::recomendation::recommendation
::recomendations::recommendations
::recomended::recommended
::recomending::recommending
::recomends::recommends
::recommedations::recommendations
::reconaissance::reconnaissance
::reconcilation::reconciliation
::reconize::recognize
::reconized::recognized
::reconnaisance::reconnaissance
::reconnaissence::reconnaissance
::recontructed::reconstructed
::recordproducer::record producer
::recquired::required
::recrational::recreational
::recrod::record
::recuiting::recruiting
::recuring::recurring
::recurrance::recurrence
::recyling::recycling
::rediculous::ridiculous
::reedeming::redeeming
::reenforced::reinforced
::refect::reflect
::refedendum::referendum
::referal::referral
::referece::reference
::refereces::references
::refered::referred
::referemce::reference
::referemces::references
::referencs::references
::referenece::reference
::refereneced::referenced
::refereneces::references
::referiang::referring
::refering::referring
::refernce::reference
::refernce::references
::refernces::references
::referrence::reference
::referrences::references
::referrs::refers
::reffered::referred
::refference::reference
::reffering::referring
::refrence::reference
::refrences::references
::refrers::refers
::refridgeration::refrigeration
::refridgerator::refrigerator
::refromist::reformist
::refusla::refusal
::regardes::regards
::regluar::regular
::reguarly::regularly
::regulaion::regulation
::regulaotrs::regulators
::regularily::regularly
::rehersal::rehearsal
::reicarnation::reincarnation
::reigining::reigning
::reknown::renown
::reknowned::renowned
::rela::real
::relaly::really
::relatiopnship::relationship
::relativly::relatively
::relected::reelected
::releive::relieve
::releived::relieved
::releiver::reliever
::releses::releases
::relevence::relevance
::relevent::relevant
::reliablity::reliability
::relient::reliant
::religeous::religious
::religous::religious
::religously::religiously
::relinqushment::relinquishment
::relitavely::relatively
::relized::realised
::relized::realized
::relpacement::replacement
::reluctent::reluctant
::remaing::remaining
::remeber::remember
::rememberable::memorable
::rememberance::remembrance
::remembrence::remembrance
::remenant::remnant
::remenicent::reminiscent
::reminent::remnant
::reminescent::reminiscent
::reminscent::reminiscent
::reminsicent::reminiscent
::rendevous::rendezvous
::rendezous::rendezvous
::renedered::rende
::renewl::renewal
::rennovate::renovate
::rennovated::renovated
::rennovating::renovating
::rennovation::renovation
::rentors::renters
::reoccurrence::recurrence
::reommend::recommend
::reorganision::reorganisation
::repatition::repetition
::repblic::republic
::repblican::republican
::repblicans::republicans
::repblics::republics
::repectively::respectively
::repeition::repetition
::repentence::repentance
::repentent::repentant
::repeteadly::repeatedly
::repetion::repetition
::repid::rapid
::reponse::response
::reponsible::responsible
::reportadly::reportedly
::represantative::representative
::representativs::representatives
::representive::representative
::representives::representatives
::represetned::represented
::represnt::represent
::reproducable::reproducible
::reprtoire::repertoire
::repsectively::respectively
::reptition::repetition
::repubic::republic
::repubican::republican
::repubicans::republicans
::repubics::republics
::republi::republic
::republian::republican
::republians::republicans
::republis::republics
::repulic::republic
::repulican::republican
::repulicans::republicans
::repulics::republics
::requirment::requirement
::requred::required
::resaurant::restaurant
::resembelance::resemblance
::resembes::resembles
::resemblence::resemblance
::reserach::research
::resevoir::reservoir
::residental::residential
::resignement::resignment
::resistable::resistible
::resistence::resistance
::resistent::resistant
::resollution::resolution
::resorces::resources
::respectivly::respectively
::respomd::respond
::respomse::response
::responce::response
::responibilities::responsibilities
::responisble::responsible
::responnsibilty::responsibility
::responsability::responsibility
::responsable::responsible
::responsibile::responsible
::responsibilites::responsibilities
::responsiblities::responsibilities
::responsiblity::responsibility
::ressemblance::resemblance
::ressemble::resemble
::ressembled::resembled
::ressemblence::resemblance
::ressembling::resembling
::resssurecting::resurrecting
::ressurect::resurrect
::ressurected::resurrected
::ressurection::resurrection
::ressurrection::resurrection
::restarant::restaurant
::restarants::restaurants
::restaraunt::restaurant
::restaraunteur::restaurateur
::restaraunteurs::restaurateurs
::restaraunts::restaurants
::restauranteurs::restaurateurs
::restauration::restoration
::restauraunt::restaurant
::resteraunt::restaurant
::resteraunts::restaurants
::resticted::restricted
::restraunt::restaurant
::restuarant::restaurant
::resturant::restaurant
::resturants::restaurants
::resturaunt::restaurant
::resturaunts::restaurants
::resurecting::resurrecting
::resurgance::resurgence
::retalitated::retaliated
::retalitation::retaliation
::retreive::retrieve
::returnd::returned
::reult::result
::revaluated::reevaluated
::reveiw::review
::reveiwing::reviewing
::reveral::reversal
::reversable::reversible
::revolutionar::revolutionary
::rewitten::rewritten
::rewriet::rewrite
::rference::reference
::rferences::references
::rhymme::rhyme
::rhythem::rhythm
::rhythim::rhythm
::rhytmic::rhythmic
::rigeur::rigueur
::rigeur::rigor
::rigourous::rigorous
::rininging::ringing
::rised::rose
::rockerfeller::Rockefeller
::rococco::rococo
::rocord::record
::roomate::roommate
::rougly::roughly
::rucuperate::recuperate
::rudimentatry::rudimentary
::rulle::rule
::rumers::rumors
::runing::running
::runnung::running
::russina::Russian
::russion::Russian
::rwite::write
::rythem::rhythm
::rythim::rhythm
::rythm::rhythm
::rythmic::rhythmic
::rythyms::rhythms
::sacrafice::sacrifice
::sacreligious::sacrilegious
::sacrifical::sacrificial
::saftey::safety
::safty::safety
::saidhe::said he
::saidit::said it
::saidt he::said the
::saidthat::said that
::saidthe::said the
::salery::salary
::sanctionning::sanctioning
::sandess::sadness
::sandwhich::sandwich
::sanhedrim::Sanhedrin
::santioned::sanctioned
::sargant::sergeant
::sargeant::sergeant
::sasy::says
::satelite::satellite
::satelites::satellites
::saterday::Saturday
::saterdays::Saturdays
::satisfactority::satisfactorily
::satric::satiric
::satrical::satirical
::satrically::satirically
::sattelite::satellite
::sattelites::satellites
::saturday::Saturday
::saught::sought
::saveing::saving
::saxaphone::saxophone
::scaleable::scalable
::scandanavia::Scandinavia
::scaricity::scarcity
::scavanged::scavenged
::scedule::schedule
::sceduled::scheduled
::schedual::schedule
::scholarhip::scholarship
::scholarstic::scholastic
::scientfic::scientific
::scientifc::scientific
::scientis::scientist
::scince::science
::scinece::science
::scirpt::script
::scoll::scroll
::screenwrighter::screenwriter
::scrutinity::scrutiny
::scuptures::sculptures
::seach::search
::seached::searched
::seaches::searches
::seance::séance
::secceeded::succeeded
::secceeded::seceded
::seceed::succeed
::seceed::secede
::seceeded::succeeded
::seceeded::seceded
::secratary::secretary
::secretery::secretary
::sectino::section
::sedereal::sidereal
::seeked::sought
::segementation::segmentation
::seguoys::segues
::seh::she
::seige::siege
::seing::seeing
::seinor::senior
::seldomly::seldom
::selectoin::selection
::senarios::scenarios
::sence::sense
::senstive::sensitive
::sensure::censure
::sentance::sentence
::separeate::separate
::seperate::separate
::seperated::separated
::seperately::separately
::seperates::separates
::seperating::separating
::seperation::separation
::seperatism::separatism
::seperatist::separatist
::sepina::subpoena
::september::September
::sepulchure::sepulchre
::sepulchure::sepulcher
::sepulcre::sepulcher
::sercumstances::circumstances
::sergent::sergeant
::settelement::settlement
::settlment::settlement
::severeal::several
::severley::severely
::severly::severely
::sevice::service
::shadasloo::shadaloo
::shaddow::shadow
::shadoloo::shadaloo
::shamen::shaman
::shcool::school
::she;ll::she'll
::sheat::sheet
::sheild::shield
::sherif::sheriff
::shesaid::she said
::shineing::shining
::shiped::shipped
::shiping::shipping
::shopkeeepers::shopkeepers
::shorly::shortly
::shortwhile::short while
::shoudl::should
::shoudln::shouldn't
::shoudln't::shouldn't
::should of::should have
::should of been::should have been
::should of had::should have had
::shouldent::shouldn't
::shouldn;t::shouldn't
::shouldnt::shouldn't
::showinf::showing
::shreak::shriek
::shrinked::shrunk
::sicne::since
::sideral::sidereal
::sieze::seize
::siezed::seized
::siezing::seizing
::siezure::seizure
::siezures::seizures
::siginificant::significant
::signficant::significant
::signficiant::significant
::signfies::signifies
::signifacnt::significant
::signifantly::significantly
::significently::significantly
::signifigant::significant
::signifigantly::significantly
::signitories::signatories
::signitory::signatory
::silicone chip::silicon chip
::simalar::similar
::similarily::similarly
::similiar::similar
::similiarity::similarity
::similiarly::similarly
::simmilar::similar
::simpley::simply
::simplier::simpler
::simpyl::simply
::simultanous::simultaneous
::simultanously::simultaneously
::sincerley::sincerely
::sincerly::sincerely
::singsog::singsong
::sinse::since
::sionist::Zionist
::sionists::Zionists
::sitll::still
::sixtin::Sistine
::skagerak::Skagerrak
::skateing::skating
::slaugterhouses::slaughterhouses
::slighly::slightly
::slowy::slowly
::smae::same
::smealting::smelting
::smoe::some
::smoothe::smooth
::smoothes::smooths
::sneeks::sneaks
::snese::sneeze
::snese::sense
::socalism::socialism
::socities::societies
::soem::some
::sofware::software
::sohw::show
::soical::social
::soilders::soldiers
::solatary::solitary
::soley::solely
::soliders::soldiers
::soliliquy::soliloquy
::soluable::soluble
::somene::someone
::somethign::something
::someting::something
::somewaht::somewhat
::somthing::something
::somtimes::sometimes
::somwhere::somewhere
::sophicated::sophisticated
::sophmore::sophomore
::sorceror::sorcerer
::sorrounding::surrounding
::sot hat::so that
::sotry::story
::sotyr::story
::soudn::sound
::soudns::sounds
::sould::should
::sountrack::soundtrack
::sourth::south
::sourthern::southern
::souvenier::souvenir
::souveniers::souvenirs
::soveits::soviets
::soveits::soviets(x
::sovereignity::sovereignty
::soverign::sovereign
::soverignity::sovereignty
::soverignty::sovereignty
::spainish::Spanish
::speach::speech
::specfic::specific
::speciallized::specialised
::speciallized::specialized
::specif::specify
::specif::specific
::specificaly::specifically
::specificalyl::specifically
::specifiying::specifying
::speciman::specimen
::spectauclar::spectacular
::spectaulars::spectaculars
::spects::aspects
::spectum::spectrum
::speices::species
::spendour::splendour
::spermatozoan::spermatozoon
::spoace::space
::sponser::sponsor
::sponsered::sponsored
::spontanous::spontaneous
::sponzored::sponsored
::spoonfulls::spoonfuls
::sportscar::sports car
::sppeches::speeches
::spreaded::spread
::sprech::speech
::spred::spread
::spriritual::spiritual
::spritual::spiritual
::sqaure::square
::stablility::stability
::stainlees::stainless
::staion::station
::standars::standards
::stange::strange
::startegic::strategic
::startegies::strategies
::startegy::strategy
::stateman::statesman
::statememts::statements
::statment::statement
::statments::statements
::steriods::steroids
::sterotypes::stereotypes
::stilus::stylus
::stingent::stringent
::stiring::stirring
::stirrs::stirs
::stlye::style
::stnad::stand
::stomache::stomach
::stong::strong
::stopry::story
::storeis::stories
::storise::stories
::stornegst::strongest
::stoyr::story
::stpo::stop
::stradegies::strategies
::stradegy::strategy
::strat::start
::stratagically::strategically
::streemlining::streamlining
::stregth::strength
::strenghen::strengthen
::strenghened::strengthened
::strenghening::strengthening
::strenght::strength
::strenghten::strengthen
::strenghtened::strengthened
::strenghtening::strengthening
::strengtened::strengthened
::strenous::strenuous
::strentgh::strength
::strictist::strictest
::strikely::strikingly
::strnad::strand
::stroy::story
::structual::structural
::struggel::struggle
::strugle::struggle
::stubborness::stubbornness
::stucture::structure
::stuctured::structured
::studdy::study
::studing::studying
::studnet::student
::stuggling::struggling
::sturcture::structure
::subcatagories::subcategories
::subcatagory::subcategory
::subconsiously::subconsciously
::subjudgation::subjugation
::submachne::submachine
::subpecies::subspecies
::subsidary::subsidiary
::subsiduary::subsidiary
::subsquent::subsequent
::subsquently::subsequently
::substace::substance
::substancial::substantial
::substatial::substantial
::substituded::substituted
::substract::subtract
::substracted::subtracted
::substracting::subtracting
::substraction::subtraction
::substracts::subtracts
::subtances::substances
::subterranian::subterranean
::suburburban::suburban
::succceeded::succeeded
::succcesses::successes
::succedded::succeeded
::succeded::succeeded
::succeds::succeeds
::succesful::successful
::succesfully::successfully
::succesfuly::successfully
::succesion::succession
::succesive::successive
::successfull::successful
::successfuly::successfully
::successfulyl::successfully
::successully::successfully
::succsess::success
::succsessfull::successful
::suceed::succeed
::suceeded::succeeded
::suceeding::succeeding
::suceeds::succeeds
::sucesful::successful
::sucesfully::successfully
::sucesfuly::successfully
::sucesion::succession
::sucess::success
::sucesses::successes
::sucessful::successful
::sucessfull::successful
::sucessfully::successfully
::sucessfuly::successfully
::sucession::succession
::sucessive::successive
::sucessor::successor
::sucessot::successor
::sucide::suicide
::sucidial::suicidal
::suffcient::sufficient
::suffciently::sufficiently
::sufferage::suffrage
::sufferred::suffered
::sufferring::suffering
::sufficent::sufficient
::sufficently::sufficiently
::sufficiant::sufficient
::suggestable::suggestible
::sumary::summary
::sunday::Sunday
::sunglases::sunglasses
::suop::soup
::superceeded::superseded
::superintendant::superintendent
::suphisticated::sophisticated
::suplimented::supplemented
::supose::suppose
::suposed::supposed
::suposedly::supposedly
::suposes::supposes
::suposing::supposing
::supplamented::supplemented
::suppliementing::supplementing
::suppoed::supposed
::supposingly::supposedly
::suppossed::supposed
::suppy::supply
::supress::suppress
::supressed::suppressed
::supresses::suppresses
::supressing::suppressing
::suprise::surprise
::suprised::surprised
::suprising::surprising
::suprisingly::surprisingly
::suprize::surprise
::suprized::surprised
::suprizing::surprising
::suprizingly::surprisingly
::surfce::surface
::surley::surely
::surley::surly
::suround::surround
::surounded::surrounded
::surounding::surrounding
::suroundings::surroundings
::surounds::surrounds
::surplanted::supplanted
::surpress::suppress
::surpressed::suppressed
::surprize::surprise
::surprized::surprised
::surprizing::surprising
::surprizingly::surprisingly
::surrended::surrendered
::surrepetitious::surreptitious
::surrepetitiously::surreptitiously
::surreptious::surreptitious
::surreptiously::surreptitiously
::surronded::surrounded
::surrouded::surrounded
::surrouding::surrounding
::surrundering::surrendering
::surveilence::surveillance
::surveill::surveil
::surveyer::surveyor
::surviver::survivor
::survivers::survivors
::survivied::survived
::suseptable::susceptible
::suseptible::susceptible
::suspention::suspension
::svae::save
::svaes::saves
::swaer::swear
::swaers::swears
::swepth::swept
::swiming::swimming
::syas::says
::symetrical::symmetrical
::symetrically::symmetrically
::symetry::symmetry
::symettric::symmetric
::symmetral::symmetric
::symmetricaly::symmetrically
::synagouge::synagogue
::syncronization::synchronization
::synonomous::synonymous
::synonymns::synonyms
::synphony::symphony
::syphyllis::syphilis
::sypmtoms::symptoms
::syrap::syrup
::sysmatically::systematically
::sytem::system
::sytle::style
::tabacco::tobacco
::tahn::than
::taht::that
::tahts::that's
::talekd::talked
::talkign::talking
::targetted::targeted
::targetting::targeting
::tast::taste
::tath::that
::tatoo::tattoo
::tattooes::tattoos
::taxanomic::taxonomic
::taxanomy::taxonomy
::teached::taught
::techician::technician
::techicians::technicians
::techiniques::techniques
::technitian::technician
::technnology::technology
::technolgy::technology
::tecnical::technical
::teh::the
::tehw::the
::tehy::they
::telelevision::television
::televize::televise
::televsion::television
::tellt he::tell the
::telphony::telephony
::temerature::temperature
::tempalte::template
::tempaltes::templates
::temparate::temperate
::temperarily::temporarily
::temperment::temperament
::tempermental::temperamental
::tempertaure::temperature
::temperture::temperature
::temprary::temporary
::tenacle::tentacle
::tenacles::tentacles
::tendacy::tendency
::tendancies::tendencies
::tendancy::tendency
::tendonitis::tendinitis
::tennisplayer::tennis player
::tepmorarily::temporarily
::termoil::turmoil
::terrestial::terrestrial
::terriories::territories
::terriory::territory
::territorist::terrorist
::territoy::territory
::terroist::terrorist
::testiclular::testicular
::tghe::the
::tghis::this
::thansk::thanks
::thast::that's
::thats::that's
::thatt he::that the
::thatthe::that the
::theather::theatre
::theather::theater
::thecompany::the company
::theese::these
::thefirst::the first
::thegovernment::the government
::theh::the
::theif::thief
::their are::there are
::their is::there is
::theives::thieves
::themself::themselves
::themselfs::themselves
::themslves::themselves
::thenew::the new
::ther::there
::therafter::thereafter
::therby::thereby
::there's is::theirs is
::theri::their
::thesame::the same
::thetwo::the two
::they;l::they'll
::they;ll::they'll
::they;r::they're
::they;re::they're
::they;v::they've
::they;ve::they've
::theyll::they'll
::theyre::they're
::they're are::there are
::they're is::there is
::theyve::they've
::thgat::that
::thge::the
::thier::their
::thign::thing
::thigns::things
::thigsn::things
::thikn::think
::thikning::thinking
::thikns::thinks
::thisyear::this year
::thiunk::think
::thn::then
::thna::than
::thne::then
::thnig::thing
::thnigs::things
::thoughout::throughout
::threatend::threatened
::threatning::threatening
::threee::three
::threshhold::threshold
::thrid::third
::throrough::thorough
::throughly::thoroughly
::throught::thought
::througout::throughout
::throuhg::through
::thru::through
::thsi::this
::thsoe::those
::thta::that
::thursday::Thursday
::thw::the
::thyat::that
::tiem::time
::tiget::tiger
::tihkn::think
::tihs::this
::timne::time
::tiogether::together
::tiome::time
::tje::the
::tjhe::the
::tjpanishad::upanishad
::tkae::take
::tkaes::takes
::tkaing::taking
::tlaking::talking
::tobbaco::tobacco
::todays::today's
::todya::today
::togehter::together
::toghether::together
::toke::took
::toldt he::told the
::tolerence::tolerance
::tolkein::Tolkien
::tomatos::tomatoes
::tommorow::tomorrow
::tommorrow::tomorrow
::tomorow::tomorrow
::tongiht::tonight
::tonihgt::tonight
::toriodal::toroidal
::tormenters::tormentors
::tornadoe::tornado
::torpeados::torpedoes
::torpedos::torpedoes
::tot he::to the
::totaly::totally
::totalyl::totally
::tothe::to the
::toubles::troubles
::tounge::tongue
::tourch::torch
::towords::towards
::towrad::toward
::tradionally::traditionally
::traditionaly::traditionally
::traditionalyl::traditionally
::traditionnal::traditional
::traditition::tradition
::tradtionally::traditionally
::trafficed::trafficked
::trafficing::trafficking
::trafic::traffic
::trancendent::transcendent
::trancending::transcending
::tranform::transform
::tranformed::transformed
::transcendance::transcendence
::transcendant::transcendent
::transcendentational::transcendental
::transcripting::transcribing
::transcripting::transcription
::transending::transcending
::transesxuals::transsexuals
::transfered::transferred
::transfering::transferring
::transformaton::transformation
::transistion::transition
::translater::translator
::translaters::translators
::transmissable::transmissible
::transporation::transportation
::travelling::traveling
::tremelo::tremolo
::tremelos::tremolos
::triathalon::triathlon
::triguered::triggered
::triology::trilogy
::troling::trolling
::troup::troupe
::troups::troops
::troups::troupes
::truely::truly
::truley::truly
::trustworthyness::trustworthiness
::tryed::tried
::tthe::the
::tuesday::Tuesday
::turnk::trunk
::tuscon::Tucson
::tust::trust
::twelth::twelfth
::twon::town
::twpo::two
::tyhat::that
::tyhe::the
::tyhe::they
::typcial::typical
::typicaly::typically
::tyranies::tyrannies
::tyrany::tyranny
::tyrranies::tyrannies
::tyrrany::tyranny
::ubiquitious::ubiquitous
::ublisher::publisher
::udnerstand::understand
::uise::use
::ukelele::ukulele
::ukranian::Ukrainian
::ultimely::ultimately
::unacompanied::unaccompanied
::unahppy::unhappy
::unanymous::unanimous
::unathorised::unauthorised
::unavailible::unavailable
::unballance::unbalance
::unbeknowst::unbeknownst
::unbeleivable::unbelievable
::uncertainity::uncertainty
::unchallengable::unchallengeable
::unchangable::unchangeable
::uncompetive::uncompetitive
::unconcious::unconscious
::unconciousness::unconsciousness
::unconfortability::discomfort
::uncontitutional::unconstitutional
::unconvential::unconventional
::undecideable::undecidable
::understnad::understand
::understoon::understood
::undert he::under the
::undesireable::undesirable
::undetecable::undetectable
::undoubtely::undoubtedly
::undreground::underground
::uneccesary::unnecessary
::unecessary::unnecessary
::unequalities::inequalities
::unforetunately::unfortunately
::unforgetable::unforgettable
::unforgiveable::unforgivable
::unfortunatley::unfortunately
::unfortunatly::unfortunately
::unfourtunately::unfortunately
::unihabited::uninhabited
::unilateraly::unilaterally
::unilatreal::unilateral
::unilatreally::unilaterally
::uninterruped::uninterrupted
::uninterupted::uninterrupted
::UnitedStates::United States
::unitesstates::United States
::UnitesStates::UnitedStates
::univeral::universal
::univeristies::universities
::univeristy::university
::univerity::university
::universtiy::university
::univesities::universities
::univesity::university
::unkown::unknown
::unliek::unlike
::unlikey::unlikely
::unmanouverable::unmanoeuvrable
::unmanouverable::unmaneuverable
::unmistakeably::unmistakably
::unneccesarily::unnecessarily
::unneccesary::unnecessary
::unneccessarily::unnecessarily
::unneccessary::unnecessary
::unnecesarily::unnecessarily
::unnecesary::unnecessary
::unoffical::unofficial
::unoperational::nonoperational
::unoticeable::unnoticeable
::unplease::displease
::unpleasently::unpleasantly
::unplesant::unpleasant
::unprecendented::unprecedented
::unprecidented::unprecedented
::unrepentent::unrepentant
::unrepetant::unrepentant
::unrepetent::unrepentant
::unsed::unused
::unsubstanciated::unsubstantiated
::unsuccesful::unsuccessful
::unsuccesfully::unsuccessfully
::unsuccessfull::unsuccessful
::unsucesful::unsuccessful
::unsucesfuly::unsuccessfully
::unsucessful::unsuccessful
::unsucessfull::unsuccessful
::unsucessfully::unsuccessfully
::unsuprised::unsurprised
::unsuprising::unsurprising
::unsuprisingly::unsurprisingly
::unsuprized::unsurprised
::unsuprizing::unsurprising
::unsuprizingly::unsurprisingly
::unsurprized::unsurprised
::unsurprizing::unsurprising
::unsurprizingly::unsurprisingly
::untill::until
::untilll::until
::untranslateable::untranslatable
::unuseable::unusable
::unusuable::unusable
::unviersity::university
::unwarrented::unwarranted
::unweildly::unwieldy
::unwieldly::unwieldy
::upcomming::upcoming
::upgradded::upgraded
::upto::up to
::usally::usually
::useage::usage
::usefull::useful
::usefuly::usefully
::useing::using
::usualy::usually
::usualyl::usually
::ususally::usually
::vaccum::vacuum
::vaccume::vacuum
::vacinity::vicinity
::vaguaries::vagaries
::vaieties::varieties
::vailidty::validity
::valetta::valletta
::valuble::valuable
::valueable::valuable
::varations::variations
::varient::variant
::variey::variety
::varing::varying
::varities::varieties
::varity::variety
::varous::various
::vasall::vassal
::vasalls::vassals
::vegatarian::vegetarian
::vegitable::vegetable
::vegitables::vegetables
::vegtable::vegetable
::vehicule::vehicle
::vell::well
::venemous::venomous
::vengance::vengeance
::vengence::vengeance
::verfication::verification
::verison::version
::verisons::versions
::vermillion::vermilion
::versitilaty::versatility
::versitlity::versatility
::vetween::between
::veyr::very
::vigeur::vigor
::vigilence::vigilance
::vigourous::vigorous
::villian::villain
::villification::vilification
::villify::vilify
::villin::villain
::vincinity::vicinity
::violentce::violence
::virgina::Virginia
::virtualy::virtually
::virtualyl::virtually
::virutal::virtual
::virutally::virtually
::visable::visible
::visably::visibly
::vis-a-vis::vis-à-vis
::visting::visiting
::vistors::visitors
::vitories::victories
::volcanoe::volcano
::voleyball::volleyball
::volkswagon::Volkswagen
::volontary::voluntary
::volonteer::volunteer
::volonteered::volunteered
::volonteering::volunteering
::volonteers::volunteers
::volounteer::volunteer
::volounteered::volunteered
::volounteering::volunteering
::volounteers::volunteers
::volumne::volume
::vreity::variety
::vrey::very
::vriety::variety
::vulnerablility::vulnerability
::vulnerible::vulnerable
::vyer::very
::vyre::very
::wa snot::was not
::waht::what
::wan tit::want it
::wanna::want to
::warantee::warranty
::wardobe::wardrobe
::warrent::warrant
::warrriors::warriors
::wasnt::wasn't
::wass::was
::watn::want
::wayword::wayward
::we;d::we'd
::we;ll::we'll
::we;re::we're
::we;ve::we've
::weaponary::weaponry
::weas::was
::wednesday::Wednesday
::wehn::when
::wehre::where
::weild::wield
::weilded::wielded
::wendsay::wednesday
::wensday::wednesday
::wereabouts::whereabouts
::wern't::weren't
::werre::were
::wether::weather
::whant::want
::whants::wants
::what;s::what's
::whcih::which
::whent he::when the
::wheras::whereas
::where;s::where's
::wherease::whereas
::whereever::wherever
::wherre::where
::whic::which
::whicht he::which the
::whihc::which
::whith::with
::whlch::which
::whn::when
::who;s::who's
::who;ve::who've
::wholey::wholly
::wholy::wholly
::whta::what
::whther::whether
::wich::which
::widesread::widespread
::wief::wife
::wiegh::weigh
::wierd::weird
::wiew::view
::wih::with
::wihch::which
::wiht::with
::will of::will have
::will of been::will have been
::will of had::will have had
::willbe::will be
::wille::will
::willingless::willingness
::windoes::windows
::wintery::wintry
::wirting::writing
::witha::with a
::withdrawl::withdrawal
::withe::with
::witheld::withheld
::withh::with
::withing::within
::withold::withhold
::witht::with
::witht he::with the
::withthe::with the
::witn::with
::wiull::will
::wnat::want
::wnated::wanted
::wnats::wants
::woh::who
::wohle::whole
::wokr::work
::wokring::working
::womens::women's
::won;t::won't
::wonderfull::wonderful
::wo'nt::won't
::wordlwide::worldwide
::workststion::workstation
::worls::world
::worstened::worsened
::woudl::would
::woudln't::wouldn't
::would of::would have
::would of been::would have been
::would of had::would have had
::wouldbe::would be
::wouldn;t::wouldn't
::wouldnt::wouldn't
::woulf::wolf
::wresters::wrestlers
::wriet::write
::writen::written
::writting::writing
::wrod::word
::wroet::wrote
::wrok::work
::wroking::working
::ws::was
::wtih::with
::wuould::would
::wupport::support
::wya::way
::x-Box::Xbox
::xenophoby::xenophobia
::yaching::yachting
::yaer::year
::yaerly::yearly
::yaers::years
::yatch::yacht
::yearm::year
::yeasr::years
::yeild::yield
::yeilding::yielding
::yelow::yellow
::Yementite::Yemenite
::yera::year
::yeras::years
::yersa::years
::yoiu::you
::yoru::your
::yotube::youtube
::you;d::you'd
::you;re::you're
::youare::you are
::your a::you're a
::your an::you're an
::your her::you're her
::your here::you're here
::your his::you're his
::your my::you're my
::your the::you're the
::your their::you're their
::your your::you're your
::you're own::your own
::youseff::yousef
::youself::yourself
::youve::you've
::ytou::you
::yuo::you
::yuor::your
::zeebra::zebra
;------------------------------------------------------------------------------
; Make sentences start with capitals
;------------------------------------------------------------------------------
/*
Loop {
Input key, I L1 V,
( Join
{ScrollLock}{CapsLock}{NumLock}{Esc}{BS}{PrintScreen}{Pause}{LControl}{RControl}
{LAlt}{RAlt}{LShift}{RShift}{LWin}{RWin}{F1}{F2}{F3}{F4}{F5}{F6}{F7}{F8}{F9}{F10}{F11}{F12}
{Left}{Right}{Up}{Down}{Home}{End}{PgUp}{PgDn}{Del}{Ins}
)
If StrLen(ErrorLevel) > 3 ; NewInput, EndKey
state =
Else If InStr(".!?",key) ; Sentence end
state = 1
Else If InStr("`t `n",key) ; White space
state += (state = 1), set := 0 ; state1 -> state2
Else {
StringUpper key, key
If (state = 2) { ; End-Space*-Letter
SendInput {BS}{%key%} ; Letter -> Upper case
set := 1
}
state =
}
}
*/
;------------------------------------------------------------------------------
; User Adds
;------------------------------------------------------------------------------
::goin::going
::whats::what's
::hpoing::hoping
::wont::won't
::yw::you're welcome
::youd::you'd
::ot::to
::ni::in
::np::no problem
::htat::that
::thx::thanks
::hadnt::hadn't
::nohting::nothing
::chagne::change
::chagnes::changes
::ive::I've
::willin::willing
::apprecaite::appreciate
::programatically::programmatically
::havent::haven't
::thoguht::thought
::ofr::for
::nbd::no big deal
::queueing::queuing
::sory::sorry
::siad::said
::thatll::that'll
::ty::thank you
::youre::you're
::aewsome::awesome
::hwne::when
::hiim::him
::tho::though
::wahtever::whatever
::nad::and
::giong::going
::ahd::had
::cnat::can't
::hwo::how
::osmething::something
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment