Created
November 21, 2020 11:59
-
-
Save KeyC0de/885e1745d23a742d72775e8a882cbb42 to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
;------------------------------------------------------------------------------ | |
; 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. | |
::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. | |
:?:taion::ation | |
;:.*:oin::ion | |
;------------------------------------------------------------------------------ | |
; 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::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 | |
:*: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 | |
:*:supercede::supersede | |
:*:superceed::supersede | |
:*:weild::wield | |
;------------------------------------------------------------------------------ | |
; Word middles | |
;------------------------------------------------------------------------------ | |
:?*:compatab::compatib ; Covers incompat* and compat* | |
:?*:catagor::categor ; Covers subcatagories and catagories. | |
:?*:’::' | |
:?*:fraulein::fräulein | |
:?*:fuhrer::Führer | |
;------------------------------------------------------------------------------ | |
; 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). | |
;------------------------------------------------------------------------------ | |
;------------------------------------------------------------------------------ | |
; Common Misspellings - the main list | |
;------------------------------------------------------------------------------ | |
::htp:::http: | |
::http:\\::http:// | |
::httpL::http: | |
::herf::href | |
::hert::heart | |
::avengence::a vengeance | |
::adbandon::abandon | |
::abandonned::abandoned | |
::aberation::aberration | |
::aborigene::aborigine | |
::abortificant::abortifacient | |
::abbout::about | |
::abotu::about | |
::baout::about | |
::abouta::about a | |
::aboutit::about it | |
::aboutthe::about the | |
::abscence::absence | |
::absense::absence | |
::abcense::absense | |
::abstrain::abstain | |
::absolutly::absolutely | |
::asorbed::absorbed | |
::absorbsion::absorption | |
::absorbtion::absorption | |
::abundacies::abundances | |
::abundancies::abundances | |
::abundunt::abundant | |
::abutts::abuts | |
::acadmic::academic | |
::accademic::academic | |
::acedemic::academic | |
::acadamy::academy | |
::accademy::academy | |
::accelleration::acceleration | |
::acceptible::acceptable | |
::accepatble::acceptable | |
::acceptence::acceptance | |
::accessable::accessible | |
::accension::accession | |
::accesories::accessories | |
::accesorise::accessorise | |
::accidant::accident | |
::accidentaly::accidentally | |
::accidently::accidentally | |
::acclimitization::acclimatization | |
::accomdate::accommodate | |
::accomodate::accommodate | |
::acommodate::accommodate | |
::acomodate::accommodate | |
::accomodated::accommodated | |
::accomodates::accommodates | |
::accomodating::accommodating | |
::accomodation::accommodation | |
::accomodations::accommodations | |
::accompanyed::accompanied | |
::acomplish::accomplish | |
::acomplished::accomplished | |
::acomplishment::accomplishment | |
::acomplishments::accomplishments | |
::accoring::according | |
::acording::according | |
::accordingto::according to | |
::acordingly::accordingly | |
::accordeon::accordion | |
::accordian::accordion | |
::acocunt::account | |
::acuracy::accuracy | |
::acccused::accused | |
::accussed::accused | |
::acused::accused | |
::acustom::accustom | |
::acustommed::accustomed | |
::achive::achieve | |
::achivement::achievement | |
::achivements::achievements | |
::acknowldeged::acknowledged | |
::acknowledgeing::acknowledging | |
::accoustic::acoustic | |
::acquientance::acquaintance | |
::acquiantence::acquaintance | |
::aquaintance::acquaintance | |
::aquiantance::acquaintance | |
::acquiantences::acquaintances | |
::accquainted::acquainted | |
::aquainted::acquainted | |
::aquire::acquire | |
::aquired::acquired | |
::aquiring::acquiring | |
::aquit::acquit | |
::acquited::acquitted | |
::aquitted::acquitted | |
::accross::across | |
::actoer::actor | |
::acto::actor | |
::aciton::action | |
::acitivity::activity | |
::activly::actively | |
::activites::activities | |
::actualy::actually | |
::actualyl::actually | |
::adaption::adaptation | |
::adaptions::adaptations | |
::addtion::addition | |
::additinal::additional | |
::addtional::additional | |
::additinally::additionally | |
::addres::address | |
::adres::address | |
::adress::address | |
::addresable::addressable | |
::adresable::addressable | |
::adressable::addressable | |
::addresed::addressed | |
::adressed::addressed | |
::addressess::addresses | |
::addresing::addressing | |
::adresing::addressing | |
::adequeate::adequate | |
::adecuate::adequate | |
::adequit::adequate | |
::adequite::adequate | |
::adherance::adherence | |
::adhearing::adhering | |
::adminstered::administered | |
::adminstrate::administrate | |
::adminstration::administration | |
::admininistrative::administrative | |
::adminstrative::administrative | |
::adminstrator::administrator | |
::admissability::admissibility | |
::admissable::admissible | |
::addmission::admission | |
::admited::admitted | |
::admitedly::admittedly | |
::adolecent::adolescent | |
::dopelganger::doppelganger | |
::addopt::adopt | |
::addopted::adopted | |
::addoptive::adoptive | |
::advancec::advanced | |
::advancecd::advanced | |
::advancedc::advanced | |
::advacnaed::advanced | |
::advancecd::advanced | |
::advaned::advanced | |
::advancedc::advanced | |
::advanjcec::advancecd | |
::adavanced::advanced | |
::adantage::advantage | |
::advantange::advantage | |
::advanage::advantage | |
::advanture::adventure | |
::advantures::adventures | |
::adventrous::adventurous | |
::advesary::adversary | |
::advertisment::advertisement | |
::advertisments::advertisements | |
::asdvertising::advertising | |
::adivce::advice | |
::adviced::advised | |
::aeriel::aerial | |
::aeriels::aerials | |
::areodynamics::aerodynamics | |
::asthetic::aesthetic | |
::asthetical::aesthetic | |
::asthetically::aesthetically | |
::afair::affair | |
::afairs::affairs | |
::affilate::affiliate | |
::affilliate::affiliate | |
::afficionado::aficionado | |
::afficianados::aficionados | |
::afficionados::aficionados | |
::aforememtioned::aforementioned | |
::affraid::afraid | |
::afterthe::after the | |
::Afeter::After | |
::afeter::after | |
::agian::again | |
::agin::again | |
::againnst::against | |
::agains::against | |
::agaisnt::against | |
::aganist::against | |
::agianst::against | |
::aginst::against | |
::againstt he::against the | |
::aggaravates::aggravates | |
::agregate::aggregate | |
::agregates::aggregates | |
::agression::aggression | |
::aggresive::aggressive | |
::agressive::aggressive | |
::agressively::aggressively | |
::agressor::aggressor | |
::agrieved::aggrieved | |
::agre::agree | |
::aggreed::agreed | |
::agred::agreed | |
::agreable::agreeable | |
::agreing::agreeing | |
::aggreement::agreement | |
::agreeement::agreement | |
::agreemeent::agreement | |
::agreemnet::agreement | |
::agreemnt::agreement | |
::agreemeents::agreements | |
::agreemnets::agreements | |
::agricuture::agriculture | |
::airbourne::airborne | |
::aicraft::aircraft | |
::aircaft::aircraft | |
::aircrafts::aircraft | |
::airrcraft::aircraft | |
::aiport::airport | |
::airporta::airports | |
::albiet::albeit | |
::alchohol::alcohol | |
::alchol::alcohol | |
::alcohal::alcohol | |
::alochol::alcohol | |
::alchoholic::alcoholic | |
::alcholic::alcoholic | |
::alcoholical::alcoholic | |
::algebraical::algebraic | |
::algoritm::algorithm | |
::algorhitms::algorithms | |
::algoritms::algorithms | |
::alientating::alienating | |
::alltime::all-time | |
::aline::alien | |
::aledge::allege | |
::alege::allege | |
::alledge::allege | |
::aledged::alleged | |
::aleged::alleged | |
::alledged::alleged | |
::alledgedly::allegedly | |
::allegedely::allegedly | |
::allegedy::allegedly | |
::allegely::allegedly | |
::aledges::alleges | |
::alledges::alleges | |
::alegience::allegiance | |
::allegence::allegiance | |
::allegience::allegiance | |
::alliviate::alleviate | |
::aloy::alloy | |
::alow::alloy | |
::allopone::allophone | |
::allopones::allophones | |
::alotted::allotted | |
::alowed::allowed | |
::alowing::allowing | |
::alusion::allusion | |
::almots::almost | |
::almsot::almost | |
::alomst::almost | |
::alonw::alone | |
::allright::alright | |
::allready::already | |
::alraedy::already | |
::alreayd::already | |
::alreday::already | |
::aready::already | |
::alsation::Alsatian | |
::alsot::also | |
::aslo::also | |
::alternitives::alternatives | |
::alternatgive::alternative | |
::allthough::although | |
::althrough::although | |
::altho::although | |
::althought::although | |
::altough::although | |
::allwasy::always | |
::allwyas::always | |
::alwasy::always | |
::alwats::always | |
::alway::always | |
::alwyas::always | |
::amalgomated::amalgamated | |
::amatuer::amateur | |
::amerliorate::ameliorate | |
::ammend::amend | |
::ammended::amended | |
::admendment::amendment | |
::amendmant::amendment | |
::ammendment::amendment | |
::ammendments::amendments | |
::ammount::amount | |
::amoutn::amount | |
::ammoutn::amount | |
::amnount::amount | |
::amoung::among | |
::amung::among | |
::amoungst::amongst | |
::ammount::amount | |
::ammused::amused | |
::analagous::analogous | |
::analogeous::analogous | |
::analitic::analytic | |
::anarchim::anarchism | |
::anarchistm::anarchism | |
::ansestors::ancestors | |
::ancestory::ancestry | |
::ancilliary::ancillary | |
::adn::and | |
::an d::and | |
::ang::and | |
::anbd::and | |
::anmd::and | |
::andone::and one | |
::andt he::and the | |
::andteh::and the | |
::andthe::and the | |
::androgenous::androgynous | |
::androgeny::androgyny | |
::anihilation::annihilation | |
::aniversary::anniversary | |
::annouced::announced | |
::anounced::announced | |
::anual::annual | |
::annualy::annually | |
::annuled::annulled | |
::anulled::annulled | |
::annoint::anoint | |
::annointed::anointed | |
::annointing::anointing | |
::annoints::anoints | |
::anomolies::anomalies | |
::anomolous::anomalous | |
::anomoly::anomaly | |
::anonimity::anonymity | |
::anohter::another | |
::anotehr::another | |
::anothe::another | |
::anwsered::answered | |
::answre::answer | |
::antartic::antarctic | |
::anthromorphisation::anthropomorphisation | |
::anthromorphization::anthropomorphization | |
::anti-semetic::anti-Semitic | |
::anyother::any other | |
::toher::other | |
::tohers::others | |
::otherh::other | |
::oterh::other | |
::anythuing::anything | |
::anyting::anything | |
::anuything::anything | |
::antyning::anything | |
::anytying::anything | |
::anywehre::anywhere | |
::anywehre::anywhere | |
::anyweher::anywhere | |
::anywehr::anywhere | |
::anyhwere::anywhere | |
::appart::apart | |
::aparment::apartment | |
::appartment::apartment | |
::appartments::apartments | |
::apenines::Apennines | |
::appenines::Apennines | |
::apolegetics::apologetics | |
::appologies::apologies | |
::appology::apology | |
::aparent::apparent | |
::apparant::apparent | |
::apparrent::apparent | |
::apparantly::apparently | |
::appealling::appealing | |
::appeareance::appearance | |
::appaerance::appearance | |
::appaerances::appearances | |
::appearence::appearance | |
::apperance::appearance | |
::apprearance::appearance | |
::appearences::appearances | |
::apperances::appearances | |
::paproval::approval | |
::appeares::appears | |
::aplication::application | |
::applicaiton::application | |
::applicaitons::applications | |
::aplied::applied | |
::applyed::applied | |
::appointiment::appointment | |
::apprieciate::appreciate | |
::aprehensive::apprehensive | |
::approachs::approaches | |
::appropiate::appropriate | |
::appropraite::appropriate | |
::appropropiate::appropriate | |
::approrpiate::appropriate | |
::approrpriate::appropriate | |
::apropriate::appropriate | |
::approproximate::approximate | |
::aproximate::approximate | |
::approxamately::approximately | |
::approxiately::approximately | |
::approximitely::approximately | |
::aproximately::approximately | |
::arbitarily::arbitrarily | |
::abritrary::arbitrary | |
::armchari::armchair | |
::armcair::armchair | |
::arbitary::arbitrary | |
::arbouretum::arboretum | |
::archiac::archaic | |
::archimedian::Archimedean | |
::archictect::architect | |
::ardchitecture::architecture | |
::architercture::architecture | |
::architrecture::architecture | |
::architerecture::architecture | |
::architexcture::architecture | |
::archtiecture::architecture | |
::archetectural::architectural | |
::architectual::architectural | |
::archetecturally::architecturally | |
::architechturally::architecturally | |
::archetecture::architecture | |
::architechture::architecture | |
::architechtures::architectures | |
::arn't::aren't | |
::argubly::arguably | |
::armamant::armament | |
::armistace::armistice | |
::arised::arose | |
::arond::around | |
::aroud::around | |
::arround::around | |
::arund::around | |
::aranged::arranged | |
::arangement::arrangement | |
::arrangment::arrangement | |
::arrangments::arrangements | |
::arival::arrival | |
::artical::article | |
::artice::article | |
::articel::article | |
::artifical::artificial | |
::artifically::artificially | |
::artillary::artillery | |
::asthe::as the | |
::aswell::as well | |
::asetic::ascetic | |
::aisian::Asian | |
::asside::aside | |
::askt he::ask the | |
::asphyxation::asphyxiation | |
::assisnate::assassinate | |
::assassintation::assassination | |
::assosication::assassination | |
::asssassans::assassins | |
::assualt::assault | |
::assualted::assaulted | |
::assemple::assemble | |
::assertation::assertion | |
::assesment::assessment | |
::asign::assign | |
::assit::assist | |
::assistent::assistant | |
::assitant::assistant | |
::assoicate::associate | |
::assoicated::associated | |
::assoicates::associates | |
::assocation::association | |
::asume::assume | |
::asteriod::asteroid | |
::atthe::at the | |
::athiesm::atheism | |
::athiest::atheist | |
::atheistical::atheistic | |
::athenean::Athenian | |
::atheneans::Athenians | |
::atmospher::atmosphere | |
::spehre::sphere | |
::spehr::sphere | |
::sfere::sphere | |
::spher::sphere | |
::attrocities::atrocities | |
::attatch::attach | |
::atain::attain | |
::attemp::attempt | |
::attemt::attempt | |
::attemped::attempted | |
::attemted::attempted | |
::attemting::attempting | |
::attemts::attempts | |
::attendence::attendance | |
::attendent::attendant | |
::attendents::attendants | |
::attened::attended | |
::atention::attention | |
::atteniton::attention | |
::attension::attention | |
::attentioin::attention | |
::attitide::attitude | |
::attitue::attitude | |
::atorney::attorney | |
::attributred::attributed | |
::audeince::audience | |
::audiance::audience | |
::austrailia::Australia | |
::austrailian::Australian | |
::australian::Australian | |
::auther::author | |
::autor::author | |
::authorative::authoritative | |
::authoritive::authoritative | |
::authorites::authorities | |
::authoritiers::authorities | |
::authrorities::authorities | |
::authorithy::authority | |
::autority::authority | |
::authobiographic::autobiographic | |
::authobiography::autobiography | |
::autochtonous::autochthonous | |
::autoctonous::autochthonous | |
::automaticly::automatically | |
::automibile::automobile | |
::automonomous::autonomous | |
::auxillaries::auxiliaries | |
::auxilliaries::auxiliaries | |
::auxilary::auxiliary | |
::auxillary::auxiliary | |
::auxilliary::auxiliary | |
::availablility::availability | |
::availaible::available | |
::availalbe::available | |
::availble::available | |
::availiable::available | |
::availible::available | |
::avalable::available | |
::avaliable::available | |
::avilable::available | |
::avalance::avalanche | |
::averageed::averaged | |
::avation::aviation | |
::awared::awarded | |
::awya::away | |
::aywa::away | |
::backard::backward | |
::bak::back | |
::abck::back | |
::bakc::back | |
::bcak::back | |
::backgorund::background | |
::backrounds::backgrounds | |
::balence::balance | |
::ballance::balance | |
::baloon::balloon | |
::banannas::bananas | |
::bandwith::bandwidth | |
::bankrupcy::bankruptcy | |
::banruptcy::bankruptcy | |
::barbeque::barbecue | |
::barrell::barrel | |
::baswe::base | |
::baes::base | |
::basicaly::basically | |
::basicly::basically | |
::cattleship::battleship | |
::bve::be | |
::b e::be | |
::eb::be | |
::beachead::beachhead | |
::beatiful::beautiful | |
::beautyfull::beautiful | |
::beutiful::beautiful | |
::becamae::became | |
::becouse::because | |
::baceause::because | |
::beacuse::because | |
::becasue::because | |
::becaus::because | |
::beccause::because | |
::becouse::because | |
::becuase::because | |
::becuse::because | |
::becausea::because a | |
::becauseof::because of | |
::becausethe::because the | |
::becauseyou::because you | |
::becoe::become | |
::becomeing::becoming | |
::becomming::becoming | |
::beffudle::befudle | |
::bedore::before | |
::befoer::before | |
::begginer::beginner | |
::begginers::beginners | |
::beggining::beginning | |
::begining::beginning | |
::beginining::beginning | |
::beginnig::beginning | |
::begginings::beginnings | |
::beggins::begins | |
::beng::being | |
::beleagured::beleaguered | |
::beligum::belgium | |
::beleif::belief | |
::beleiev::believe | |
::beleieve::believe | |
::beleive::believe | |
::belive::believe | |
::beleived::believed | |
::belived::believed | |
::beleives::believes | |
::beleiving::believing | |
::belligerant::belligerent | |
::bellweather::bellwether | |
::bemusemnt::bemusement | |
::benefical::beneficial | |
::benificial::beneficial | |
::beneficary::beneficiary | |
::benifit::benefit | |
::benifits::benefits | |
::bergamont::bergamot | |
::bernouilli::Bernoulli | |
::beseige::besiege | |
::beseiged::besieged | |
::beseiging::besieging | |
::beastiality::bestiality | |
::betweeen::between | |
::betwen::between | |
::bewteen::between | |
::inbetween::between | |
::vetween::between | |
::bilateraly::bilaterally | |
::billingualism::bilingualism | |
::binominal::binomial | |
::bizzare::bizarre | |
::blaim::blame | |
::blaimed::blamed | |
::blned::blend | |
::blneding::blending | |
::blessure::blessing | |
::blitzkreig::Blitzkrieg | |
::bodydbuilder::bodybuilder | |
::bombardement::bombardment | |
::bombarment::bombardment | |
::obne::bone | |
::bome::bone | |
::exra::extra | |
::exctracts::extracts | |
::exctract::extract | |
::exctracting::extracting | |
::exctraction::extraction | |
::extracuricular::extracurricular | |
::reqruiments::requirements | |
::reqruiment::requirement | |
::bonnano::Bonanno | |
::bondary::boundary | |
::boundry::boundary | |
::boxs::boxes | |
::brasillian::Brazilian | |
::breakthough::breakthrough | |
::breakthroughts::breakthroughs | |
::brethen::brethren | |
::bretheren::brethren | |
::breif::brief | |
::briodge::bridge | |
::brdige::bridge | |
::brigde::bridge | |
::breifly::briefly | |
::briliant::brilliant | |
::brillant::brilliant | |
::brimestone::brimstone | |
::britian::Britain | |
::brittish::British | |
::broacasted::broadcast | |
::brodcast::broadcast | |
::broadacasting::broadcasting | |
::broady::broadly | |
::borken::broken | |
::broekn::broken | |
::borke::broke | |
::broekn::broken | |
::broek::broke | |
::borke::broke | |
::brkea::break | |
::braek::break | |
::brkea::break | |
::berak::break | |
::buddah::Buddha | |
::bouy::buoy | |
::bouyancy::buoyancy | |
::buoancy::buoyancy | |
::bouyant::buoyant | |
::boyant::buoyant | |
::bueau::bureau | |
::beaurocracy::bureaucracy | |
::beaurocratic::bureaucratic | |
::burried::buried | |
::buisness::business | |
::busness::business | |
::bussiness::business | |
::busineses::businesses | |
::buisnessman::businessman | |
::butthe::but the | |
::byt he::by the | |
::ceasar::Caesar | |
::casion::caisson | |
::caluclate::calculate | |
::calulcate::calculate | |
::calcluate::calculate | |
::calculat::calculate | |
::caluculate::calculate | |
::calulate::calculate | |
::calcullated::calculated | |
::caluclated::calculated | |
::caluculated::calculated | |
::calulated::calculated | |
::calculs::calculus | |
::calander::calendar | |
::calenders::calendars | |
::califronia::California | |
::califronian::Californian | |
::caligraphy::calligraphy | |
::callipigian::callipygian | |
::cmaera::camera | |
::camra::camera | |
::cmeara::camera | |
::cambrige::Cambridge | |
::camoflage::camouflage | |
::campain::campaign | |
::campains::campaigns | |
::acn::can | |
::cna::can | |
::cxan::can | |
::can't of::can't have | |
::candadate::candidate | |
::candiate::candidate | |
::candidiate::candidate | |
::candidtae::candidate | |
::candidtaes::candidates | |
::cannister::canister | |
::cannisters::canisters | |
::cannnot::can not | |
::cannto::can not | |
::cannonical::canonical | |
::cantalope::cantaloupe | |
::caperbility::capability | |
::capible::capable | |
::capetown::Cape Town | |
::captial::capital | |
::captued::captured | |
::capturd::captured | |
::carcas::carcass | |
::carreer::career | |
::carrers::careers | |
::carefull::careful | |
::carribbean::Caribbean | |
::carribean::Caribbean | |
::careing::caring | |
::carmalite::Carmelite | |
::carniverous::carnivorous | |
::carthagian::Carthaginian | |
::cartilege::cartilage | |
::cartilidge::cartilage | |
::carthographer::cartographer | |
::cartdridge::cartridge | |
::cartrige::cartridge | |
::casette::cassette | |
::cassawory::cassowary | |
::cassowarry::cassowary | |
::casulaties::casualties | |
::causalities::casualties | |
::caseu::cause | |
::casulaty::casualty | |
::categiory::category | |
::ctaegory::category | |
::catterpilar::caterpillar | |
::catterpilars::caterpillars | |
::cathlic::catholic | |
::catholocism::catholicism | |
::caucasion::Caucasian | |
::cacuses::caucuses | |
::cieling::ceiling | |
::cellpading::cellpadding | |
::celcius::Celsius | |
::cemetaries::cemeteries | |
::cementary::cemetery | |
::cemetarey::cemetery | |
::cemetary::cemetery | |
::sensure::censure | |
::cencus::census | |
::cententenial::centennial | |
::centruies::centuries | |
::centruy::century | |
::cerimonial::ceremonial | |
::cerimonies::ceremonies | |
::cerimonious::ceremonious | |
::cerimony::ceremony | |
::ceromony::ceremony | |
::certian::certain | |
::certainity::certainty | |
::chari::chair | |
::chariman::chairman | |
::challange::challenge | |
::challegen::challenge | |
::challegne::challenge | |
::challege::challenge | |
::challanged::challenged | |
::challanges::challenges | |
::chalenging::challenging | |
::champange::champagne | |
::chaneg::change | |
::cahnge::change | |
::chnage::change | |
::changable::changeable | |
::chanegs::changes | |
::changeing::changing | |
::changng::changing | |
::caharcter::character | |
::characer::character | |
::chacter::character | |
::carachter::character | |
::charachter::character | |
::charactor::character | |
::charecter::character | |
::charector::character | |
::chracter::character | |
::caracterised::characterised | |
::charaterised::characterised | |
::charactersistic::characteristic | |
::charistics::characteristics | |
::caracterized::characterized | |
::charaterized::characterized | |
::cahracters::characters | |
::charachters::characters | |
::charactors::characters | |
::carismatic::charismatic | |
::charasmatic::charismatic | |
::chartiable::charitable | |
::caht::chat | |
::chekc::check | |
::cheeck::cheek | |
::chemcial::chemical | |
::chemcially::chemically | |
::chemicaly::chemically | |
::chemestry::chemistry | |
::cheif::chief | |
::childbird::childbirth | |
::childen::children | |
::childrens::children's | |
::chilli::chili | |
::choise::choice | |
::choosen::chosen | |
::chooce::choose | |
::chuch::church | |
::curch::church | |
::churchs::churches | |
::cincinatti::Cincinnati | |
::cincinnatti::Cincinnati | |
::circut::circuit | |
::ciricuit::circuit | |
::curcuit::circuit | |
::circulaton::circulation | |
::circumsicion::circumcision | |
::sercumstances::circumstances | |
::cirtus::citrus | |
::civillian::civilian | |
::claimes::claims | |
::clas::class | |
::calss::class | |
::clasic::classic | |
::clasical::classical | |
::clasically::classically | |
::claer::clear | |
::cleareance::clearance | |
::claered::cleared | |
::claerer::clearer | |
::claerly::clearly | |
::cliant::client | |
::clincial::clinical | |
::clinicaly::clinically | |
::caost::coast | |
::coctail::cocktail | |
::cognizent::cognizant | |
::co-incided::coincided | |
::coincedentally::coincidentally | |
::collsion::collision | |
::colision::collision | |
::collition::collision | |
::colaborations::collaborations | |
::collaberative::collaborative | |
::colateral::collateral | |
::collegue::colleague | |
::collegues::colleagues | |
::collectable::collectible | |
::collecitn::collection | |
::collction::collection | |
::colleciotn::collection | |
::coollection::collection | |
::coolection::collection | |
::coleciton::collection | |
::colleciton::collection | |
::colection::collection | |
::collecton::collection | |
::colelctive::collective | |
::collonies::colonies | |
::colonisators::colonisers | |
::colonizators::colonizers | |
::collonade::colonnade | |
::collony::colony | |
::collosal::colossal | |
::columsn::columns | |
::colum::column | |
::colun::column | |
::combintation::combination | |
::combanations::combinations | |
::combinatins::combinations | |
::combusion::combustion | |
::coem::come | |
::cme::come | |
::coemback::comeback | |
::coembakc::comeback | |
::coembak::comeback | |
::comback::comeback | |
::commedic::comedic | |
::confortable::comfortable | |
::ocming::coming | |
::comngi::coming | |
::comming::coming | |
::commadn::command | |
::comadn::command | |
::comand::command | |
::comandant::commandant | |
::comadnant::commandant | |
::comander::commander | |
::comando::commando | |
::comandos::commandos | |
::commandoes::commandos | |
::comemmorate::commemorate | |
::commemmorate::commemorate | |
::commmemorated::commemorated | |
::comemmorates::commemorates | |
::commemmorating::commemorating | |
::comemoretion::commemoration | |
::commemerative::commemorative | |
::commerorative::commemorative | |
::commerical::commercial | |
::commericial::commercial | |
::commerically::commercially | |
::commericially::commercially | |
::comission::commission | |
::commision::commission | |
::comissioned::commissioned | |
::commisioned::commissioned | |
::comissioner::commissioner | |
::commisioner::commissioner | |
::comissioning::commissioning | |
::commisioning::commissioning | |
::comissions::commissions | |
::commisions::commissions | |
::comit::commit | |
::committment::commitment | |
::committments::commitments | |
::comited::committed | |
::comitted::committed | |
::commited::committed | |
::comittee::committee | |
::commitee::committee | |
::committe::committee | |
::committy::committee | |
::comiting::committing | |
::comitting::committing | |
::commiting::committing | |
::commongly::commonly | |
::commonweath::commonwealth | |
::comunicate::communicate | |
::comminication::communication | |
::communciation::communication | |
::communiation::communication | |
::commuications::communications | |
::commuinications::communications | |
::communites::communities | |
::comunity::community | |
::comanies::companies | |
::comapnies::companies | |
::comany::company | |
::comapany::company | |
::comapny::company | |
::company;s::company's | |
::comparitive::comparative | |
::comparitively::comparatively | |
::compair::compare | |
::comparision::comparison | |
::comparisions::comparisons | |
::compability::compatibility | |
::compatiable::compatible | |
::compensantion::compensation | |
::competance::competence | |
::competant::competent | |
::compitent::competent | |
::competitiion::competition | |
::compeitions::competitions | |
::competative::competitive | |
::competive::competitive | |
::competiveness::competitiveness | |
::copmetitors::competitors | |
::compolete::complete | |
::compoletely::completely | |
::compeltely::completely | |
::complier::compiler | |
::compilcated::complicated | |
::compliated::complicated | |
::compliate::complicate | |
::compilcate::complicate | |
::comploex::complex | |
::compleated::completed | |
::completedthe::completed the | |
::competely::completely | |
::compleatly::completely | |
::completelyl::completely | |
::completly::completely | |
::compleatness::completeness | |
::completness::completeness | |
::completetion::completion | |
::componentn::component | |
::componnent::component | |
::componennt::component | |
::comonnent::component | |
::compoenntn::component | |
::componen::component | |
::componen t::component | |
::compponent::component | |
::copmonent::component | |
::componant::component | |
::Compoenent::component | |
::compoenent::component | |
::compoent::component | |
::compoentn::component | |
::compeonent::component | |
::composate::composite | |
::comphrehensive::comprehensive | |
::comprimise::compromise | |
::compulsary::compulsory | |
::compulsery::compulsory | |
::cmoputer::computer | |
::coputer::computer | |
::computarised::computerised | |
::computarized::computerized | |
::concieted::conceited | |
::concensus::consensus | |
::concieve::conceive | |
::concieved::conceived | |
::consentrate::concentrate | |
::consentrated::concentrated | |
::consentrates::concentrates | |
::consept::concept | |
::consern::concern | |
::conserned::concerned | |
::conserning::concerning | |
::comdemnation::condemnation | |
::condamned::condemned | |
::condemmed::condemned | |
::codnition::condition | |
::codnitions::conditions | |
::condidtion::condition | |
::condidtions::conditions | |
::conditionsof::conditions of | |
::condolances::condolences | |
::conferance::conference | |
::confidental::confidential | |
::confidentally::confidentially | |
::cnfirm::confirm | |
::confrim::confirm | |
::confids::confides | |
::configureable::configurable | |
::configuiration::configuration | |
::confirmmation::confirmation | |
::coform::conform | |
::congradulations::congratulations | |
::congresional::congressional | |
::conjecutre::conjecture | |
::conjuction::conjunction | |
::connectec::connected | |
::conected::connected | |
::conect::connect | |
::connecte3d::connected | |
::conected::connected | |
::conneticut::Connecticut | |
::conection::connection | |
::conived::connived | |
::cannotation::connotation | |
::cannotations::connotations | |
::conotations::connotations | |
::conquerd::conquered | |
::conqured::conquered | |
::conquerer::conqueror | |
::conquerers::conquerors | |
::concious::conscious | |
::consious::conscious | |
::conciously::consciously | |
::conciousness::consciousness | |
::consciouness::consciousness | |
::consiciousness::consciousness | |
::consicousness::consciousness | |
::consectutive::consecutive | |
::concensus::consensus | |
::conesencus::consensus | |
::conscent::consent | |
::consequeseces::consequences | |
::consenquently::consequently | |
::consequentually::consequently | |
::conservitive::conservative | |
::concider::consider | |
::consdider::consider | |
::considerit::considerate | |
::considerite::considerate | |
::concidered::considered | |
::consdidered::considered | |
::consdiered::considered | |
::considerd::considered | |
::consideres::considered | |
::concidering::considering | |
::conciders::considers | |
::consistant::consistent | |
::consistantly::consistently | |
::consolodate::consolidate | |
::consolodated::consolidated | |
::consonent::consonant | |
::consonents::consonants | |
::consorcium::consortium | |
::conspiracys::conspiracies | |
::conspiricy::conspiracy | |
::conspiriator::conspirator | |
::constatn::constant | |
::costatn::constant | |
::costantn::constant | |
::costant::constant | |
::costat::constant | |
::constnatly::constantly | |
::costatly::constantly | |
::costantly::constantly | |
::constanly::constantly | |
::constarnation::consternation | |
::consituencies::constituencies | |
::consitutiton::constitution | |
::constutution::constitution | |
::constitutuion::constitution | |
::constiutition::constitution | |
::constiutituion::constitution | |
::constituttion::constitution | |
::constiutution::constitution | |
::constiuttion::constitution | |
::constiution::constitution | |
::consution::constitution | |
::constituoin::constitution | |
::constition::constitution | |
::consitution::constitution | |
::consutition::constitution | |
::constuitioh::constitution | |
::consutition::constitution | |
::consituency::constituency | |
::constituant::constituent | |
::constituants::constituents | |
::consituted::constituted | |
::consitution::constitution | |
::constituion::constitution | |
::costitution::constitution | |
::costarr::co-star | |
::costar::co-star | |
::costarring::co-starring | |
::costaring::co-starring | |
::consitutional::constitutional | |
::constituional::constitutional | |
::consturctor::constructor | |
::consturct::construct | |
::contrainted::constrained | |
::contrained::constrained | |
::cotraint::constraint | |
::contraint::constraint | |
::contraints::constraints | |
::contrained::constrained | |
::cotraints::constraints | |
::contraint::constraint | |
::contraints::constraints | |
::constaints::constraints | |
::consttruction::construction | |
::constuction::construction | |
::contruction::construction | |
::consulant::consultant | |
::consultent::consultant | |
::consumeable::consumable | |
::consumber::consumer | |
::consumate::consummate | |
::consumated::consummated | |
::comntain::contain | |
::comtain::contain | |
::comntains::contains | |
::comtains::contains | |
::containes::contains | |
::countains::contains | |
::contaiminate::contaminate | |
::contxt::context | |
::coitnext::context | |
::coitnex::context | |
::contemtp::contempt | |
::contemporaneus::contemporaneous | |
::contamporaries::contemporaries | |
::contamporary::contemporary | |
::contempoary::contemporary | |
::contempory::contemporary | |
::contendor::contender | |
::constinually::continually | |
::contined::continued | |
::continueing::continuing | |
::continous::continuous | |
::continously::continuously | |
::contritutions::contributions | |
::contributer::contributor | |
::contributers::contributors | |
::controll::control | |
::controled::controlled | |
::controling::controlling | |
::controlls::controls | |
::contravercial::controversial | |
::controvercial::controversial | |
::controversal::controversial | |
::controvertial::controversial | |
::controveries::controversies | |
::contraversy::controversy | |
::controvercy::controversy | |
::controvery::controversy | |
::conveinent::convenient | |
::convienient::convenient | |
::convential::conventional | |
::convertr::convert | |
::convertred::converted | |
::converteed::converted | |
::convertion::conversion | |
::convesation::conversation | |
::convesations::conversations | |
::convesational::conversational | |
::convertor::converter | |
::convertors::converters | |
::convertable::convertible | |
::convertables::convertibles | |
::conveyer::conveyor | |
::conviced::convinced | |
::cooparate::cooperate | |
::coopretate::cooperate | |
::cooprate::cooperate | |
::cooporate::cooperate | |
::coordiantion::coordination | |
::cpoy::copy | |
::coridal::cordial | |
::corparate::corporate | |
::coroporation::corporation | |
::corproation::corporation | |
::coorperations::corporations | |
::corperations::corporations | |
::corproations::corporations | |
::correcters::correctors | |
::corrispond::correspond | |
::corrisponded::corresponded | |
::correspondant::correspondent | |
::corrispondant::correspondent | |
::correspondants::correspondents | |
::corrispondants::correspondents | |
::correponding::corresponding | |
::correposding::corresponding | |
::corrisponding::corresponding | |
::corrisponds::corresponds | |
::corridoors::corridors | |
::corosion::corrosion | |
::corruptable::corruptible | |
::cotten::cotton | |
::coudl::could | |
::could of::could have | |
::couldthe::could the | |
::coudln't::couldn't | |
::coudn't::couldn't | |
::couldnt::couldn't | |
::coucil::council | |
::counries::countries | |
::countires::countries | |
::ocuntries::countries | |
::ocuntry::country | |
::coururier::courier | |
::convenant::covenant | |
::cretae::create | |
::creat::create | |
::creaeted::created | |
::creedence::credence | |
::cirminals::criminals | |
::cirminal::criminal | |
::cirne::crime | |
::cirme::crime | |
::criterias::criteria | |
::critereon::criterion | |
::crtical::critical | |
::critised::criticised | |
::criticing::criticising | |
::criticists::critics | |
::crockodiles::crocodiles | |
::crucifiction::crucifixion | |
::crusies::cruises | |
::crystla::crystal | |
::crystalisation::crystallisation | |
::culiminating::culminating | |
::cumulatative::cumulative | |
::currenly::currently | |
::ciurrent::current | |
::ciriculum::curriculum | |
::curriculem::curriculum | |
::cusotmer::customer | |
::cutsomer::customer | |
::cusotmers::customers | |
::cutsomers::customers | |
::cutsom::custom | |
::castom::custom | |
::custsom::custom | |
::cxan::cyan | |
::cilinder::cylinder | |
::cyclinder::cylinder | |
::dakiri::daiquiri | |
::dalmation::dalmatian | |
::danceing::dancing | |
::dnager::danger | |
::danager::danger | |
::dangeruos::dangerous | |
::dangeruous::dangerous | |
::dnageorus::dangerous | |
::dangeorus::dangerous | |
::dangeours::dangerous | |
::dardenelles::Dardanelles | |
::dael::deal | |
::deatlt::dealt | |
::dealth::dealt | |
::debateable::debatable | |
::decaffinated::decaffeinated | |
::decathalon::decathlon | |
::decieved::deceived | |
::decideable::decidable | |
::deside::decide | |
::decied::decided | |
::decie::decide | |
::decion::decision | |
::decidely::decidedly | |
::ecidious::deciduous | |
::decison::decision | |
::descision::decision | |
::desicion::decision | |
::desision::decision | |
::decisons::decisions | |
::descisions::decisions | |
::desicions::decisions | |
::desisions::decisions | |
::decomissioned::decommissioned | |
::decomposit::decompose | |
::decomposited::decomposed | |
::decomposits::decomposes | |
::decompositing::decomposing | |
::decress::decrees | |
::deafet::defeat | |
::defaet::defeat | |
::deafult::default | |
::derfault::default | |
::defrualt::default | |
::de3fault::default | |
::fdefault::default | |
::defualt::default | |
::deufalt::default | |
;::defence::defense ; US: defense, elsewhere: defence | |
::defendent::defendant | |
::defendents::defendants | |
::defencive::defensive | |
::deffensively::defensively | |
::effet::effect | |
::effec::effect | |
::effecs::effects | |
::affet::affect | |
::definance::defiance | |
::deffine::define | |
::deffined::defined | |
::definining::defining | |
::definate::definite | |
::definit::definite | |
::definately::definitely | |
::definatly::definitely | |
::definetly::definitely | |
::definitly::definitely | |
::definiton::definition | |
::defintion::definition | |
::degredation::degradation | |
::degrate::degrade | |
::dieties::deities | |
::diety::deity | |
::delagates::delegates | |
::delte::delete | |
::deltion::deletion | |
::deliciious::delicious | |
::deliberatly::deliberately | |
::delerious::delirious | |
::delusionally::delusively | |
::delutional::delusional | |
::delution::delusion | |
::dilution::delusion | |
::dillusion::delusion | |
::dellusion::delusion | |
::devels::delves | |
::damge::damage | |
::dimentia::dementia | |
::damenor::demeanor | |
::demenor::demeanor | |
::damenor::demeanour | |
::damenour::demeanour | |
::demenour::demeanour | |
::demorcracy::democracy | |
::demographical::demographic | |
::demolision::demolition | |
::demostration::demonstration | |
::denegrating::denigrating | |
::densly::densely | |
::deparment::department | |
::deptartment::department | |
::dependance::dependence | |
::dependancy::dependency | |
::dependant::dependent | |
::despict::depict | |
::derivitive::derivative | |
::deriviated::derived | |
::dirived::derived | |
::derogitory::derogatory | |
::decendant::descendant | |
::decendent::descendant | |
::decendants::descendants | |
::decendents::descendants | |
::descendands::descendants | |
::decribe::describe | |
::discribe::describe | |
::descritor::descriptor | |
::descriptior::descriptor | |
::descriptro::descriptor | |
::decribed::described | |
::descibed::described | |
::discribed::described | |
::decribes::describes | |
::descriibes::describes | |
::discribes::describes | |
::decribing::describing | |
::discribing::describing | |
::descriptoin::description | |
::descripytion::description | |
::decription::description | |
::descriptiohon::description | |
::descripton::description | |
::descripters::descriptors | |
::dessicated::desiccated | |
::disign::design | |
::desgined::designed | |
::dessigned::designed | |
::desigining::designing | |
::desireable::desirable | |
::desktiop::desktop | |
::dispair::despair | |
::desparate::desperate | |
::despiration::desperation | |
::dispicable::despicable | |
::dispite::despite | |
::destablised::destabilised | |
::destablized::destabilized | |
::desinations::destinations | |
::desitned::destined | |
::destory::destroy | |
::desctruction::destruction | |
::distruction::destruction | |
::distate::distaste | |
::distnace::distance | |
::idstance::distance | |
::disntance::distance | |
::distacne::distance | |
::disntace::distance | |
::distandce::distance | |
::distructive::destructive | |
::detatched::detached | |
::detailled::detailed | |
::detali::detail | |
::detalis::::details | |
::deatils::details | |
::dectect::detect | |
::deteriate::deteriorate | |
::deteoriated::deteriorated | |
::deterioriating::deteriorating | |
::determinining::determining | |
::detremental::detrimental | |
::devasted::devastated | |
::devestated::devastated | |
::devestating::devastating | |
::devistating::devastating | |
::devellop::develop | |
::devellops::develop | |
::develloped::developed | |
::developped::developed | |
::develloper::developer | |
::developor::developer | |
::developping::developing | |
::develloping::developing | |
::devellopping::developing | |
::develeoprs::developers | |
::devellopers::developers | |
::developors::developers | |
::develloping::developing | |
::delevopment::development | |
::devellopment::development | |
::develpment::development | |
::devolopement::development | |
::devellopments::developments | |
::deveolves::devolves | |
::deveolve::devolve | |
::divice::device | |
::diablical::diabolical | |
::diamons::diamonds | |
::diarhea::diarrhoea | |
::dichtomy::dichotomy | |
::dicitonary::dictionary | |
::dicitonaries::dictionaries | |
::didnot::did not | |
::didint::didn't | |
::didnt::didn't | |
::differance::difference | |
::diferences::differences | |
::differances::differences | |
::difefrent::different | |
::diferent::different | |
::diferrent::different | |
::differant::different | |
::differemt::different | |
::differnt::different | |
::diffrent::different | |
::differentiatiations::differentiations | |
::diffcult::difficult | |
::diffculties::difficulties | |
::dificulties::difficulties | |
::diffculty::difficulty | |
::difficulity::difficulty | |
::dificulty::difficulty | |
::delapidated::dilapidated | |
::dilligence::diligence | |
::dimention::dimension | |
::dimentional::dimensional | |
::dimesnional::dimensional | |
::dimenions::dimensions | |
::dimentions::dimensions | |
::diminuitive::diminutive | |
::diosese::diocese | |
::diptheria::diphtheria | |
::diphtong::diphthong | |
::dipthong::diphthong | |
::diphtongs::diphthongs | |
::dipthongs::diphthongs | |
::diplomancy::diplomacy | |
::directiosn::direction | |
::direcition::direction | |
::directition::direction | |
::direcition::direction | |
::direciton::direction | |
::driectly::directly | |
::directer::director | |
::directers::directors | |
::disagreeed::disagreed | |
::dissagreement::disagreement | |
::disapear::disappear | |
::dissapear::disappear | |
::dissappear::disappear | |
::dissapearance::disappearance | |
::disapeared::disappeared | |
::disappearred::disappeared | |
::dissapeared::disappeared | |
::dissapearing::disappearing | |
::dissapears::disappears | |
::dissappears::disappears | |
::dissapointment::disappointment | |
::disapointment::disappointment | |
::dissapoint::disappoint | |
::disapoint::disappoint | |
::dissappointed::disappointed | |
::disapointing::disappointing | |
::disaproval::disapproval | |
::dissarray::disarray | |
::diaster::disaster | |
::disasterous::disastrous | |
::disatrous::disastrous | |
::diciplin::discipline | |
::disiplined::disciplined | |
::unconfortability::discomfort | |
::diconnects::disconnects | |
::discontentment::discontent | |
::dicover::discover | |
::disover::discover | |
::dicovered::discovered | |
::discoverd::discovered | |
::dicovering::discovering | |
::dicovers::discovers | |
::dicovery::discovery | |
::descuss::discuss | |
::dicussed::discussed | |
::desease::disease | |
::disenchanged::disenchanted | |
::desintegrated::disintegrated | |
::desintegration::disintegration | |
::disobediance::disobedience | |
::dissobediance::disobedience | |
::dissobedience::disobedience | |
::disobediant::disobedient | |
::dissobediant::disobedient | |
::dissobedient::disobedient | |
::desorder::disorder | |
::desoriented::disoriented | |
::disparingly::disparagingly | |
::despatched::dispatched | |
::dispell::dispel | |
::dispeled::dispelled | |
::dispeling::dispelling | |
::dispells::dispels | |
::dispence::dispense | |
::dispenced::dispensed | |
::dispencing::dispensing | |
::diaplay::display | |
::dispaly::display | |
::unplease::displease | |
::dispostion::disposition | |
::disproportiate::disproportionate | |
::disputandem::disputandum | |
::disatisfaction::dissatisfaction | |
::disatisfied::dissatisfied | |
::disemination::dissemination | |
::disolved::dissolved | |
::dissonent::dissonant | |
::disctinction::distinction | |
::distiction::distinction | |
::distintively::distinctively | |
::disctinctive::distinctive | |
::distingish::distinguish | |
::distingished::distinguished | |
::distingquished::distinguished | |
::distingishes::distinguishes | |
::distingishing::distinguishing | |
::ditributed::distributed | |
::distribusion::distribution | |
::distrubution::distribution | |
::dithc::ditch | |
::disricts::districts | |
::devide::divide | |
::devided::divided | |
::divison::division | |
::divisons::divisions | |
::dorr::door | |
::docrines::doctrines | |
::doctines::doctrines | |
::doccument::document | |
::docuemnt::document | |
::documetn::document | |
::documnet::document | |
::documenatry::documentary | |
::doccumented::documented | |
::doccuments::documents | |
::docuement::documents | |
::documnets::documents | |
::doens::does | |
::doese::does | |
::doe snot::does not ; *could* be legitimate... but very unlikely! | |
::doens't::doesn't | |
::doesnt::doesn't | |
::dosen't::doesn't | |
::dosn't::doesn't | |
::doign::doing | |
::doimg::doing | |
::doind::doing | |
::donig::doing | |
::dollers::dollars | |
::dominent::dominant | |
::dominiant::dominant | |
::dominaton::domination | |
::do'nt::don't | |
::dont::don't | |
::don't no::don't know | |
::doulbe::double | |
::donw::down | |
::dowloads::downloads | |
::dramtic::dramatic | |
::draogn::dragon | |
::draughtman::draughtsman | |
::dravadian::Dravidian | |
::deram::dream | |
::derams::dreams | |
::dreasm::dreams | |
::drnik::drink | |
::driveing::driving | |
::drummless::drumless | |
::druming::drumming | |
::drunkeness::drunkenness | |
::dukeship::dukedom | |
::dusrt::dust | |
::dumbell::dumbbell | |
::dupicate::duplicate | |
::durig::during | |
::durring::during | |
::duting::during | |
::dieing::dying | |
::eahc::each | |
::eachotehr::eachother | |
::ealy::early | |
::ealier::earlier | |
::earlies::earliest | |
::eearly::early | |
::earnt::earned | |
::ecclectic::eclectic | |
::eclispe::eclipse | |
::ecomonic::economic | |
::eceonomy::economy | |
::esctasy::ecstasy | |
::eles::else | |
::effeciency::efficiency | |
::efficency::efficiency | |
::effecient::efficient | |
::efficent::efficient | |
::effeciently::efficiently | |
::efficently::efficiently | |
::effulence::effluence | |
::efort::effort | |
::eforts::efforts | |
::aggregious::egregious | |
::eight o::eight o | |
::eigth::eighth | |
::eiter::either | |
::ellude::elude | |
::ellected::elected | |
::electrial::electrical | |
::electricly::electrically | |
::electricty::electricity | |
::eletricity::electricity | |
::elementay::elementary | |
::elimentary::elementary | |
::elphant::elephant | |
::elicided::elicited | |
::eligable::eligible | |
::eleminated::eliminated | |
::eleminating::eliminating | |
::alse::else | |
::eolse::else | |
::esle::else | |
::lese::else | |
::elsje::else | |
::esle::else | |
::elss::less | |
::eminate::emanate | |
::eminated::emanated | |
::emabrk::embark | |
::embargos::embargoes | |
::embarras::embarrass | |
::embarrased::embarrassed | |
::embarrasing::embarrassing | |
::embarrasment::embarrassment | |
::embezelled::embezzled | |
::emblamatic::emblematic | |
::emmigrated::emigrated | |
::emmisaries::emissaries | |
::emmisarries::emissaries | |
::emmisarry::emissary | |
::emmisary::emissary | |
::emision::emission | |
::emmision::emission | |
::emmisions::emissions | |
::emited::emitted | |
::emmited::emitted | |
::emmitted::emitted | |
::emiting::emitting | |
::emmiting::emitting | |
::emmitting::emitting | |
::emphsis::emphasis | |
::emphaised::emphasised | |
::emphysyma::emphysema | |
::emperical::empirical | |
::i'm::I'm | |
::implementaiton::implementation | |
::eimplementation::implementation | |
::implmenetaiotn::implementation | |
::implmenentation::implementation | |
::implmentation::implementation | |
::implenmentation::implementation | |
::implmenetaiton::implementation | |
::impplementation::implementation | |
::implmenetation::implementation | |
::implmenetation::implementation | |
::implmnetation::implementation | |
::implmenetaiton::implementation | |
::impmlemenation::implementation | |
::implemenataqtion::implementation | |
::implmenetation::implementation | |
::implmlementation::implementation | |
::imploys::employs | |
::enameld::enamelled | |
::eanble::enable | |
::enabl::enable | |
::disalbe::disable | |
::disalble::disable | |
::dialbe::disable | |
::dialbje::disable | |
::encouraing::encouraging | |
::encryptiion::encryption | |
::encylopedia::encyclopedia | |
::endevors::endeavors | |
::endevour::endeavour | |
::endevours::endeavours | |
::endig::ending | |
::endolithes::endoliths | |
::enforceing::enforcing | |
::engagment::engagement | |
::engeneer::engineer | |
::engieneer::engineer | |
::engeneering::engineering | |
::engieneers::engineers | |
::enlish::English | |
::chanse::chance | |
::chanses::chances | |
::chauffer::chauffeur | |
::enchancement::enhancement | |
::ehance::enhance | |
::emnity::enmity | |
::enourmous::enormous | |
::enourmously::enormously | |
::enoguh::enough | |
::enought::enough | |
::ensconsed::ensconced | |
::entaglements::entanglements | |
::enterpice::enterprise | |
::enterpise::enterprise | |
::enterprice::enterprise | |
::intertaining::entertaining | |
::enterainer::entertainer | |
::enterain::entertain | |
::interestes::interests | |
::interesets::interests | |
::intereset::interest | |
::interst::interest | |
::intersts::interests | |
::interesect::intersect | |
::interesects::intersects | |
::interestate::interstate | |
::interesecting::intersecting | |
::enteratinment::entertainment | |
::entitlied::entitled | |
::entitiled::entitled | |
::entitlie::entitle | |
::entitile::entitle | |
::entityr::entity | |
::entitity::entity | |
::entrepeneur::entrepreneur | |
::entrepeneurs::entrepreneurs | |
::intrusted::entrusted | |
::enviornment::environment | |
::enviornmental::environmental | |
::enviornmentalist::environmentalist | |
::enviornmentally::environmentally | |
::enviornments::environments | |
::envrionments::environments | |
::episodeic::episodic | |
::epsidoe::episode | |
::epsidoe::episode | |
::episdoe::episode | |
::epsidoes::episodes | |
::epsidoes::episodes | |
::episdoes::episodes | |
::epilleptic::epileptic | |
::epsiode::episode | |
::epci::epic | |
::epidsodes::episodes | |
::equitorial::equatorial | |
::equilibium::equilibrium | |
::equilibrum::equilibrium | |
::equippment::equipment | |
::equiped::equipped | |
::equialent::equivalent | |
::equivalant::equivalent | |
::equivelant::equivalent | |
::equivelent::equivalent | |
::equivilant::equivalent | |
::equivilent::equivalent | |
::equivlalent::equivalent | |
::equivfalent::equivalent | |
::eratic::erratic | |
::eratically::erratically | |
::eraticly::erratically | |
::errupted::erupted | |
::especally::especially | |
::espeically::especially | |
::especialy::especially | |
::especialyl::especially | |
::espesially::especially | |
::expecially::especially | |
::expereince::experience | |
::experiecne::experience | |
::experiene::experience | |
::expereice::experience | |
::experencei::experience | |
::experence::experience | |
::expoerience::experience | |
::experiece::experience | |
::expresso::espresso | |
::essense::essence | |
::esential::essential | |
::essencial::essential | |
::essentail::essential | |
::essentual::essential | |
::essesital::essential | |
::essentialy::essentially | |
::estabishes::establishes | |
::establising::establishing | |
::esitmated::estimated | |
::ect::etc | |
::ethnocentricm::ethnocentrism | |
::europian::European | |
::eurpean::European | |
::eurpoean::European | |
::europians::Europeans | |
::eveing::evening | |
::evenign::evening | |
::evetns::events | |
::evetn::event | |
::evnetn::event | |
::evnet::event | |
::evnets::events | |
::eventsn::events | |
::evenhtually::eventually | |
::eventally::eventually | |
::eventially::eventually | |
::eventualy::eventually | |
::evern::ever | |
::eveyr::every | |
::everytime::every time | |
::everythig::everything | |
::everthing::everything | |
::evidentally::evidently | |
::efel::evil | |
::envolutionary::evolutionary | |
::exerbate::exacerbate | |
::exerbated::exacerbated | |
::excact::exact | |
::exrement::excrement | |
::excement::excrement | |
::exrete::excrete | |
::excete::excrete | |
::exagarating::exaggerating | |
::exaggarating::exaggerating | |
::exagerate::exaggerate | |
::exagerrate::exaggerate | |
::exagerated::exaggerated | |
::exagerrated::exaggerated | |
::exagerates::exaggerates | |
::exagerrates::exaggerates | |
::exagerating::exaggerating | |
::exagerrating::exaggerating | |
::exchaust::exhaust | |
::exhcaust::exhaust | |
::exaust::exhaust | |
::exchausted::exhausted | |
::exhcausted::exhausted | |
::exhalted::exalted | |
::examien::examine | |
::examiend::examined | |
::examinated::examined | |
::examle::example | |
::examlpe::example | |
::exemple::example | |
::exmaple::example | |
::excedded::exceeded | |
::exeedingly::exceedingly | |
::excell::excel | |
::excellance::excellence | |
::excelent::excellent | |
::excellant::excellent | |
::exelent::excellent | |
::exellent::excellent | |
::excells::excels | |
::exept::except | |
::excpeiton::exception | |
::excpetion::exception | |
::exeptional::exceptional | |
::exerpt::excerpt | |
::exerpts::excerpts | |
::excange::exchange | |
::exchagne::exchange | |
::exhcange::exchange | |
::exchagnes::exchanges | |
::exhcanges::exchanges | |
::exchanching::exchanging | |
::excxite::excite | |
::excxitement::excitement | |
::excitment::excitement | |
::excitiement::excitement | |
::extimeten::excitement | |
::exciemtent::excitement | |
::extitement::excitement | |
::exctimeten::excitement | |
::exctiement::excitement | |
::excitemntn::excitement | |
::eixt::exit | |
::exicting::exciting | |
::exludes::excludes | |
::exculsivly::exclusively | |
::excecute::execute | |
::excecuted::executed | |
::exectued::executed | |
::excecutes::executes | |
::excecuting::executing | |
::excecution::execution | |
::exection::execution | |
::exampt::exempt | |
::excercise::exercise | |
::exercies::exercises | |
::exercie::exercise | |
::exersize::exercise | |
::exerciese::exercises | |
::execising::exercising | |
::extered::exerted | |
::exchibition::exhibition | |
::exhibtion::exhibition | |
::exibition::exhibition | |
::exibitions::exhibitions | |
::exliled::exiled | |
::excisted::existed | |
::existance::existence | |
::existince::existence | |
::existant::existent | |
::exisiting::existing | |
::exonorate::exonerate | |
::exoskelaton::exoskeleton | |
::exapansion::expansion | |
::expeced::expected | |
::expeditonary::expeditionary | |
::expiditions::expeditions | |
::expell::expel | |
::expells::expels | |
::experiance::experience | |
::experienc::experience | |
::expierence::experience | |
::exprience::experience | |
::experianced::experienced | |
::exprienced::experienced | |
::expeiments::experiments | |
::expalin::explain | |
::explaning::explaining | |
::explaination::explanation | |
::explictly::explicitly | |
::exploerer::explorer | |
::exploer::explore | |
::explotation::exploitation | |
::exploititive::exploitative | |
::exressed::expressed | |
::expropiated::expropriated | |
::expropiation::expropriation | |
::extention::extension | |
::extentions::extensions | |
::exerternal::external | |
::exinct::extinct | |
::extradiction::extradition | |
::extrordinarily::extraordinarily | |
::extrordinary::extraordinary | |
::extravagent::extravagant | |
::extemely::extremely | |
::extrememly::extremely | |
::extremly::extremely | |
::extermist::extremist | |
::extremeophile::extremophile | |
::fascitious::facetious | |
::falure::failure | |
::facillitate::facilitate | |
::facilites::facilities | |
::farenheit::Fahrenheit | |
::familair::familiar | |
::familar::familiar | |
::familliar::familiar | |
::fammiliar::familiar | |
::familes::families | |
::fimilies::families | |
::famoust::famous | |
::fanatism::fanaticism | |
::facia::fascia | |
::fascitis::fasciitis | |
::facinated::fascinated | |
::facist::fascist | |
::favoutrable::favourable | |
::feasable::feasible | |
::faeture::feature | |
::faetures::features | |
::febuary::February | |
::fedreally::federally | |
::efel::feel | |
::veeling::feeling | |
::veelings::feelings | |
::feeligns::feeligns | |
::feelign::feelign | |
::fertily::fertility | |
::fued::feud | |
::fwe::few | |
::ficticious::fictitious | |
::fictious::fictitious | |
::feild::field | |
::fiedl::field | |
::fiedls::fields | |
::feilds::fields | |
::fiercly::fiercely | |
::firey::fiery | |
::figher::fighter | |
::figheter::fighter | |
::figh::fight | |
::fighet::fight | |
::fightings::fighting | |
::filiament::filament | |
::flim::flim | |
::fiel::file | |
::fiels::files | |
::fianl::final | |
::fianlly::finally | |
::finaly::finally | |
::finalyl::finally | |
::finacial::financial | |
::financialy::financially | |
::fidn::find | |
::fing::find | |
::fianite::finite | |
::fisrt::first | |
::fisesh::fishes | |
::firts::first | |
::fisionable::fissionable | |
::ficed::fixed | |
::flamable::flammable | |
::flawess::flawless | |
::flemmish::Flemish | |
::glight::flight | |
::flaot::float | |
::flaoting::floating | |
::fluorish::flourish | |
::florescent::fluorescent | |
::flourescent::fluorescent | |
::flouride::fluoride | |
::foucs::focus | |
::focussed::focused | |
::focusses::focuses | |
::focussing::focusing | |
::fodler::folder | |
::fodlers::folders | |
::follwo::follow | |
::folow::follow | |
::follwoing::following | |
::folowing::following | |
::ofr::for | |
::rof::for | |
::rfom::from | |
::forumla::formula | |
::formating::formatting | |
::formalhaut::Fomalhaut | |
::foootball::football | |
::fpr::for | |
::forthe::for the | |
::forbad::forbade | |
::forbiden::forbidden | |
::forhead::forehead | |
::foriegn::foreign | |
::formost::foremost | |
::forunner::forerunner | |
::forsaw::foresaw | |
::forseeable::foreseeable | |
::fortelling::foretelling | |
::foreward::foreword | |
::forfiet::forfeit | |
::formallise::formalise | |
::formallised::formalised | |
::formallize::formalize | |
::formallized::formalized | |
::formaly::formally | |
::fomed::formed | |
::fromed::formed | |
::formelly::formerly | |
::fourties::forties | |
::fourty::forty | |
::forard::forward | |
::forwarde::forward | |
::forwrd::forward | |
::foward::forward | |
::forwrds::forwards | |
::fowards::forwards | |
::faught::fought | |
::fougth::fought | |
::foudn::found | |
::foundaries::foundries | |
::foundary::foundry | |
::fouth::fourth | |
::fransiscan::Franciscan | |
::fransiscans::Franciscans | |
::frequentily::frequently | |
::frquency::frequency | |
::frequence::frequency | |
::frequnecy::frequency | |
::freqnecy::frequency | |
::frequnecy::frequency | |
::freqncy::frequency | |
::frequnzy::frequency | |
::frequencye::frequency | |
::frequenzy::frequency | |
::freind::friend | |
::frind::friend | |
::freindly::friendly | |
::firends::friends | |
::freinds::friends | |
::frmo::from | |
::frome::from | |
::fromt he::from the | |
::fromthe::from the | |
::froniter::frontier | |
::fufill::fulfill | |
::fufilled::fulfilled | |
::fulfiled::fulfilled | |
::functio::function | |
::funciton::function | |
::fucntion::function | |
::fucnition::function | |
::fucniton::function | |
::funtio::function | |
::funtion::function | |
::fundametal::fundamental | |
::fundametals::fundamentals | |
::furneral::funeral | |
::funguses::fungi | |
::firc::furc | |
::furuther::further | |
::fuirther::further | |
::furtehr::further | |
::futher::further | |
::futrure::future | |
::futhermore::furthermore | |
::galatic::galactic | |
::galations::Galatians | |
::gallaxies::galaxies | |
::galvinised::galvanised | |
::galvinized::galvanized | |
::gaem::game | |
::ganes::games | |
::ghandi::Gandhi | |
::ganster::gangster | |
::garnison::garrison | |
::gaguing::gauging | |
::gague::gauge | |
::goge::gauge | |
::gaueg::gauge | |
::guage::gauge | |
::geneological::genealogical | |
::geneologies::genealogies | |
::geneology::genealogy | |
::gemeral::general | |
::generaly::generally | |
::generatting::generating | |
::genialia::genitalia | |
::gentlemens::gentlemen's | |
::geographicial::geographical | |
::geometrician::geometer | |
::geometricians::geometers | |
::geting::getting | |
::gettin::getting | |
::guilia::Giulia | |
::guiliani::Giuliani | |
::guilio::Giulio | |
::guiseppe::Giuseppe | |
::igve::give | |
::giv e::give | |
::gievn::given | |
::giveing::giving | |
::gloabl::global | |
::gnawwed::gnawed | |
::godess::goddess | |
::godesses::goddesses | |
::godounov::Godunov | |
::goign::going | |
::gonig::going | |
::oging::going | |
::giong::going | |
::giid::good | |
::godo::good | |
::gothenberg::Gothenburg | |
::gottleib::Gottlieb | |
::goverance::governance | |
::govement::government | |
::govenment::government | |
::govenrment::government | |
::goverment::government | |
::governmnet::government | |
::govorment::government | |
::govornment::government | |
::govermental::governmental | |
::govormental::governmental | |
::gouvener::governor | |
::governer::governor | |
::grqaph::graph | |
::grandure::grandeur | |
::gracefull::graceful | |
::graffitti::graffiti | |
::grafitti::graffiti | |
::grammer::grammar | |
::gramatically::grammatically | |
::grammaticaly::grammatically | |
::greatful::grateful | |
::greately::greatly | |
::greatfully::gratefully | |
::gratuitious::gratuitous | |
::gerat::great | |
::graet::great | |
::grat::great | |
::gret::great | |
::gridles::griddles | |
::greif::grief | |
::groudn::ground | |
::gorup::group | |
::gorup::group | |
::gropu::group | |
::gruop::group | |
::gruops::groups | |
::grwo::grow | |
::guadulupe::Guadalupe | |
::gunanine::guanine | |
::gauarana::guarana | |
::gaurantee::guarantee | |
::gaurentee::guarantee | |
::guarentee::guarantee | |
::gurantee::guarantee | |
::gauranteed::guaranteed | |
::gaurenteed::guaranteed | |
::guarenteed::guaranteed | |
::guranteed::guaranteed | |
::gaurantees::guarantees | |
::gaurentees::guarantees | |
::guarentees::guarantees | |
::gurantees::guarantees | |
::gaurd::guard | |
::guatamala::Guatemala | |
::guatamalan::Guatemalan | |
::guidence::guidance | |
::guiness::Guinness | |
::guttaral::guttural | |
::gutteral::guttural | |
::gusy::guys | |
::habaeus::habeas | |
::habeus::habeas | |
::hda::had | |
::hadbeen::had been | |
::haemorrage::haemorrhage | |
::hallowean::Halloween | |
::ahppen::happen | |
::hapen::happen | |
::hapened::happened | |
::happend::happened | |
::happended::happened | |
::happenned::happened | |
::happeing::happening | |
::happeneing::happening | |
::happeneing::happening | |
::hapening::happening | |
::hapens::happens | |
::harras::harass | |
::harmfull::harmful | |
::harased::harassed | |
::harrased::harassed | |
::harrassed::harassed | |
::harrasses::harassed | |
::harases::harasses | |
::harrases::harasses | |
::harrasing::harassing | |
::harrassing::harassing | |
::harassement::harassment | |
::harrasment::harassment | |
::ahrd::hard | |
::harrassment::harassment | |
::harrasments::harassments | |
::harrassments::harassments | |
::hace::hare | |
::hsa::has | |
::ahs::has | |
::hs::has | |
::hasbeen::has been | |
::hasnt::hasn't | |
::ahev::have | |
::hae::have | |
::ahv e::have | |
::h ave::have | |
::ahve::have | |
::haev::have | |
::hvae::have | |
::havebeen::have been | |
::haveing::having | |
::hvaing::having | |
::hge::he | |
::hesaid::he said | |
::hewas::he was | |
::headquater::headquarters | |
::headquatered::headquartered | |
::headquaters::headquarters | |
::healthercare::healthcare | |
::heathy::healthy | |
::heared::heard | |
::hearign::hearing | |
::herat::heart | |
::heartbraking::heartbreaking | |
::heartbrak::heartbreak | |
::haviest::heaviest | |
::hgih::high | |
::hgihg::high | |
::ehgith::height | |
::hegiht::height | |
::hight::height | |
::hieght::height | |
::hier::heir | |
::heirarchy::heirarchy | |
::helment::helmet | |
::halp::help | |
::hlep::help | |
::helsp::helps | |
::helpped::helped | |
::helpfull::helpful | |
::hemmorhage::hemorrhage | |
::ehr::her | |
::ehre::here | |
::here;s::here's | |
::heridity::heredity | |
::heroe::hero | |
::heros::heroes | |
::hertzs::hertz | |
::hesistant::hesitant | |
::heterogenous::heterogeneous | |
::heirarchical::hierarchical | |
::hiearchial::hierarchical | |
::hierarchial::hierarchical | |
::hierachical::hierarchical | |
::hierarcical::hierarchical | |
::heirarchies::hierarchies | |
::hierachies::hierarchies | |
::heirarchy::hierarchy | |
::hierachy::hierarchy | |
::hierarcy::hierarchy | |
::hieroglph::hieroglyph | |
::heiroglyphics::hieroglyphics | |
::hieroglphs::hieroglyphs | |
::heigher::higher | |
::higer::higher | |
::higest::highest | |
::higway::highway | |
::hillarious::hilarious | |
::himselv::himself | |
::hismelf::himself | |
::hinderance::hindrance | |
::hinderence::hindrance | |
::hindrence::hindrance | |
::hipopotamus::hippopotamus | |
::hsi::his | |
::ihs::his | |
::historicians::historians | |
::hsitorians::historians | |
::hisotyr::history | |
::hstory::history | |
::hollistic::holistic | |
::hollism::holism | |
::hol::hold | |
::holt::hold | |
::holliday::holiday | |
::homogeneize::homogenize | |
::homogeneized::homogenized | |
::honourarium::honorarium | |
::honory::honorary | |
::honourific::honorific | |
::hounour::honour | |
::horrifing::horrifying | |
::hospitible::hospitable | |
::housr::hours | |
::howver::however | |
::hoiw::how | |
::huminoid::humanoid | |
::humoural::humoral | |
::humer::humour | |
::humerous::humourous | |
::humurous::humourous | |
::husban::husband | |
::hydogen::hydrogen | |
::hydropile::hydrophile | |
::hydropilic::hydrophilic | |
::hydropobe::hydrophobe | |
::hydropobic::hydrophobic | |
::hygeine::hygiene | |
::hypocracy::hypocrisy | |
::hypocrasy::hypocrisy | |
::hypocricy::hypocrisy | |
::hypocrit::hypocrite | |
::hypocrits::hypocrites | |
::iconclastic::iconoclastic | |
::idae::idea | |
::idk::I don't know | |
::idaeidae::idea | |
::idaes::ideas | |
::identicial::identical | |
::identifers::identifiers | |
::identofy::identify | |
::idealogies::ideologies | |
::idealogy::ideology | |
::iditiomatic::idiomatic | |
::idiosyncracy::idiosyncrasy | |
::iditomatic::idiomatic | |
::idiosyncracy::idiosyncrasy | |
::ideosyncratic::idiosyncratic | |
::ignorence::ignorance | |
::illiegal::illegal | |
::illegimacy::illegitimacy | |
::illegitmate::illegitimate | |
::illess::illness | |
::ilness::illness | |
::ilogical::illogical | |
::ilumination::illumination | |
::illution::illusion | |
::iamge::image | |
::iamege::image | |
::imaege::image | |
::imge::image | |
::imagenary::imaginary | |
::imagin::imagine | |
::imagintaion::imagination | |
::imginaition::imagination | |
::imaginaition::imagination | |
::imaginaiton::imagination | |
::inbalance::imbalance | |
::inbalanced::imbalanced | |
::imediate::immediate | |
::emmediately::immediately | |
::imediately::immediately | |
::imediatly::immediately | |
::immediatley::immediately | |
::immediatly::immediately | |
::immidately::immediately | |
::immidiately::immediately | |
::imense::immense | |
::inmigrant::immigrant | |
::inmigrants::immigrants | |
::imanent::imminent | |
::immunosupressant::immunosuppressant | |
::inpeach::impeach | |
::impresonate::impersonate | |
::impresonation::impersonation | |
::impecabbly::impeccably | |
::impedence::impedance | |
::implamenting::implementing | |
::inpt::input | |
::inptu::input | |
::inpolite::impolite | |
::improtance::importance | |
::imporatnce::importance | |
::improtant::important | |
::imporatnt::important | |
::importamt::important | |
::importent::important | |
::importnat::important | |
::impossable::impossible | |
::emprisoned::imprisoned | |
::imprioned::imprisoned | |
::imprisonned::imprisoned | |
::inprisonment::imprisonment | |
::improvemnt::improvement | |
::improvment::improvement | |
::improvments::improvements | |
::inproving::improving | |
::improvision::improvisation | |
::int he::in the | |
::inteh::in the | |
::inthe::in the | |
::inwhich::in which | |
::inablility::inability | |
::inaccessable::inaccessible | |
::inadvertentently::inadvertently | |
::inadiquate::inadequate | |
::inadquate::inadequate | |
::inadvertant::inadvertent | |
::inadvertantly::inadvertently | |
::inappropiate::inappropriate | |
::inagurated::inaugurated | |
::inaugures::inaugurates | |
::inaguration::inauguration | |
::incarcirated::incarcerated | |
::incidentially::incidentally | |
::incidently::incidentally | |
::includ::include | |
::includng::including | |
::incuding::including | |
::incomptable::incompatible | |
::incompetance::incompetence | |
::incompetant::incompetent | |
::incomptetent::incompetent | |
::imcomplete::incomplete | |
::inconsistant::inconsistent | |
::inconscipicuous::inconspicuous | |
::inconsipicuous::inconspicuous | |
::inconscpicuous::inconspicuous | |
::incospicuous::inconspicuous | |
::incorportaed::incorporated | |
::incorprates::incorporates | |
::incorperation::incorporation | |
::incorruptable::incorruptible | |
::inclreased::increased | |
::increadible::incredible | |
::incredable::incredible | |
::incramentally::incrementally | |
::incunabla::incunabula | |
::indefinately::indefinitely | |
::indefinitly::indefinitely | |
::indepenence::independence | |
::indepedence::independence | |
::independance::independence | |
::independece::independence | |
::indipendence::independence | |
::indepdendence::independence | |
::indepdendent::independent | |
::indepedent::independent | |
::indepenent::independent | |
::independant::independent | |
::independendet::independent | |
::indipendent::independent | |
::indpendent::independent | |
::indepedantly::independently | |
::independantly::independently | |
::indipendently::independently | |
::indpendently::independently | |
::indecate::indicate | |
::indite::indict | |
::indictement::indictment | |
::indigineous::indigenous | |
::indispensible::indispensable | |
::individualy::individually | |
::indviduals::individuals | |
::enduce::induce | |
::indulgue::indulge | |
::indutrial::industrial | |
::inudstry::industry | |
::inefficienty::inefficiently | |
::unequalities::inequalities | |
::inevatible::inevitable | |
::inevitible::inevitable | |
::inevititably::inevitably | |
::infalability::infallibility | |
::infallable::infallible | |
::infrantryman::infantryman | |
::infectuous::infectious | |
::infered::inferred | |
::inflitrate::infiltrate | |
::inflitrated::infiltrated | |
::inflitration::infiltration | |
::infilitrate::infiltrate | |
::infilitrated::infiltrated | |
::infilitration::infiltration | |
::infinit::infinite | |
::infinitly::infinitely | |
::enflamed::inflamed | |
::inflamation::inflammation | |
::influance::influence | |
::influented::influenced | |
::influencial::influential | |
::ifno::info | |
::infromaton::information | |
::informaiton::information | |
::infromation::information | |
::infomration::information | |
::informaton::information | |
::infomation::information | |
::informatoin::information | |
::informtion::information | |
::infrigement::infringement | |
::ingenius::ingenious | |
::ingreediants::ingredients | |
::inhabitans::inhabitants | |
::inherantly::inherently | |
::inheritence::inheritance | |
::inital::initial | |
::initla::initial | |
::intiala::initial | |
::initail::initial | |
::intial::initial | |
::ititial::initial | |
::initally::initially | |
::intially::initially | |
::initation::initiation | |
::initiaitive::initiative | |
::inteimate::intimate | |
::inate::innate | |
::inocence::innocence | |
::inumerable::innumerable | |
::innoculate::inoculate | |
::innoculated::inoculated | |
::inserrt::insert | |
::inciserely::insincerely | |
::insiserely::insincerely | |
::insinserely::insincerely | |
::insicerely::insincerely | |
::incicerely::insincerely | |
::incincerely::insincerely | |
::insectiverous::insectivorous | |
::insensative::insensitive | |
::inseperable::inseparable | |
::insistance::insistence | |
::instal::install | |
::instl::install | |
::instaled::installed | |
::instled::installed | |
::instaleld::installed | |
::instatance::instance | |
::insantiy::insanity | |
::insance::instance | |
::intance::instance | |
::intanse::instance | |
::instanse::instance | |
::intantiation::instantiation | |
::instatiation::instantiation | |
::intatiation::instantiation | |
::isntead::instead | |
::instad::instead | |
::instade::instead | |
::insted::instead | |
::institue::institute | |
::insigator::instigator | |
::insigate::instigate | |
::instutionalized::institutionalized | |
::instruciton::instruction | |
::instrucition::instruction | |
::instuction::instruction | |
::instrucitons::instructions | |
::instrucitions::instructions | |
::instuctions::instructions | |
::instuments::instruments | |
::insufficent::insufficient | |
::insufficently::insufficiently | |
::insurence::insurance | |
::intergrated::integrated | |
::intergration::integration | |
::intelectual::intellectual | |
::inteligence::intelligence | |
::inteligent::intelligent | |
::interoucrse::intercourse | |
::interchangable::interchangeable | |
::interchangably::interchangeably | |
::intercontinetal::intercontinental | |
::intrest::interest | |
::itnerest::interest | |
::itnerested::interested | |
::itneresting::interesting | |
::itnerests::interests | |
::interferance::interference | |
::interfereing::interfering | |
::interm::interim | |
::interrim::interim | |
::interum::interim | |
::intenational::international | |
::interational::international | |
::internation::international | |
::interpet::interpret | |
::intepretation::interpretation | |
::intepretator::interpretor | |
::interrugum::interregnum | |
::interelated::interrelated | |
::interupt::interrupt | |
::intevene::intervene | |
::intervines::intervenes | |
::inot::into | |
::itno::into | |
::inctroduce::introduce | |
::inctroduced::introduced | |
::intrduced::introduced | |
::introdued::introduced | |
::intruduced::introduced | |
::itnroduced::introduced | |
::instutions::intuitions | |
::unqiue::unique | |
::unfirom::uniform | |
::unfirm::uniform | |
::unituitive::unintuitive | |
::ituitive::intuitive | |
::ituitition::intuition | |
::intutive::intuitive | |
::intutively::intuitively | |
::invdalid::invalid | |
::invfdalid::invalid | |
::invdalid::invalid | |
::inventer::inventor | |
::inentoyr::inventory | |
::inventroy::inventory | |
::ivnetyro::inventory | |
::invewntory::inventory | |
::invetyuro::inventory | |
::invetory::inventory | |
::invetroy::inventory | |
::inveotyr::inventory | |
::inventorey::inventory | |
::inveotyr::inventory | |
::invertibrates::invertebrates | |
::investingate::investigate | |
::involvment::involvement | |
::ironicly::ironically | |
::irelevent::irrelevant | |
::irrelevent::irrelevant | |
::irreplacable::irreplaceable | |
::iresistable::irresistible | |
::iresistible::irresistible | |
::irresistable::irresistible | |
::iresistably::irresistibly | |
::iresistibly::irresistibly | |
::irresistably::irresistibly | |
::iritable::irritable | |
::iritated::irritated | |
::i snot::is not | |
::isthe::is the | |
::isnt::isn't | |
::issyues::issues | |
::issyue::issue | |
::isue::issue | |
::issueing::issuing | |
::itis::it is | |
::itwas::it was | |
::it;s::it's | |
::istelf::itself | |
::istefl::itself | |
::its a::it's a | |
::it snot::it's not | |
::it' snot::it's not | |
::iits the::it's the | |
::its the::it's the | |
::ihaca::Ithaca | |
::jaques::jacques | |
::japanes::Japanese | |
::japanesse::Japanese | |
::jetisson::jettison | |
::jeapardy::jeopardy | |
::jeoaprdy::jeopardy | |
::jeoprardy::jeopardy | |
::jeorday::jeopardy | |
::jeordpady::jeopardy | |
::jeopadry::jeopardy | |
::jeoapardy::jeopardy | |
::jewelery::jewellery | |
::jewllery::jewellery | |
::jewelry::jewellery | |
::jewellry::jewellery | |
::johanine::Johannine | |
::jospeh::Joseph | |
::jounral::journal | |
::jouney::journey | |
::jounrey::journey | |
::journied::journeyed | |
::journies::journeys | |
::juadaism::Judaism | |
::juadism::Judaism | |
::judgment::judgement | |
::jugment::judgment | |
::judical::judicial | |
::juducial::judicial | |
::judisuary::judiciary | |
::iunior::junior | |
::juristiction::jurisdiction | |
::juristictions::jurisdictions | |
::jstu::just | |
::jsut::just | |
::kindergarden::kindergarten | |
::klenex::kleenex | |
::knive::knife | |
::knifes::knives | |
::konw::know | |
::kwno::know | |
::nkow::know | |
::nkwo::know | |
::knowldge::knowledge | |
::knowlege::knowledge | |
::knowlegeable::knowledgeable | |
::knwon::known | |
::konws::knows | |
::layd::lady | |
::ladden::laden | |
::lyaout::layout | |
::laytout::layout | |
::labled::labelled | |
::labratory::laboratory | |
::labourious::laborious | |
::layed::laid | |
::laguage::language | |
::lagnauge::language | |
::languge::language | |
::laguages::languages | |
::larg::large | |
::largst::largest | |
::larrry::larry | |
::lavae::larvae | |
::lasoo::lasso | |
::lastr::last | |
::lsat::last | |
::lastyear::last year | |
::lastest::latest | |
::lattitude::latitude | |
::luahg::laugh | |
::luagh::laugh | |
::laucnh::launch | |
::laucnher::launcher | |
::launchs::launch | |
::launhed::launched | |
::lazyness::laziness | |
::leage::league | |
::leran::learn | |
::learnig::learning | |
::learnign::learning | |
::lerans::learns | |
::elast::least | |
::leaded::led | |
::lefted::left | |
::legitamate::legitimate | |
::legitmate::legitimate | |
::leibnitz::leibniz | |
::liesure::leisure | |
::lenght::length | |
::let;s::let's | |
::leaher::leather | |
::leahter::leather | |
::leahter::leather | |
::leathal::lethal | |
::let's him::lets him | |
::let's it::lets it | |
::levle::level | |
::levetate::levitate | |
::levetated::levitated | |
::levetates::levitates | |
::levetating::levitating | |
::liasion::liaison | |
::liason::liaison | |
::liasons::liaisons | |
::libell::libel | |
::libitarianisn::libertarianism | |
::libary::library | |
::librarry::library | |
::librery::library | |
::lybia::Libya | |
::lisense::license | |
::leitenant::lieutenant | |
::leutenant::lieutenant | |
::lieutenent::lieutenant | |
::lieutenant::lieutenant | |
::lieuteunant::lieutenant | |
::leutenant::lieutenant | |
::letenant::lieutenant | |
::lietenant::lieutenant | |
::liftime::lifetime | |
::lighitnig::lighting | |
::lightyear::light year | |
::lightyears::light years | |
::liek::like | |
::liuke::like | |
::liekd::liked | |
::likelyhood::likelihood | |
::likly::likely | |
::lukid::likud | |
::lustre::luster | |
::luminisity::luminosity | |
::lmits::limits | |
::lien::line | |
::tline::line | |
::libguistic::linguistic | |
::libguistics::linguistics | |
::linnaena::linnaean | |
::lippizaner::lipizzaner | |
::liquify::liquefy | |
::listners::listeners | |
::litterally::literally | |
::litature::literature | |
::literture::literature | |
::littel::little | |
::litttle::little | |
::liev::live | |
::lieved::lived | |
::livley::lively | |
::liveing::living | |
::lgo::log | |
::lrod::lord | |
::lrods::lords | |
::lomoco::locomo | |
::locmo::locomo | |
::lomocotion::locomotion | |
::locmaotion::locomotion | |
::locmomtion::locomotion | |
::loccation::location | |
::lcoation::location | |
::loacaqtion::location | |
::locaqtion::location | |
::loavdation::location | |
::claotion::location | |
::locaition::location | |
::loctation::location | |
::locatiaon::location | |
::loation::location | |
::locaiton::location | |
::loceiton::location | |
::lociation::location | |
::lonelyness::loneliness | |
::lonley::lonely | |
::lonly::lonely | |
::longitudonal::longitudinal | |
::loke::look | |
::laok::look | |
::lookign::looking | |
::loosing::losing | |
::lsot::lost | |
::lotharingen::lothringen | |
::loev::love | |
::lveo::love | |
::lvoe::love | |
::lieing::lying | |
::mackeral::mackerel | |
::mpa::map | |
::machien::machine | |
::abition::ambition | |
::amde::made | |
::magasine::magazine | |
::magincian::magician | |
::magnificient::magnificent | |
::magolia::magnolia | |
::mailny::mainly | |
::mian::main | |
::mianly::mainly | |
::mantain::maintain | |
::mantained::maintained | |
::maintinaing::maintaining | |
::maintainance::maintenance | |
::maintainence::maintenance | |
::maintance::maintenance | |
::maintenence::maintenance | |
::majoroty::majority | |
::marjority::majority | |
::amke::make | |
::makek::make | |
::mkae::make | |
::mkea::make | |
::amkes::makes | |
::makse::makes | |
::mkaes::makes | |
::amking::making | |
::makeing::making | |
::mkaing::making | |
::malcom::Malcolm | |
::malfuncion::malfunction | |
::funcion::function | |
::maltesian::Maltese | |
::mamal::mammal | |
::mamalian::mammalian | |
::anem::name | |
::nanage::manage | |
::mnanage::manage | |
::managje::manage | |
::mangen::manage | |
::managable::manageable | |
::managment::management | |
::manuver::maneuver | |
::manoeuverability::maneuverability | |
::manifestion::manifestation | |
::manisfestations::manifestations | |
::manufature::manufacture | |
::manufacturedd::manufactured | |
::manufatured::manufactured | |
::manufaturing::manufacturing | |
::mrak::mark | |
::maked::marked | |
::marketting::marketing | |
::marketpalce::marketplace | |
::markes::marks | |
::marmelade::marmalade | |
::mariage::marriage | |
::marrage::marriage | |
::marraige::marriage | |
::marryied::married | |
::marrtyred::martyred | |
::massmedia::mass media | |
::massachussets::Massachusetts | |
::massachussetts::Massachusetts | |
::masterbation::masturbation | |
::materail::material | |
::matress::mattress | |
::matrres::mattress | |
::martix::matrix | |
::materil::material | |
::mateiral::material | |
::mateirla::material | |
::materiel::material | |
::materalists::materialist | |
::mathmatically::mathematically | |
::mathematican::mathematician | |
::mathmatician::mathematician | |
::matheticians::mathematicians | |
::mathmaticians::mathematicians | |
::mathamatics::mathematics | |
::mathematicas::mathematics | |
::may of::may have | |
::mccarthyst::mccarthyist | |
::meaningnless::meaningless | |
::meani::meaning | |
::meanign::meaning | |
::mmeaning::meaning | |
::emaing::meaning | |
::meang::meaning | |
::meanigg::meaning | |
::meaniung::meaning | |
::meian::meaning | |
::meiang::meaning | |
::emanig::meaning | |
::mening::meaning | |
::meaining::meaning | |
::meanin::meaning | |
::emaning::meaning | |
::meainng::meaning | |
::mmeaning::meaning | |
::meaniing::meaning | |
::meaining::meaning | |
::mmeaning::meaning | |
::meaing::meaning | |
::meanig::meaning | |
::meaninng::meaning | |
::menat::meant | |
::mchanics::mechanics | |
::mediaeval::medieval | |
::medacine::medicine | |
::mediciney::mediciny | |
::medeival::medieval | |
::medevial::medieval | |
::medievel::medieval | |
::mediterainnean::mediterranean | |
::mediteranean::Mediterranean | |
::meerkrat::meerkat | |
::memeber::member | |
::membranaphone::membranophone | |
::momento::memento | |
::momemt::moment | |
::remembeered::remembered | |
::remembmer::remember | |
::rememberable::memorable | |
::menally::mentally | |
::maintioned::mentioned | |
::mercentile::mercantile | |
::mechandise::merchandise | |
::merchent::merchant | |
::mesage::message | |
::mesages::messages | |
::messenging::messaging | |
::messanger::messenger | |
::emtal::metal | |
::emtals::metals | |
::metalic::metallic | |
::metalurgic::metallurgic | |
::metalurgical::metallurgical | |
::metalurgy::metallurgy | |
::metamorphysis::metamorphosis | |
::methaphor::metaphor | |
::mehtod::method | |
::metaphoricial::metaphorical | |
::methaphors::metaphors | |
::mataphysical::metaphysical | |
::meterologist::meteorologist | |
::meterology::meteorology | |
::micheal::Michael | |
::michagan::Michigan | |
::micoscopy::microscopy | |
::microsofto::microsoft | |
::microsofot::microsoft | |
::microsft::microsoft | |
::microsotfo::microsoft | |
::microsotf::microsoft | |
::midwifes::midwives | |
::might of::might have | |
::mileau::milieu | |
::mileu::milieu | |
::melieux::milieux | |
::miliary::military | |
::miliraty::military | |
::millitary::military | |
::miltary::military | |
::milennia::millennia | |
::millenia::millennia | |
::millenial::millennial | |
::millenialism::millennialism | |
::milennium::millennium | |
::millenium::millennium | |
::milion::million | |
::millon::million | |
::millioniare::millionaire | |
::millepede::millipede | |
::minerial::mineral | |
::midn::mind | |
::minature::miniature | |
::minumum::minimum | |
::minstries::ministries | |
::ministery::ministry | |
::minstry::ministry | |
::miniscule::minuscule | |
::mirrorred::mirrored | |
::miscelaneous::miscellaneous | |
::miscellanious::miscellaneous | |
::miscellanous::miscellaneous | |
::mischeivous::mischievous | |
::mischevious::mischievous | |
::mischievious::mischievous | |
::misdameanor::misdemeanor | |
::misdemenor::misdemeanor | |
::misdameanors::misdemeanors | |
::misdemenors::misdemeanors | |
::misfourtunes::misfortunes | |
::mysogynist::misogynist | |
::mysogyny::misogyny | |
::misile::missile | |
::missle::missile | |
::missonary::missionary | |
::missisipi::Mississippi | |
::missisippi::Mississippi | |
::misouri::Missouri | |
::mispell::misspell | |
::mispelled::misspelled | |
::mispelling::misspelling | |
::mispellings::misspellings | |
::mythraic::Mithraic | |
::missen::mizzen | |
::mdo::mod | |
::mdoel::model | |
::modle::model | |
::moderm::modem | |
::moil::mohel | |
::mosture::moisture | |
::moleclues::molecules | |
::moent::moment | |
::monestaries::monasteries | |
::monestary::monastery | |
::moeny::money | |
::monirot::monitor | |
::mointor::monitor | |
::minotor::monitor | |
::monitro::monitor | |
::motnirn::monitor | |
::motnirn;::monitor | |
::motnir::monitor | |
::monickers::monikers | |
::monkies::monkeys | |
::monolite::monolithic | |
::motnage::montage | |
::montagte::montage | |
::montypic::monotypic | |
::mounth::month | |
::monts::months | |
::monserrat::Montserrat | |
::mroe::more | |
::omre::more | |
::moreso::more so | |
::Omg::Oh my god | |
::omg::oh my god | |
::morisette::Morissette | |
::morrisette::Morissette | |
::morroccan::moroccan | |
::morrocco::morocco | |
::morroco::morocco | |
::morgage::mortgage | |
::motiviated::motivated | |
::motin::motion | |
::mottos::mottoes | |
::montanous::mountainous | |
::montains::mountains | |
::movment::movement | |
::mvoe::move | |
::muvment::movement | |
::movemnt::movement | |
::movei::movie | |
::mobie::movie | |
::mucuous::mucous | |
::multicultralism::multiculturalism | |
::multiplel::multiple | |
::multilple::multiple | |
::mtuleilpe::multiple | |
::multilpe::multiple | |
::multipled::multiplied | |
::multiplers::multipliers | |
::muncipalities::municipalities | |
::muncipality::municipality | |
::munnicipality::municipality | |
::muder::murder | |
::mudering::murdering | |
::muscial::musical | |
::musci::music | |
::muscician::musician | |
::muscicians::musicians | |
::muhammadan::muslim | |
::mohammedans::muslims | |
::must of::must have | |
::mutiliated::mutilated | |
::myu::my | |
::myraid::myriad | |
::mysef::myself | |
::mself::myself | |
::mysefl::myself | |
::misterious::mysterious | |
::misteryous::mysterious | |
::mysterous::mysterious | |
::mistery::mystery | |
::naieve::naive | |
::napoleonian::Napoleonic | |
::an d::and | |
::ana::and | |
::ansalisation::nasalisation | |
::ansalization::nasalization | |
::naturual::natural | |
::naturaly::naturally | |
::naturely::naturally | |
::naturually::naturally | |
::nazereth::Nazareth | |
::netowrk::network | |
::netowkr::network | |
::neowrk::network | |
::netowrk::network | |
::entwork::network | |
::netowkrn::network | |
::neccesarily::necessarily | |
::neccessarily::necessarily | |
::necesarily::necessarily | |
::nessasarily::necessarily | |
::neccesary::necessary | |
::necesarty::necessary | |
::neccesarty::necessary | |
::neccessary::necessary | |
::necesary::necessary | |
::nessecary::necessary | |
::necessiate::necessitate | |
::neccessities::necessities | |
::ened::need | |
::neglible::negligible | |
::negligable::negligible | |
::negociable::negotiable | |
::negotiaing::negotiating | |
::negotation::negotiation | |
::neigbourhood::neighborhood | |
::neighborhoud::neighborhood | |
::neighborhouds::neighborhoods | |
::neolitic::neolithic | |
::nestin::nesting | |
::nver::never | |
::nvevertheless::nevertheless | |
::nevertheles::nevertheless | |
::neverthless::nevertheless | |
::nwe::new | |
::enws::news | |
::enw::new | |
::hwo::how | |
::newyorker::New Yorker | |
::foundland::Newfoundland | |
::foundaiton::foundation | |
::newletters::newsletters | |
::enxt::next | |
::nibmel::nibmle | |
::nibmle::nimble | |
::nibme::nimble | |
::nibmelness::nibmleness | |
::nibmleness::nimbleness | |
::nibmeness::nimbleness | |
::nibmelnes::nibmleness | |
::nibmlenes::nimbleness | |
::nibmenes::nimbleness | |
::nickle::nickel | |
::neice::niece | |
::nightime::nighttime | |
::ninteenth::nineteenth | |
::ninties::nineties ; fixed from "1990s": could refer to temperatures too. | |
::ninty::ninety | |
::nineth::ninth | |
::ndoe::node | |
::ndoed::node | |
::nedo::node | |
::noone::no one | |
::noncombatents::noncombatants | |
::nontheless::nonetheless | |
::unoperational::nonoperational | |
::unnoriginal::unoriginal | |
::nonsence::nonsense | |
::noth::north | |
::northereastern::northeastern | |
::norhern::northern | |
::northen::northern | |
::nothern::northern | |
::noraml::normal | |
::norml::normal | |
::normnal::normal | |
::nornal::normal | |
:C:Nto::Not | |
:C:nto::not | |
::niote::note | |
::niotes::notes | |
::noteable::notable | |
::notabley::notably | |
::noteably::notably | |
::nothign::nothing | |
::notive::notice | |
::noticable::noticeable | |
::noticably::noticeably | |
::noticeing::noticing | |
::noteriety::notoriety | |
::notwhithstanding::notwithstanding | |
::noveau::nouveau | |
::nowe::now | |
::nowdays::nowadays | |
::nwo::now | |
::nowdays::nowadays | |
::nucular::nuclear | |
::nuculear::nuclear | |
::nuisanse::nuisance | |
::nusance::nuisance | |
::nullabour::Nullarbor | |
::numnuts::numbnuts | |
::nubmer::number | |
::numer::number | |
::nubmers::numbers | |
::munbers::numbers | |
::numberous::numerous | |
::nuptual::nuptial | |
::nuremburg::Nuremberg | |
::nuturing::nurturing | |
::nutritent::nutrient | |
::nutritents::nutrients | |
::obediance::obedience | |
::obediant::obedient | |
::obssessed::obsessed | |
::obession::obsession | |
::obsolecence::obsolescence | |
::obstackle::obstacle | |
::obstancle::obstacle | |
::obstancle::obstacle | |
::obstacal::obstacle | |
::obstancles::obstacles | |
::obstruced::obstructed | |
::ocassion::occasion | |
::occaison::occasion | |
::occassion::occasion | |
::ocassional::occasional | |
::occassional::occasional | |
::ocassionally::occasionally | |
::ocassionaly::occasionally | |
::occassionally::occasionally | |
::occassionaly::occasionally | |
::occationally::occasionally | |
::ocassioned::occasioned | |
::occassioned::occasioned | |
::ocassions::occasions | |
::occassions::occasions | |
::occour::occur | |
::occured::occurred | |
::occur::occur | |
::occurr::occur | |
::ocur::occur | |
::ocurr::occur | |
::occured::occurred | |
::ocurred::occurred | |
::occurence::occurrence | |
::occurrance::occurrence | |
::ocurrance::occurrence | |
::ocurrence::occurrence | |
::occurences::occurrences | |
::occurrances::occurrences | |
::occuring::occurring | |
::octohedra::octahedra | |
::octohedral::octahedral | |
::octohedron::octahedron | |
::odouriferous::odoriferous | |
::odourous::odorous | |
::ouevre::oeuvre | |
::iof::of | |
:C:fo::of | |
:C:od::of | |
::ofits::of its | |
::ofthe::of the | |
::oft he::of the ; Could be legitimate in poetry, but more usually a typo. | |
::offereings::offerings | |
::offsers::offers | |
::offser::offer | |
::offence::offense | |
::offcers::officers | |
::offical::official | |
::offcially::officially | |
::offically::officially | |
::officaly::officially | |
::officialy::officially | |
::oftenly::often | |
::omlette::omelette | |
::omnious::ominous | |
::omision::omission | |
::ommision::omission | |
::omited::omitted | |
::ommited::omitted | |
::ommitted::omitted | |
::omiting::omitting | |
::ommiting::omitting | |
::ommitting::omitting | |
::omniverous::omnivorous | |
::omniverously::omnivorously | |
::ont he::on the | |
::onthe::on the | |
::oen::one | |
::onself::oneself | |
::oneof::one of | |
::onepoint::one point | |
::nly::only | |
::onyl::only | |
::onomatopeia::onomatopoeia | |
::opne::open | |
::opn::open | |
::fien::fine | |
::ifne::fine | |
::oppenly::openly | |
::openess::openness | |
::opperation::operation | |
::opoerate::operate | |
::oeprate::operate | |
::opertor::operator | |
::oeprator::operator | |
::opthalmic::ophthalmic | |
::opthalmologist::ophthalmologist | |
::opthamologist::ophthalmologist | |
::opthalmology::ophthalmology | |
::oppinion::opinion | |
::opnion::opinion | |
::opoinion::opinion | |
::oponent::opponent | |
::opponant::opponent | |
::oppononent::opponent | |
::oppotunities::opportunities | |
::oportunity::opportunity | |
::oppertunity::opportunity | |
::oppotunity::opportunity | |
::opprotunity::opportunity | |
::opposible::opposable | |
::opose::oppose | |
::oppossed::opposed | |
::oposite::opposite | |
::oppasite::opposite | |
::opposate::opposite | |
::opposit::opposite | |
::oposition::opposition | |
::oppositition::opposition | |
::oppres::oppress | |
::opres::oppress | |
::opress::oppress | |
::opression::oppression | |
::opressive::oppressive | |
::opitonal::optional | |
::optonal::optional | |
::opitonally::optionally | |
::optomism::optimism | |
::optimiazation::optimization | |
::optmization::optimization | |
::optimiaation::optimization | |
::optmizations::optimizations | |
::orded::ordered | |
::oragen::orange | |
::odrer::order | |
::oridinarily::ordinarily | |
::orginize::organise | |
::oragnize::organise | |
::oragnized::organised | |
::orgainzed::organised | |
::orgainze::organise | |
::organim::organism | |
::organiztion::organization | |
::orgnaizaiton::organization | |
::orginization::organization | |
::orginized::organized | |
::orgin::origin | |
::oriing::origin | |
::orginal::original | |
::origional::original | |
::orginally::originally | |
::origanaly::originally | |
::originall::originally | |
::originaly::originally | |
::originially::originally | |
::originnally::originally | |
::orignally::originally | |
::orignially::originally | |
::orthagonal::orthogonal | |
::orthagonally::orthogonally | |
::eother::other | |
::ohter::other | |
::otehr::other | |
::otherw::others | |
::uot::out | |
::otu::out | |
::otucome::outcome | |
::outcomje::outcome | |
::otu::out | |
::outo::out | |
::outpt::output | |
::outupt::output | |
::outoput::output | |
::outut::output | |
::outuptu::output | |
::outof::out of | |
::oer::over | |
::ovelray::overlay | |
::ovelrlray::overlay | |
::overlrlray::overlay | |
::overthe::over the | |
::overthere::over there | |
::overshaddowed::overshadowed | |
::overwelming::overwhelming | |
::overwheliming::overwhelming | |
::pwn::own | |
::oxident::oxidant | |
::oxigen::oxygen | |
::oximoron::oxymoron | |
::peageant::pageant | |
::apge::page | |
::paide::paid | |
::paied::paid | |
::pya::pay | |
::payed::paid | |
::paleolitic::paleolithic | |
::pallette::palette | |
::palistian::Palestinian | |
::palistinian::Palestinian | |
::palistinians::Palestinians | |
::pallete::palette | |
::pamflet::pamphlet | |
::pamplet::pamphlet | |
::pantomine::pantomime | |
::papanicalou::Papanicolaou | |
::papaer::paper | |
::paramter::parameter | |
::paraemter::parameter | |
::paremter::parameter | |
::parameterer::parameter | |
::prm::parameter | |
::prameter::parameter | |
::perade::parade | |
::parrakeets::parakeets | |
::paralel::parallel | |
::paralell::parallel | |
::parralel::parallel | |
::parrallel::parallel | |
::parrallell::parallel | |
::paralelly::parallelly | |
::paralely::parallelly | |
::parallely::parallelly | |
::parrallelly::parallelly | |
::parrallely::parallelly | |
::parellels::parallels | |
::paraphenalia::paraphernalia | |
::paranthesis::parenthesis | |
::parliment::parliament | |
::paliamentarian::parliamentarian | |
::partof::part of | |
::prt::part | |
::aprt::part | |
::partialy::partially | |
::parituclar::particular | |
::paritcular::particular | |
::prtciular::particular | |
::particualr::particular | |
::paticular::particular | |
::particuarly::particularly | |
::particularily::particularly | |
::particulary::particularly | |
::pary::party | |
::pased::passed | |
::pasengers::passengers | |
::passerbys::passersby | |
::pasttime::pastime | |
::pastural::pastoral | |
::pattented::patented | |
::paitience::patience | |
::pavillion::pavilion | |
::paymetn::payment | |
::paymetns::payments | |
::peacefuland::peaceful and | |
::peculure::peculiar | |
::pedestrain::pedestrian | |
::perjorative::pejorative | |
::peloponnes::Peloponnesus | |
::peleton::peloton | |
::penatly::penalty | |
::penerator::penetrator | |
::penisula::peninsula | |
::penninsula::peninsula | |
::pennisula::peninsula | |
::pensinula::peninsula | |
::penisular::peninsular | |
::penninsular::peninsular | |
::peolpe::people | |
::peopel::people | |
::poeple::people | |
::poeoples::peoples | |
::percieve::perceive | |
::percepted::perceived | |
::percieved::perceived | |
::percentof::percent of | |
::percentto::percent to | |
::precentage::percentage | |
::perenially::perennially | |
::performence::performance | |
::pefect::perfect | |
::perfomers::performers | |
::performes::performs | |
::perhasp::perhaps | |
::perheaps::perhaps | |
::perhpas::perhaps | |
::perphas::perhaps | |
::preiod::period | |
::peroid::period | |
::preriod::period | |
::peripathetic::peripatetic | |
::perjery::perjury | |
::permanant::permanent | |
::permenant::permanent | |
::perminent::permanent | |
::permanentn::permanent | |
::permanenntly::permanently | |
::permanennetly::permanently | |
::permantntelty::permanently | |
::erpemenantly::permanently | |
::permeantnently::permanently | |
::permantntly::permanently | |
::permanetly::permanently | |
::pemrnantelty::permanently | |
::permannetly::permanently | |
::pemranntly::permanently | |
::permannetnly::permanently | |
::permantennyl::permanently | |
::permantentnyl::permanently | |
::permantentnyl::permanently | |
::permanentnly::permanently | |
::permenantly::permanently | |
::permissable::permissible | |
::premission::permission | |
::perpindicular::perpendicular | |
::perseverence::perseverance | |
::persistance::persistence | |
::peristent::persistent | |
::persistant::persistent | |
::preson::person | |
::eprson::person | |
::peron::person | |
::persno::person | |
::perosn::person | |
::presonal::personal | |
::peronal::personal | |
::perosnality::personality | |
::personalyl::personally | |
::personell::personnel | |
::personnell::personnel | |
::prespective::perspective | |
::pursuade::persuade | |
::persuded::persuaded | |
::pursuaded::persuaded | |
::pursuades::persuades | |
::pursueing::pursuing | |
::psuch::push | |
::pusfh::push | |
::psuh::push | |
::puhs::push | |
::pussilanimous::pussilanimous | |
::pususading::persuading | |
::pertubation::perturbation | |
::pertubations::perturbations | |
::preverse::perverse | |
::pessiary::pessary | |
::petetion::petition | |
::phatnom::phantom | |
::pharoah::Pharaoh | |
::phenonmena::phenomena | |
::phenomenonal::phenomenal | |
::phenomenonly::phenomenally | |
::phenomenom::phenomenon | |
::phenomonenon::phenomenon | |
::phenomonon::phenomenon | |
::feromone::pheromone | |
::fersion::version | |
::ferssion::version | |
::verssion::version | |
::phillipine::Philippine | |
::philipines::Philippines | |
::phillipines::Philippines | |
::phillippines::Philippines | |
::psylosophize::philosophize | |
::philisopher::philosopher | |
::philospher::philosopher | |
::philisophical::philosophical | |
::phylosophical::philosophical | |
::phillosophically::philosophically | |
::philosphies::philosophies | |
::philisophy::philosophy | |
::philosphy::philosophy | |
::phonecian::Phoenecian | |
::phoen::phone | |
::pheonix::phoenix ; Not forcing caps, as it could be the bird | |
::fonetic::phonetic | |
::phongraph::phonograph | |
::physicaly::physically | |
::piep::pipe | |
::peipe::pipe | |
::ppie::pipe | |
::pciture::picture | |
::peice::piece | |
::peices::pieces | |
::pilgrimmage::pilgrimage | |
::pilgrimmages::pilgrimages | |
::pinapple::pineapple | |
::pinnaple::pineapple | |
::pinoneered::pioneered | |
::pich::pitch | |
::plaery::player | |
::playtrhough::playthrough | |
::palce::place | |
::polace::place | |
::paltn::plant | |
::paltns::plants | |
::plant::plant | |
::plants::plants | |
::palktn::plant | |
::palnt::plant | |
::palktns::plants | |
::palnts::plants | |
::apltn::plant | |
::apltns::plants | |
::plaen::plane | |
::plagarism::plagiarism | |
::platn::plant | |
::platton::platoon | |
::plantiff::plaintiff | |
::planed::planned | |
::planation::plantation | |
::plateu::plateau | |
::plateaue::plateau | |
::plausable::plausible | |
::playhing::playing | |
::playright::playwright | |
::playwrite::playwright | |
::playwrites::playwrights | |
::pleasent::pleasant | |
::plesant::pleasant | |
::plebicite::plebiscite | |
::ppl::people | |
::Ppl::People | |
::peom::poem | |
::peoms::poems | |
::peotry::poetry | |
::poety::poetry | |
::oint::point | |
::poitns::points | |
::oints::points | |
::poitn::point | |
::poisin::poison | |
::posion::poison | |
::polical::political | |
::poltical::political | |
::politican::politician | |
::politicans::politicians | |
::polinator::pollinator | |
::polinators::pollinators | |
::polute::pollute | |
::poluted::polluted | |
::polutes::pollutes | |
::poluting::polluting | |
::polution::pollution | |
::polyphonyic::polyphonic | |
::polysaccaride::polysaccharide | |
::polysaccharid::polysaccharide | |
::pomegranite::pomegranate | |
::populare::popular | |
::popularaty::popularity | |
::popoulation::population | |
::poulations::populations | |
::portayed::portrayed | |
::potrayed::portrayed | |
::protrayed::portrayed | |
::portraing::portraying | |
::potpouri::potpourri | |
::portugese::Portuguese | |
::portuguease::portuguese | |
::possigle::possible | |
::possition::position | |
::postopne::postpone | |
::postopine::postpone | |
::positivie::positive | |
::psotive::positive | |
::posivitive::positive | |
::postiive::positive | |
::postive::positive | |
::positiv e::positive | |
::positvei::positive | |
::posotive::positive | |
::psot::post | |
::psto::post | |
::postion::position | |
::postition::position | |
::psoition::position | |
::postive::positive | |
::posess::possess | |
::posessed::possessed | |
::posesses::possesses | |
::posseses::possesses | |
::possessess::possesses | |
::posessing::possessing | |
::possesing::possessing | |
::posession::possession | |
::possesion::possession | |
::posessions::possessions | |
::possiblility::possibility | |
::possiblilty::possibility | |
::possable::possible | |
::possibile::possible | |
::possably::possibly | |
::posthomous::posthumous | |
::potatoe::potato | |
::potatos::potatoes | |
::potentialy::potentially | |
::postdam::Potsdam | |
::pwoer::power | |
::poverful::powerful | |
::poweful::powerful | |
::powerfull::powerful | |
::practial::practical | |
::practially::practically | |
::practicaly::practically | |
::practicly::practically | |
::pratice::practice | |
::practicioner::practitioner | |
::practioner::practitioner | |
::practicioners::practitioners | |
::practioners::practitioners | |
::prairy::prairie | |
::prarie::prairie | |
::praries::prairies | |
::pre-Colombian::pre-Columbian | |
::preample::preamble | |
::preceed::precede | |
::preceeded::preceded | |
::preceeds::precedes | |
::preceeding::preceding | |
::precice::precise | |
::precisly::precisely | |
::precurser::precursor | |
::precedessor::predecessor | |
::predecesors::predecessors | |
::predicatble::predictable | |
::predicitons::predictions | |
::predomiantly::predominately | |
::preminence::preeminence | |
::preferrably::preferably | |
::prefernece::preference | |
::preferneces::preferences | |
::prefered::preferred | |
::prefering::preferring | |
::pregancies::pregnancies | |
::pregnent::pregnant | |
::premeire::premiere | |
::premeired::premiered | |
::premillenial::premillennial | |
::premonasterians::Premonstratensians | |
::preocupation::preoccupation | |
::prepartion::preparation | |
::preperation::preparation | |
::preperations::preparations | |
::prepatory::preparatory | |
::prepair::prepare | |
::perogative::prerogative | |
::presance::presence | |
::presense::presence | |
::presetn::present | |
::presedential::presidential | |
::presidenital::presidential | |
::presidental::presidential | |
::presitgious::prestigious | |
::prestigeous::prestigious | |
::prestigous::prestigious | |
::presumabely::presumably | |
::presumibly::presumably | |
::prevelant::prevalent | |
::previvous::previous | |
::pritn::print | |
::printe::print | |
::printr::print | |
::printi::print | |
::prihnt::print | |
::rpoint::print | |
::printg::print | |
::pitn::print | |
::printg::print | |
::ptihntg::print | |
::prit::print | |
::rpithn::print | |
::rpint::print | |
::rpitgn::print | |
::priestood::priesthood | |
::primarly::primarily | |
::primative::primitive | |
::primatively::primitively | |
::primatives::primitives | |
::primordal::primordial | |
::pricipal::principal | |
::prinicple::principle | |
::priciple::principle | |
::privte::private | |
::privelege::privilege | |
::privelige::privilege | |
::privilage::privilege | |
::priviledge::privilege | |
::privledge::privilege | |
::priveleged::privileged | |
::priveliged::privileged | |
::priveleges::privileges | |
::priveliges::privileges | |
::privelleges::privileges | |
::priviledges::privileges | |
::protem::pro tem | |
::probablistic::probabilistic | |
::probabilaty::probability | |
::probalibity::probability | |
::probablly::probably | |
::probaly::probably | |
::porblem::problem | |
::probelm::problem | |
::problelm::problem | |
::problelms::problems | |
::porblems::problems | |
::probelms::problems | |
::procedger::procedure | |
::proceedure::procedure | |
::procede::proceed | |
::proceded::proceeded | |
::proceding::proceeding | |
::procedings::proceedings | |
::procedes::proceeds | |
::proccess::process | |
::proces::process | |
::proccessing::processing | |
::processer::processor | |
::proclamed::proclaimed | |
::proclaming::proclaiming | |
::proclaimation::proclamation | |
::proclomation::proclamation | |
::proffesed::professed | |
::profesion::profession | |
::proffesion::profession | |
::proffesional::professional | |
::profesor::professor | |
::professer::professor | |
::proffesor::professor | |
::programable::programmable | |
::progrmaming::programming | |
::programing::programming | |
::progrma::program | |
::ptogress::progress | |
::progessed::progressed | |
::prohabition::prohibition | |
::prologomena::prolegomena | |
::preliferation::proliferation | |
::profilic::prolific | |
::prominance::prominence | |
::prominant::prominent | |
::prominantly::prominently | |
::promiscous::promiscuous | |
::promotted::promoted | |
::pomotion::promotion | |
::propmted::prompted | |
::pronouce::pronounce | |
::pronoounce::pronounce | |
::pronoucne::pronounce | |
::rponounce::pronounce | |
::pronomial::pronominal | |
::pronouced::pronounced | |
::pronounched::pronounced | |
::produ::proud | |
::prouncements::pronouncements | |
::pronunciaiton::pronunciation | |
::pronounciation::pronunciation | |
::pronunciatin::pronunciation | |
::propoganda::propaganda | |
::propogate::propagate | |
::propogates::propagates | |
::propogation::propagation | |
::propper::proper | |
::propperly::properly | |
::prophacy::prophecy | |
::poportional::proportional | |
::propotions::proportions | |
::propostion::proposition | |
::propietary::proprietary | |
::proprietory::proprietary | |
::proseletyzing::proselytizing | |
::protaganist::protagonist | |
::protoganist::protagonist | |
::protaganists::protagonists | |
::pretection::protection | |
::protien::protein | |
::protocal::protocol | |
::protruberance::protuberance | |
::protruberances::protuberances | |
::proove::prove | |
::prooved::proved | |
::porvide::provide | |
::provded::provided | |
::provicial::provincial | |
::provinicial::provincial | |
::provisonal::provisional | |
::provacative::provocative | |
::proximty::proximity | |
::psuedo::pseudo | |
::pseudonyn::pseudonym | |
::pseudononymous::pseudonymous | |
::psyco::psycho | |
::psycosocial::psychosocial | |
::psyhic::psychic | |
::pyscic::psychic | |
::psycology::psychology | |
::publid::public | |
::publci::public | |
::pubolic::public | |
::pbulci::public | |
::publically::publicly | |
::publicaly::publicly | |
::pucini::Puccini | |
::puertorrican::Puerto Rican | |
::puertorricans::Puerto Ricans | |
::pumkin::pumpkin | |
::purcahse::purchase | |
::purcahsing::purchasing | |
::puchasing::purchasing | |
::purchaseable::purchasable | |
::purcahsable::purchasable | |
::puritannical::puritanical | |
::purpotedly::purportedly | |
::purposedly::purposely | |
::persue::pursue | |
::persued::pursued | |
::persuing::pursuing | |
::persuit::pursuit | |
::persuits::pursuits | |
::puting::putting | |
::ptu::put | |
::qutoe::quote | |
::quantaty::quantity | |
::quantityt::quantity | |
::quantitiy::quantity | |
::quarantaine::quarantine | |
::quater::quarter | |
::quaters::quarters | |
::queries::queries | |
::qury::query | |
::qurey::query | |
::quries::queries | |
::qusetion::question | |
::quesion::question | |
::quesiton::question | |
::questoin::question | |
::quetion::question | |
::questonable::questionable | |
::questionnair::questionnaire | |
::quesions::questions | |
::questioms::questions | |
::questiosn::questions | |
::quetions::questions | |
::quicklyu::quickly | |
::quinessential::quintessential | |
::quitted::quit | |
::quizes::quizzes | |
::rabinnical::rabbinical | |
::radiactive::radioactive | |
::ragned::ranged | |
::rangeed::ranged | |
::rancourous::rancorous | |
::repid::rapid | |
::rarified::rarefied | |
::rasberry::raspberry | |
::arte::rate | |
::ratehr::rather | |
::radify::ratify | |
::racaus::raucous | |
::reched::reached | |
::reacing::reaching | |
::readmition::readmission | |
::rela::real | |
::relized::realised | |
::realsitic::realistic | |
::erally::really | |
::raelly::really | |
::realy::really | |
::realyl::really | |
::relaly::really | |
::rebllions::rebellions | |
::rebounce::rebound | |
::rebiulding::rebuilding | |
::rebuek::rebuke | |
::reacll::recall | |
::receeded::receded | |
::receeding::receding | |
::receieve::receive | |
::recieve::receive | |
::recieves::receives | |
::recieved::received | |
::receivedfrom::received from | |
::receving::receiving | |
::rechargable::rechargeable | |
::recipiant::recipient | |
::reciepents::recipients | |
::recipiants::recipients | |
::recogise::recognise | |
::recogize::recognize | |
::reconize::recognize | |
::reconized::recognized | |
::reccommend::recommend | |
::recomend::recommend | |
::reommend::recommend | |
::recomendation::recommendation | |
::recomendations::recommendations | |
::recommedations::recommendations | |
::reccommended::recommended | |
::recomended::recommended | |
::reccommending::recommending | |
::recomending::recommending | |
::recomends::recommends | |
::reconcilation::reconciliation | |
::reconaissance::reconnaissance | |
::reconnaissence::reconnaissance | |
::recontructed::reconstructed | |
::recrod::record | |
::rorad::road | |
::rocord::record | |
::recordproducer::record producer | |
::recrational::recreational | |
::recuiting::recruiting | |
::rucuperate::recuperate | |
::recurrance::recurrence | |
::reoccurrence::recurrence | |
::reaccurring::recurring | |
::reccuring::recurring | |
::recuring::recurring | |
::recyling::recycling | |
::reedeming::redeeming | |
::relected::reelected | |
::revaluated::reevaluated | |
::referrence::reference | |
::refere::refer | |
::refference::reference | |
::refrence::reference | |
::refernces::references | |
::refrences::references | |
::refedendum::referendum | |
::referal::referral | |
::refered::referred | |
::reffered::referred | |
::referiang::referring | |
::refering::referring | |
::referrs::refers | |
::refrers::refers | |
::refect::reflect | |
::refromist::reformist | |
::refridgeration::refrigeration | |
::refridgerator::refrigerator | |
::refusla::refusal | |
::irregardless::regardless | |
::regardes::regards | |
::regluar::regular | |
::reulgar::regular | |
::reguarly::regularly | |
::regularily::regularly | |
::regulaion::regulation | |
::regulaotrs::regulators | |
::rehersal::rehearsal | |
::reigining::reigning | |
::reicarnation::reincarnation | |
::reenforced::reinforced | |
::realtions::relations | |
::realtioship::relationship | |
::relatiopnship::relationship | |
::realitvely::relatively | |
::relativly::relatively | |
::relitavely::relatively | |
::releses::releases | |
::relevence::relevance | |
::relevent::relevant | |
::relient::reliant | |
::releive::relieve | |
::releived::relieved | |
::releiver::reliever | |
::religeous::religious | |
::religous::religious | |
::religously::religiously | |
::relinqushment::relinquishment | |
::reluctent::reluctant | |
::reluctanctly::reluctantly | |
::reluctanct::reluctant | |
::remaing::remaining | |
::remeber::remember | |
::rememberance::remembrance | |
::remembrence::remembrance | |
::remenicent::reminiscent | |
::reminescent::reminiscent | |
::reminscent::reminiscent | |
::reminsicent::reminiscent | |
::remenant::remnant | |
::reminent::remnant | |
::renedered::rende | |
::rendevous::rendezvous | |
::rendezous::rendezvous | |
::renewl::renewal | |
::reknown::renown | |
::reknowned::renowned | |
::rentors::renters | |
::reorganision::reorganisation | |
::repeteadly::repeatedly | |
::repentence::repentance | |
::repentent::repentant | |
::reprtoire::repertoire | |
::repetion::repetition | |
::reptition::repetition | |
::relpacement::replacement | |
::replicaiton::replication | |
::reportadly::reportedly | |
::represnt::represent | |
::represantative::representative | |
::representive::representative | |
::representativs::representatives | |
::representives::representatives | |
::represetned::represented | |
::reproducable::reproducible | |
::requrest::request | |
::requresting::requesting | |
::requred::required | |
::reqauirements::requirements | |
::reqauirement::requirement | |
::resentuful::resentful | |
::reasearch::research | |
::reserach::research | |
::reaosn::reason | |
::reste::reset | |
::resembelance::resemblance | |
::resemblence::resemblance | |
::ressemblance::resemblance | |
::ressemblence::resemblance | |
::ressemble::resemble | |
::ressembled::resembled | |
::resembes::resembles | |
::ressembling::resembling | |
::resevoir::reservoir | |
::recide::reside | |
::recided::resided | |
::recident::resident | |
::recidents::residents | |
::reciding::residing | |
::resignement::resignment | |
::resistence::resistance | |
::resistent::resistant | |
::resistable::resistible | |
::resollution::resolution | |
::resorces::resources | |
::repsectively::respectively | |
::respectivly::respectively | |
::respomse::response | |
::responce::response | |
::responibilities::responsibilities | |
::responsability::responsibility | |
::responisble::responsible | |
::responsable::responsible | |
::responsibile::responsible | |
::resaurant::restaurant | |
::restaraunt::restaurant | |
::restauraunt::restaurant | |
::resteraunt::restaurant | |
::restuarant::restaurant | |
::resturant::restaurant | |
::resturaunt::restaurant | |
::restaraunts::restaurants | |
::resteraunts::restaurants | |
::restaraunteur::restaurateur | |
::restaraunteurs::restaurateurs | |
::restauranteurs::restaurateurs | |
::restauration::restoration | |
::resticted::restricted | |
::reult::result | |
::resulots::results | |
::resulot::result | |
::ruelst::result | |
::reustl::result | |
::resurgance::resurgence | |
::resssurecting::resurrecting | |
::resurecting::resurrecting | |
::ressurrection::resurrection | |
::retalitated::retaliated | |
::retalitation::retaliation | |
::retreive::retrieve | |
::retun::return | |
::reutrn::return | |
::reutnr::return | |
::retuned::returned | |
::returnd::returned | |
::reveral::reversal | |
::reversable::reversible | |
::reveiw::review | |
::reivew::review | |
::reveiwing::reviewing | |
::revolutionar::revolutionary | |
::rewriet::rewrite | |
::rewitten::rewritten | |
::rhymme::rhyme | |
::rhythem::rhythm | |
::rhythim::rhythm | |
::rythem::rhythm | |
::rythim::rhythm | |
::rythm::rhythm | |
::rhytmic::rhythmic | |
::rythmic::rhythmic | |
::rythyms::rhythms | |
::rediculous::ridiculous | |
::rigourous::rigorous | |
::rigeur::rigueur | |
::rininging::ringing | |
::rokc::rock | |
::rockerfeller::Rockefeller | |
::rococco::rococo | |
::roomate::roommate | |
::rised::rose | |
::rougly::roughly | |
::rudimentatry::rudimentary | |
::rulle::rule | |
::rumers::rumors | |
::rubmel::rumble | |
::rutnime::runtime | |
::runing::running | |
::runnung::running | |
::russina::Russian | |
::russion::Russian | |
::sacrafice::sacrifice | |
::sacrifical::sacrificial | |
::sacreligious::sacrilegious | |
::sandess::sadness | |
::sadomazochistic::sadomasochistic | |
::saef::safe | |
::saefty::safety | |
::saftey::safety | |
::safty::safety | |
::saidhe::said he | |
::saidit::said it | |
::saidthat::said that | |
::saidt he::said the | |
::saidthe::said the | |
::salery::salary | |
::smae::same | |
::sam ething::same thing | |
::santioned::sanctioned | |
::sanctionning::sanctioning | |
::sandwhich::sandwich | |
::sanhedrim::Sanhedrin | |
::satelite::satellite | |
::sattelite::satellite | |
::satelites::satellites | |
::sattelites::satellites | |
::satric::satiric | |
::satrical::satirical | |
::satrically::satirically | |
::satisfactority::satisfactorily | |
::saterday::Saturday | |
::saterdays::Saturdays | |
::svae::save | |
::svaes::saves | |
::saxaphone::saxophone | |
::sasy::says | |
::sya::say | |
::syaing::saying | |
::syas::says | |
::scaleable::scalable | |
::scandanavia::Scandinavia | |
::scaricity::scarcity | |
::scavanged::scavenged | |
::senarios::scenarios | |
::swewer::sewer | |
::swer::sewer | |
::swewers::sewers | |
::swers::sewers | |
::scedule::schedule | |
::scehem::scheme | |
::schedual::schedule | |
::sceduled::scheduled | |
::scholarhip::scholarship | |
::scholarstic::scholastic | |
::shcool::school | |
::scince::science | |
::scinece::science | |
::scientfic::scientific | |
::scientifc::scientific | |
::screenwrighter::screenwriter | |
::scredriver::screwdriver | |
::scew::screw | |
::screm::scream | |
::scirpt::script | |
::scoll::scroll | |
::scrutinity::scrutiny | |
::scuptures::sculptures | |
::seaon::season | |
::seach::search | |
::serach::search | |
::sdearch::search | |
::seached::searched | |
::seaches::searches | |
::securiyt::security | |
::secratary::secretary | |
::secretay::secretary | |
::secretay::secretary | |
::secretery::secretary | |
::seciton::section | |
::sectino::section | |
::seing::seeing | |
::segementation::segmentation | |
::seguoys::segues | |
::sieze::seize | |
::siezed::seized | |
::siezing::seizing | |
::siezure::seizure | |
::siezures::seizures | |
::seldomly::seldom | |
::seelect::select | |
::slelect::select | |
::slect::select | |
::selct::select | |
::sledner::slender | |
::oenself::oneself | |
::sefkl::self | |
::selfj::self | |
::sefl::self | |
::seflj::self | |
::thsee::see | |
::seelection::selection | |
::slelection::selection | |
::slection::selection | |
::selction::selection | |
::selectoin::selection | |
::seinor::senior | |
::sence::sense | |
::senstive::sensitive | |
::sentance::sentence | |
::sentense::sentence | |
::seprarate::separate | |
::separeate::separate | |
::sepulchure::sepulchre | |
::sargant::sergeant | |
::sargeant::sergeant | |
::sergent::sergeant | |
::ste::set | |
::seutp::setup | |
::setpu::setup | |
::settelement::settlement | |
::settlment::settlement | |
::severeal::several | |
::severley::severely | |
::severly::severely | |
::sexpyrian::shakespearean | |
::sexpirian::shakespearean | |
::shrae::share | |
::sare::share | |
::shraed::shared | |
::sared::shared | |
::shsare::share | |
::shsared::shared | |
::shraing::sharing | |
::sare=ing::sharing | |
::shaddow::shadow | |
::seh::she | |
::shesaid::she said | |
::sherif::sheriff | |
::sheild::shield | |
::shineing::shining | |
::shien::shine | |
::shiped::shipped | |
::shiping::shipping | |
::shopkeeepers::shopkeepers | |
::shortwhile::short while | |
::hosrt::short | |
::shorly::shortly | |
::shoudl::should | |
::should of::should have | |
::shoudln't::shouldn't | |
::shouldent::shouldn't | |
::shouldnt::shouldn't | |
::sohw::show | |
::showinf::showing | |
::shreak::shriek | |
::shrinked::shrunk | |
::sie::side | |
::sedereal::sidereal | |
::sideral::sidereal | |
::seige::siege | |
::signitories::signatories | |
::signitory::signatory | |
::siginificant::significant | |
::signficant::significant | |
::signficiant::significant | |
::signifacnt::significant | |
::signifigant::significant | |
::signifantly::significantly | |
::significently::significantly | |
::signifigantly::significantly | |
::signfies::signifies | |
::silicone chip::silicon chip | |
::simalar::similar | |
::similiar::similar | |
::simmilar::similar | |
::similiarity::similarity | |
::similarily::similarly | |
::similiarly::similarly | |
::simplier::simpler | |
::simpley::simply | |
::simpyl::simply | |
::siulate::simulate | |
::simuluate::simulate | |
::simuation::simulation | |
::simualtion::simulation | |
::simultanous::simultaneous | |
::simultanously::simultaneously | |
::sicne::since | |
::sincerley::sincerely | |
::sincerly::sincerely | |
::singsog::singsong | |
::signle::single | |
::sixtin::Sistine | |
::skeelton::skeleton | |
::skeeltons::skeletons | |
::skagerak::Skagerrak | |
::skateing::skating | |
::slaugterhouses::slaughterhouses | |
::slowy::slowly | |
::somnabulist::somnambulist | |
::somnabular::somnambular | |
::somke::smoke | |
::smoek::smoke | |
::smkoe::smoke | |
::smoothe::smooth | |
::smoot::smooth | |
::smoth::smooth | |
::smoothes::smooths | |
::sneeks::sneaks | |
::snoiw::snow | |
::snese::sneeze | |
::sot hat::so that | |
::soical::social | |
::socalism::socialism | |
::socities::societies | |
::sofware::software | |
::softwrae::software | |
::hardwrae::hardware | |
::soilders::soldiers | |
::soliders::soldiers | |
::soley::solely | |
::soliliquy::soliloquy | |
::solatary::solitary | |
::soluable::soluble | |
::soluition::solution | |
::summersault::somersault | |
::seom::some | |
::soem::some | |
::somene::someone | |
::seomthging::something | |
::somethign::something | |
::someting::something | |
::somthing::something | |
::someboy::somebody | |
::somebdoy::somebody | |
::somedbody::somebody | |
::sombedy::somebody | |
::sombeody::somebody | |
::sth::something | |
::stb::somebody or something | |
::smh::shake my head | |
::afaim::as far as I'm concerned | |
::Afaim::As far as I'm concerned | |
::afaik::As far as I know | |
::afaict::as far as I can tell | |
::afaic::As far as I'm concerned | |
::sbd::somebody | |
::somtimes::sometimes | |
::somewaht::somewhat | |
::smw::somewhere | |
::somehwere::somewhere | |
::somwhere::somewhere | |
::sophicated::sophisticated | |
::suphisticated::sophisticated | |
::suddently::suddenly | |
::sophmore::sophomore | |
::sorceror::sorcerer | |
::sourc::source | |
::sorce::source | |
::sorc::source | |
::saught::sought | |
::seeked::sought | |
::soudn::sound | |
::soudns::sounds | |
::sountrack::soundtrack | |
::suop::soup | |
::sourth::south | |
::sourthern::southern | |
::souvenier::souvenir | |
::souveniers::souvenirs | |
::soverign::sovereign | |
::sovereignity::sovereignty | |
::soverignity::sovereignty | |
::soverignty::sovereignty | |
::soveits::soviets | |
::soveits::soviets(x | |
::spoace::space | |
::spwanm::spawn | |
::spwan::spawn | |
::spainish::Spanish | |
::speciallized::specialised | |
::speices::species | |
::specfic::specific | |
::specificaly::specifically | |
::specificalyl::specifically | |
::specifiying::specifying | |
::speciman::specimen | |
::spectauclar::spectacular | |
::spectaulars::spectaculars | |
::spectum::spectrum | |
::speach::speech | |
::sprech::speech | |
::sppeches::speeches | |
::spermatozoan::spermatozoon | |
::spriritual::spiritual | |
::spritual::spiritual | |
::splien::spline | |
::splien::spline | |
::spendour::splendour | |
::sponser::sponsor | |
::sponsered::sponsored | |
::sponzored::sponsored | |
::spontanous::spontaneous | |
::sppok::spook | |
::sppook::spook | |
::spoonfulls::spoonfuls | |
::sportscar::sports car | |
::spreaded::spread | |
::spred::spread | |
::sqaure::square | |
::stablility::stability | |
::stainlees::stainless | |
::stnad::stand | |
::stan::stand | |
::stnd::stand | |
::statnce::stance | |
::stnance::stance | |
::stanjce::stance | |
::standad::standard | |
::standads::standards | |
::standars::standards | |
::stae::state | |
::statment::statement | |
::statemtn::statement | |
::statemtns::statements | |
::statememts::statements | |
::statments::statements | |
::stateman::statesman | |
::staion::station | |
::steir::steer | |
::setp::step | |
::stpe::step | |
::stter::steer | |
::stteering::steering | |
::steirng::steering | |
::stteirng::steering | |
::steeirng::steering | |
::sttering::steering | |
::stteering::steering | |
::steerng::steering | |
::sterotypes::stereotypes | |
::steriods::steroids | |
::situaition::situation | |
::situatoin::situation | |
::sitll::still | |
::stiring::stirring | |
::stirrs::stirs | |
::stomatch::stomach | |
::storeis::stories | |
::storise::stories | |
::stpo::stop | |
::sotry::story | |
::stopry::story | |
::stoyr::story | |
::stroy::story | |
::straightjacket::straitjacket | |
::stragith::straight | |
::strnad::strand | |
::strian::strain | |
::strainger::stranger | |
::strianger::stranger | |
::straihg::straight | |
::straihgt::straight | |
::stragner::stranger | |
::stange::strange | |
::startegic::strategic | |
::stratagically::strategically | |
::startegies::strategies | |
::stradegies::strategies | |
::startegy::strategy | |
::stradegy::strategy | |
::streemlining::streamlining | |
::stregth::strength | |
::streth::strength | |
::strenh::strength | |
::strenght::strength | |
::strentgh::strength | |
::strenghen::strengthen | |
::strenghten::strengthen | |
::strenghened::strengthened | |
::strenghtened::strengthened | |
::strengtened::strengthened | |
::strenghening::strengthening | |
::strenghtening::strengthening | |
::strenous::strenuous | |
::strictist::strictest | |
::strikely::strikingly | |
::stingent::stringent | |
::sitnr::string | |
::stirng::string | |
::stirng::string | |
::stinrg::string | |
::stirhg::string | |
::stirhng::string | |
::stirng::string | |
::stong::strong | |
::stronc::strong | |
::storng::strong | |
::storng::strong | |
::stronlgy::strongly | |
::stornegst::strongest | |
::strucuture::structure | |
::struture::structure | |
::strucutre::structure | |
::stucture::structure | |
::sturcture::structure | |
::stuctured::structured | |
::struggel::struggle | |
::strugle::struggle | |
::stuggling::struggling | |
::stubborness::stubbornness | |
::stuio::studio | |
::stduio::studio | |
::stuido::studio | |
::studnet::student | |
::studdy::study | |
::studing::studying | |
::stlye::style | |
::styel::style | |
::sytle::style | |
::stilus::stylus | |
::subconsiously::subconsciously | |
::subjudgation::subjugation | |
::submachne::submachine | |
::sepina::subpoena | |
::subsdiary::subsidiary | |
::subdiary::subsidiary | |
::subsquent::subsequent | |
::subsquently::subsequently | |
::subsidary::subsidiary | |
::subsiduary::subsidiary | |
::subpecies::subspecies | |
::substace::substance | |
::subtances::substances | |
::substancial::substantial | |
::substatial::substantial | |
::substitude::substitute | |
::substituded::substituted | |
::subterranian::subterranean | |
::substract::subtract | |
::substracted::subtracted | |
::substracting::subtracting | |
::substraction::subtraction | |
::substracts::subtracts | |
::suburburban::suburban | |
::suhc::such | |
::suceed::succeed | |
::succceeded::succeeded | |
::succedded::succeeded | |
::succeded::succeeded | |
::suceeded::succeeded | |
::suceeding::succeeding | |
::succeds::succeeds | |
::suceeds::succeeds | |
::succsess::success | |
::sucess::success | |
::succcesses::successes | |
::sucesses::successes | |
::succesful::successful | |
::successfull::successful | |
::succsessfull::successful | |
::sucesful::successful | |
::sucessful::successful | |
::sucessfull::successful | |
::succesfully::successfully | |
::succesfuly::successfully | |
::successfuly::successfully | |
::successfulyl::successfully | |
::successully::successfully | |
::sucesfully::successfully | |
::sucesfuly::successfully | |
::sucessfully::successfully | |
::sucessfuly::successfully | |
::succesion::succession | |
::sucesion::succession | |
::sucession::succession | |
::succesive::successive | |
::sucessive::successive | |
::sucessor::successor | |
::sucessot::successor | |
::sufferred::suffered | |
::sufferring::suffering | |
::suffcient::sufficient | |
::sufficent::sufficient | |
::sufficiant::sufficient | |
::suffciently::sufficiently | |
::sufficently::sufficiently | |
::sufferage::suffrage | |
::suggestable::suggestible | |
::sucidial::suicidal | |
::sucide::suicide | |
::sumary::summary | |
::sunglases::sunglasses | |
::unmeasureable::unmeasurable | |
::meianig::meaning | |
::emiang::meaning | |
::emaign::meaning | |
::emiagn::meaning | |
::menaig::meaning | |
::meiangi::meaning | |
::meianig::meaning | |
::meaig::meaning | |
::meiangi::meaning | |
::eiang::meaning | |
::emaingi::meaning | |
::mieangio::meaning | |
::mieangi::meaning | |
::meain::meaning | |
::meaninb::meaning | |
::maning::meaning | |
::meaingi::meaning | |
::meaining::meaning | |
::meainig::meaning | |
::meaingn::meaning | |
::menaing::meaning | |
::meannig::meaning | |
::meanin::meaning | |
::meanning::meaning | |
::superintendant::superintendent | |
::surplanted::supplanted | |
::suplimented::supplemented | |
::supplamented::supplemented | |
::suppliementing::supplementing | |
::suppy::supply | |
::wupport::support | |
::supose::suppose | |
::suposed::supposed | |
::suppoed::supposed | |
::suppossed::supposed | |
::suposedly::supposedly | |
::supposingly::supposedly | |
::suposes::supposes | |
::suposing::supposing | |
::supress::suppress | |
::surpress::suppress | |
::supressed::suppressed | |
::surpressed::suppressed | |
::supresses::suppresses | |
::supressing::suppressing | |
::surley::surely | |
::surfce::surface | |
::suprise::surprise | |
::suprize::surprise | |
::surprize::surprise | |
::suprised::surprised | |
::suprized::surprised | |
::surprized::surprised | |
::suprising::surprising | |
::suprizing::surprising | |
::surprizing::surprising | |
::suprisingly::surprisingly | |
::suprizingly::surprisingly | |
::surprizingly::surprisingly | |
::surrended::surrendered | |
::surrundering::surrendering | |
::surrepetitious::surreptitious | |
::surreptious::surreptitious | |
::surrepetitiously::surreptitiously | |
::surreptiously::surreptitiously | |
::suround::surround | |
::surounded::surrounded | |
::surronded::surrounded | |
::surrouded::surrounded | |
::sorrounding::surrounding | |
::surounding::surrounding | |
::surrouding::surrounding | |
::suroundings::surroundings | |
::surounds::surrounds | |
::surveill::surveil | |
::surveilence::surveillance | |
::surveyer::surveyor | |
::survivied::survived | |
::surviver::survivor | |
::survivers::survivors | |
::suseptable::susceptible | |
::suseptible::susceptible | |
::suspention::suspension | |
::suspicison::suspicion | |
::sucpsion::suspicion | |
::suspscion::suspicion | |
::suspscion::suspsiocn | |
::suspcion::suspicion | |
::suspcision::suspicion | |
::suspiciosn::suspicion | |
::supsicon::suspicion | |
::supsicion::suspicion | |
::susupcion::suspicion | |
::swaer::swear | |
::Swargenegger::Schwarzenegger | |
::swaers::swears | |
::swepth::swept | |
::swiming::swimming | |
::symettric::symmetric | |
::symmetral::symmetric | |
::symetrical::symmetrical | |
::symetrically::symmetrically | |
::symmetricaly::symmetrically | |
::symetry::symmetry | |
::synonyum::synonym | |
::synonyums::synonyms | |
::sysnonym::synonym | |
::synphony::symphony | |
::sypmtoms::symptoms | |
::synagouge::synagogue | |
::syncronization::synchronization | |
::synonomous::synonymous | |
::synonymns::synonyms | |
::syphyllis::syphilis | |
::syrap::syrup | |
::sytem::system | |
::sysmt::system | |
::systme::system | |
::sysmatically::systematically | |
::tkae::take | |
::tkaes::takes | |
::tkaing::taking | |
::takl::talk | |
::takled::talked | |
::takling::talking | |
::talekd::talked | |
::talkikn::talking | |
::taling::talking | |
::talkign::talking | |
::tlaking::talking | |
::taggetted::targeted | |
::taget::target | |
::tagget::target | |
::targetted::targeted | |
::targetting::targeting | |
::tast::taste | |
::tatoo::tattoo | |
::tattooes::tattoos | |
::teached::taught | |
::taxanomic::taxonomic | |
::taxanomy::taxonomy | |
::tecnical::technical | |
::techician::technician | |
::technitian::technician | |
::techicians::technicians | |
::techiniques::techniques | |
::technnology::technology | |
::technolgy::technology | |
::telphony::telephony | |
::televize::televise | |
::telelevision::television | |
::televsion::television | |
::tellt he::tell the | |
::tepmlate::template | |
::tempalte::template | |
::temperment::temperament | |
::tempermental::temperamental | |
::temparate::temperate | |
::temerature::temperature | |
::tempertaure::temperature | |
::temperture::temperature | |
::temperarily::temporarily | |
::tepmorarily::temporarily | |
::temprary::temporary | |
::tennet::tenet | |
::tendancies::tendencies | |
::tendacy::tendency | |
::tendancy::tendency | |
::tendonitis::tendinitis | |
::tennisplayer::tennis player | |
::tenacle::tentacle | |
::tenacles::tentacles | |
::terrestial::terrestrial | |
::terriories::territories | |
::territotyr::territory | |
::terriory::territory | |
::territoy::territory | |
::territorist::terrorist | |
::terroist::terrorist | |
::testiclular::testicular | |
::tahn::than | |
::thna::than | |
::thant::than | |
::thjat::that | |
::thansk::thanks | |
::taht::that | |
::ht::the | |
::eth::the | |
::thej::the | |
::thje::the | |
::thr::the | |
::th e::the | |
::thjere::there | |
::thjer::there | |
::therate::theatre | |
::theate::theatre | |
::threate::theatre | |
::thearte::thatre | |
::theat::that | |
::tthat::that | |
::tath::that | |
::thgat::that | |
::thta::that | |
::thyat::that | |
::tyhat::that | |
::thatt he::that the | |
::thatthe::that the | |
::thast::that's | |
::thats::that's | |
::hte::the | |
::teh::the | |
::tehw::the | |
::tghe::the | |
::theh::the | |
::thge::the | |
::thw::the | |
::tje::the | |
::tjhe::the | |
::tthe::the | |
::tyhe::the | |
::thecompany::the company | |
::tehft::theft | |
::thefirst::the first | |
::thegovernment::the government | |
::tehn::then | |
::thend::then | |
::thenew::the new | |
::thesame::the same | |
::thetwo::the two | |
::theather::theatre | |
::theri::their | |
::thier::their | |
::there's is::theirs is | |
::htem::them | |
::themself::themselves | |
::themselfs::themselves | |
::themslves::themselves | |
::hten::then | |
::thn::then | |
::thne::then | |
::htere::there | |
::their are::there are | |
::they're are::there are | |
::their is::there is | |
::they're is::there is | |
::therafter::thereafter | |
::therby::thereby | |
::htese::these | |
::theese::these | |
::htey::they | |
::tehy::they | |
::tyhe::they | |
::they;l::they'll | |
::theyll::they'll | |
::they;r::they're | |
::they;v::they've | |
::theyve::they've | |
::theif::thief | |
::theives::thieves | |
::hting::thing | |
::thign::thing | |
::thnig::thing | |
::thigns::things | |
::thigsn::things | |
::thnigs::things | |
::htikn::think | |
::htink::think | |
::thikn::think | |
::thiunk::think | |
::tihkn::think | |
::thikning::thinking | |
::thikns::thinks | |
::thrid::third | |
::thss::this | |
::htis::this | |
::tghis::this | |
::thsi::this | |
::tihs::this | |
::thisyear::this year | |
::thow::throw | |
::throrough::thorough | |
::throughly::thoroughly | |
::thsoe::those | |
::threatend::threatened | |
::threatning::threatening | |
::threee::three | |
::threshhold::threshold | |
::throuhg::through | |
::thru::through | |
::thoughout::throughout | |
::througout::throughout | |
::tiget::tiger | |
::tiem::time | |
::itme::time | |
::timne::time | |
::ot::to | |
::otp::top | |
::topci::topic | |
::topcial::topical | |
::tot he::to the | |
::tothe::to the | |
::tabacco::tobacco | |
::tobbaco::tobacco | |
::todya::today | |
::todays::today's | |
::tiogether::together | |
::togehter::together | |
::toghether::together | |
::toldt he::told the | |
::tolerence::tolerance | |
::tolkein::Tolkien | |
::tomatos::tomatoes | |
::tommorow::tomorrow | |
::tommorrow::tomorrow | |
::tomorow::tomorrow | |
::tounge::tongue | |
::tongiht::tonight | |
::tonihgt::tonight | |
::tormenters::tormentors | |
::toriodal::toroidal | |
::torpeados::torpedoes | |
::torpedos::torpedoes | |
::totaly::totally | |
::totalyl::totally | |
::towrad::toward | |
::towords::towards | |
::twon::town | |
::wto::two | |
::trp::trap | |
::traingle::triangle | |
::tringle::triangle | |
::triaingle::triangle | |
::traditition::tradition | |
::traiditons::traditions | |
::traiditon::tradition | |
::traditionnal::traditional | |
::tradionally::traditionally | |
::traditionaly::traditionally | |
::traditionalyl::traditionally | |
::tradtionally::traditionally | |
::trafic::traffic | |
::trafficed::trafficked | |
::trafficing::trafficking | |
::transcendance::transcendence | |
::trancendent::transcendent | |
::transcendant::transcendent | |
::transcendentational::transcendental | |
::trancending::transcending | |
::transending::transcending | |
::transcripting::transcribing | |
::transfered::transferred | |
::transfering::transferring | |
::tranform::transform | |
::tranformation::transformation | |
::transformaton::transformation | |
::tranformed::transformed | |
::transistion::transition | |
::translater::translator | |
::translaters::translators | |
::transmissable::transmissible | |
::transporation::transportation | |
::transesxuals::transsexuals | |
::treament::treatment | |
::tremelo::tremolo | |
::tremelos::tremolos | |
::triathalon::triathlon | |
::tryed::tried | |
::triguered::triggered | |
::triology::trilogy | |
::troling::trolling | |
::toubles::troubles | |
::troup::troupe | |
::truely::truly | |
::truley::truly | |
::tutoril::tutorial | |
::tutorail::tutorial | |
::tutoriail::tutorial | |
::tutoriale::tutorial | |
::turhn::turn | |
::tunr::turn | |
::tuen::tune | |
::turnk::trunk | |
::tust::trust | |
::trustworthyness::trustworthiness | |
::tuscon::Tucson | |
::terimnate::terminate | |
::temirnate::terminate | |
::temirnaite::terminate | |
::terinate::terminate | |
::termiante::terminate | |
::terminaotr::terminator | |
::terimnator::terminator | |
::temirnator::terminator | |
::temirnaitor::terminator | |
::terinator::terminator | |
::termiantor::terminator | |
::terimnation::termination | |
::temirnation::termination | |
::temirnaition::termination | |
::terination::termination | |
::termiantion::termination | |
::termoil::turmoil | |
::twpo::two | |
::typcial::typical | |
::typial::typical | |
::typially::typically | |
::typicaly::typically | |
::tyranies::tyrannies | |
::tyrranies::tyrannies | |
::tyrany::tyranny | |
::tyrrany::tyranny | |
::ubiquitious::ubiquitous | |
::ukranian::Ukrainian | |
::ukelele::ukulele | |
::alterior::ulterior | |
::alpah::alpha | |
::ultimely::ultimately | |
::unale::unable | |
::unacompanied::unaccompanied | |
::unadultarated::unadulterated | |
::unanymous::unanimous | |
::unathorised::unauthorised | |
::unavailible::unavailable | |
::unballance::unbalance | |
::unbarable::unbearable | |
::unbeleivable::unbelievable | |
::uncertainity::uncertainty | |
::unchallengable::unchallengeable | |
::unchangable::unchangeable | |
::uncompetive::uncompetitive | |
::unconcious::unconscious | |
::unconciousness::unconsciousness | |
::uncontitutional::unconstitutional | |
::unconvential::unconventional | |
::undecideable::undecidable | |
::undilluted::undiluted | |
::indefineable::undefinable | |
::ina::in a | |
::udner::under | |
::undre::under | |
::undert::under | |
::undert he::under the | |
::undereground::underground | |
::undreground::underground | |
::undersirable::undesirable | |
::udnerstand::understand | |
::understnad::understand | |
::understoon::understood | |
::undesireable::undesirable | |
::undetecable::undetectable | |
::undoubtely::undoubtedly | |
::unforgetable::unforgettable | |
::unforgiveable::unforgivable | |
::unforetunately::unfortunately | |
::unfortunatley::unfortunately | |
::unfortunatly::unfortunately | |
::unfourtunately::unfortunately | |
::unahppy::unhappy | |
::unilatreal::unilateral | |
::unilateraly::unilaterally | |
::unilatreally::unilaterally | |
::unihabited::uninhabited | |
::uninterruped::uninterrupted | |
::uninterupted::uninterrupted | |
::unitedstates::United States | |
::unitesstates::United States | |
::univeral::universal | |
::univeristies::universities | |
::univesities::universities | |
::univeristy::university | |
::universtiy::university | |
::univesity::university | |
::unviersity::university | |
::unkown::unknown | |
::unliek::unlike | |
::unlikey::unlikely | |
::unamde::unmade | |
::unmanouverable::unmanoeuvrable | |
::unmistakeably::unmistakably | |
::unneccesarily::unnecessarily | |
::unneccessarily::unnecessarily | |
::unnecesarily::unnecessarily | |
::uneccesary::unnecessary | |
::unecessary::unnecessary | |
::unneccesary::unnecessary | |
::unneccessary::unnecessary | |
::unnecesary::unnecessary | |
::unoticeable::unnoticeable | |
::inorder::in order | |
::inofficial::unofficial | |
::unoffical::unofficial | |
::unplesant::unpleasant | |
::unpleasently::unpleasantly | |
::precendece::precendence | |
::precendece::precedence | |
::precendecne::precedence | |
::precendence::precedence | |
::unprecendented::unprecedented | |
::unprecidented::unprecedented | |
::unrepentent::unrepentant | |
::unrepetant::unrepentant | |
::unrepetent::unrepentant | |
::unsubstanciated::unsubstantiated | |
::unsuccesful::unsuccessful | |
::unsuccessfull::unsuccessful | |
::unsucesful::unsuccessful | |
::unsucessful::unsuccessful | |
::unsucessfull::unsuccessful | |
::unsuccesfully::unsuccessfully | |
::unsucesfuly::unsuccessfully | |
::unsucessfully::unsuccessfully | |
::unsuprised::unsurprised | |
::unsuprized::unsurprised | |
::unsurprized::unsurprised | |
::unsuprising::unsurprising | |
::unsuprizing::unsurprising | |
::unsurprizing::unsurprising | |
::unsuprisingly::unsurprisingly | |
::unsuprizingly::unsurprisingly | |
::unsurprizingly::unsurprisingly | |
::untill::until | |
::untranslateable::untranslatable | |
::unuseable::unusable | |
::unusuable::unusable | |
::unwatned::unwanted | |
::unwatn::unwant | |
::unwarrented::unwarranted | |
::unweildly::unwieldy | |
::unwieldly::unwieldy | |
::upadate::update | |
::upate::update | |
::udpate::update | |
::updte::update | |
::upadates::updates | |
::upates::updates | |
::udpates::updates | |
::updtes::updates | |
::tjpanishad::upanishad | |
::upcomming::upcoming | |
::upgradded::upgraded | |
::ues::use | |
::uescase::usecase | |
::usecaes::usecase | |
::useage::usage | |
::uise::use | |
::usefull::useful | |
::usefuly::usefully | |
::useing::using | |
::ususal::usual | |
::ususally::usually | |
::usally::usually | |
::usualy::usually | |
::usualyl::usually | |
::ususally::usually | |
::vaccum::vacuum | |
::vaccume::vacuum | |
::vaguaries::vagaries | |
::vailidty::validity | |
::valetta::valletta | |
::valuble::valuable | |
::valueable::valuable | |
::varient::variant | |
::varations::variations | |
::variatoin::variation | |
::variaition::variation | |
::variaiton::variation | |
::vaieties::varieties | |
::varities::varieties | |
::variey::variety | |
::varity::variety | |
::vreity::variety | |
::vriety::variety | |
::varous::various | |
::varing::varying | |
::vasall::vassal | |
::vasalls::vassals | |
::vegetaiton::vegetation | |
::vegitable::vegetable | |
::vegtable::vegetable | |
::vegitables::vegetables | |
::vegatarian::vegetarian | |
::vehicule::vehicle | |
::vengance::vengeance | |
::vengence::vengeance | |
::venemous::venomous | |
::verfication::verification | |
::vermillion::vermilion | |
::versitilaty::versatility | |
::versitlity::versatility | |
::verison::version | |
::verisons::versions | |
::veyr::very | |
::ery::very | |
::vrey::very | |
::vyer::very | |
::vyre::very | |
::vacinity::vicinity | |
::vincinity::vicinity | |
::vitories::victories | |
::widn::wind | |
::wiep::wipe | |
::veiw::view | |
::vioew::view | |
::wiew::view | |
::vigilence::vigilance | |
::vigourous::vigorous | |
::villification::vilification | |
::villify::vilify | |
::villian::villain | |
::vilain::villain | |
::scurge::scourge | |
::seargant::sergeant | |
::sargant::sergeant | |
::seargeant::sergeant | |
::violentce::violence | |
::virgina::Virginia | |
::virutal::virtual | |
::virtualyl::virtually | |
::visable::visible | |
::visably::visibly | |
::visting::visiting | |
::vistors::visitors | |
::volcanoe::volcano | |
::volkswagon::Volkswagen | |
::voleyball::volleyball | |
::volontary::voluntary | |
::volonteer::volunteer | |
::volounteer::volunteer | |
::volonteered::volunteered | |
::volounteered::volunteered | |
::volonteering::volunteering | |
::volounteering::volunteering | |
::volonteers::volunteers | |
::volounteers::volunteers | |
::vulnerablility::vulnerability | |
::vulnerible::vulnerable | |
::wakl::walk | |
::wakls::walks | |
::wakling::walking | |
::waitinf::waiting | |
::wating::waiting | |
::watn::want | |
::wont::won't | |
::wont'::won't | |
::whant::want | |
::wnat::want | |
::wan tit::want it | |
::wnated::wanted | |
::whants::wants | |
::wnats::wants | |
::wargning::warning | |
::wardobe::wardrobe | |
::warrent::warrant | |
::warantee::warranty | |
::warrriors::warriors | |
::wass::was | |
::wsa::was | |
::wera::wear | |
::wearin::wearing | |
::waring::wearing | |
::weraing::wearing | |
::werain::wearing | |
::weas::was | |
::wa snot::was not | |
::wasan't::wasn't | |
::wasnt::wasn't | |
::wya::way | |
::wayword::wayward | |
::we;d::we'd | |
::weaponary::weaponry | |
::wepaon::weapon | |
::wepoan::weapon | |
::eapon::weapon | |
::wepoan::weapon | |
::wawpoen::weapon | |
::wepaon::weapon | |
::weaopn::weapon | |
::wether::weather | |
::weaterh::weather | |
::wendsay::Wednesday | |
::wensday::Wednesday | |
::wiegh::weigh | |
::wierd::weird | |
::wird::weird | |
::vell::well | |
::werre::were | |
::wern't::weren't | |
::waht::what | |
::wha t::what | |
::whta::what | |
::what;s::what's | |
::wehn::when | |
::whne::when | |
::whe::when | |
::whn::when | |
::whent he::when the | |
::wehre::where | |
::wherre::where | |
::where;s::where's | |
::outseide::outside | |
::wereabouts::whereabouts | |
::wheras::whereas | |
::wherease::whereas | |
::whereever::wherever | |
::whehter::whether | |
::whther::whether | |
::hwich::which | |
::hwihc::which | |
::whcih::which | |
::whic::which | |
::whihc::which | |
::whlch::which | |
::wihch::which | |
::whicht he::which the | |
::hwile::while | |
::whiel::while | |
::woh::who | |
::who;s::who's | |
::hwole::whole | |
::whoel::whole | |
::wohle::whole | |
::wholey::wholly | |
::widesread::widespread | |
::weilded::wielded | |
::wief::wife | |
::wil::will | |
::iwll::will | |
::wille::will | |
::wiull::will | |
::willbe::will be | |
::will of::will have | |
::willingless::willingness | |
::windoes::windows | |
::widnows::windows | |
::widnow::window | |
::wintery::wintry | |
::wihtout::withou | |
::withotu::without | |
::witout::without | |
::wihout::without | |
::wihtout::without | |
::woith::with | |
::tiwh::with | |
::iwth::with | |
::whith::with | |
::wih::with | |
::wiht::with | |
::withe::with | |
::witht::with | |
::witn::with | |
::wtih::with | |
::witha::with a | |
::witht he::with the | |
::withthe::with the | |
::withdrawl::withdrawal | |
::witheld::withheld | |
::withold::withhold | |
::withihn::within | |
::withing::within | |
::womens::women's | |
::wo'nt::won't | |
::wonderfull::wonderful | |
::wonderous::wondrous | |
::wondre::wonder | |
::wrod::word | |
::wroth::worth | |
::owrk::work | |
::wokr::work | |
::wrok::work | |
::wokring::working | |
::wroking::working | |
::workststion::workstation | |
::wordl::world | |
::worldl::world | |
::workd::world | |
::wolrd::world | |
::wlrd::world | |
::wrodl::wordl | |
::worls::world | |
::worstened::worsened | |
::owudl::would | |
::wounsd::wounds | |
::woudn::wound | |
::woulb::would | |
::owuld::would | |
::woudl::would | |
::wuould::would | |
::wouldbe::would be | |
::would of::would have | |
::woudln't::wouldn't | |
::wouldnt::wouldn't | |
::wresters::wrestlers | |
::rwite::write | |
::wriet::write | |
::wirting::writing | |
::writting::writing | |
::writen::written | |
::wroet::wrote | |
::x-Box::Xbox | |
::xenophoby::xenophobia | |
::yatch::yacht | |
::yaching::yachting | |
::eidt::edit | |
::edgtes::edges | |
::edgte::edge | |
::eidting::editing | |
::eiditong::editing | |
::editiong::editing | |
::eidtor::editor | |
::eyar::year | |
::yera::year | |
::eyars::years | |
::yeasr::years | |
::yeras::years | |
::yersa::years | |
::yelow::yellow | |
::eyt::yet | |
::yeild::yield | |
::yeilding::yielding | |
::yoiu::you | |
::ytou::you | |
::yuo::you | |
::youare::you are | |
::you;d::you'd | |
::yorus::yours | |
::yoru::your | |
::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 | |
::youve::you've | |
::yoru::your | |
::yuor::your | |
::you're own::your own | |
::yorus::yours | |
::yorsu::yours | |
::youself::yourself | |
::youseff::yousef | |
::zeebra::zebra | |
::sionist::Zionist | |
::sionists::Zionists | |
::w/e::whatever | |
::naim::anim | |
::aimate::animate | |
::aimation::animation | |
::aimations::animations | |
::animte::animate | |
::animted::animated | |
::aniamte::animate | |
::aniamted::animated | |
::naimate::animate | |
::naimation::animation | |
::naimations::animations | |
::aniamtion::animation | |
::aniamtin::animation | |
::animaitnn::animation | |
::animatoin::animation | |
::animatoins::animations | |
::aniamtion::animation | |
::aniamtion::animation | |
::aniamntion::animation | |
::aniamtions::animations | |
::aniamntions::animations | |
::aniantion::animation | |
::aniantions::animations | |
::animtion::animation | |
::naimation::animation | |
::animaiton::animation | |
::animtioan::animation | |
::animtion::animation | |
::animiation::animation | |
::animetion::animation | |
::animiaition::animation | |
::autothotkey::autohotkey | |
::authotkey::autohotkey | |
::authrotiy::authority | |
::bleu::blue | |
::blosue::blouse | |
::bluerpint::bluerpint | |
::bluerpht::blueprint | |
::bluerpihnt::blueprint | |
::cn::can | |
::cadilac::cadillac | |
::cancellaiton::cancellation | |
::cancelaiton::cancellation | |
::cancelaition::cancellation | |
::cancelation::cancellation | |
::clibm::climb | |
::diasbled::disabled | |
::dsabled::disabled | |
::diasble::disable | |
::dsable::disable | |
::graivyt::gravity | |
::gravbity::gravity | |
::hude::hue | |
::mellee::melee | |
::melle::melee | |
::mosue::mouse | |
::naer::near | |
::negaition::negation | |
::negaiton::negation | |
::negatiuve::negative | |
::neative::negative | |
::negativje::negative | |
::engaitve::negative | |
::boject::object | |
::obect::object | |
::bototm::bottom | |
::objectrive::objective | |
::bojects::objects | |
::objet::object | |
::objets::objects | |
::papapers::papers | |
::papaper::paper | |
::rian::rain | |
::environemnt::environment | |
::environemnts::environments | |
::develope::develop ; Omit asterisk so that it doesn't disrupt the typing of developed/developer. | |
::ahrd::hard | |
::ahir::hair | |
::ahri::hair | |
::hardcode::hardcore | |
::servioce::service | |
::ervice::service | |
::alignemtn::alignment | |
::alginemt::alignment | |
::alignemnt::alignment | |
::alginment::alignment | |
::algin::align | |
::sice::since ; Must precede the following line! | |
;------------------------------------------------------------------------------ | |
; Ambiguous entries. Where desired, pick the one that's best for you, edit, | |
; and move into the above list or, preferably, the autocorrect user file. | |
;------------------------------------------------------------------------------ | |
::(c)::© | |
::(r)::® | |
::(tm)::™ | |
::accension::accession, ascension | |
::achive::achieve | |
::arcvhie::archive | |
::achived::achieved | |
::arcvhied::archived | |
::ackward::awkward | |
::awefulness::awfulness | |
::aweful::awful | |
::adjacnecy::adjacency | |
::adjacnet::adjacent | |
::adjasent::adjacent | |
::adjasency::adjacency | |
::adgacensy::adjacency | |
::adgacent::adjacent | |
::agacent::adjacent | |
::agacency::adjacency | |
::adjstu::adjust | |
::adjusit::adjust | |
::ajdust::adjust | |
::addres::address | |
::adress::address | |
::adressing::addressing | |
::affort::afford | |
::agina::again | |
::aledge::allege | |
::alot::a lot | |
::alusion::allusion | |
::amature::armature | |
::amred::armed | |
::amr::arm | |
::anu::añu | |
::anual::annual | |
::appal::appall | |
::aparent::apparent | |
::apon::upon | |
::appealling::appealing | |
::archair::archaic | |
::archaoelogy::archeology | |
::archaology::archaeology | |
::archeaologist::archaeologist | |
::archeaologists::archaeologists | |
::assosication::association | |
::attaindre::attained | |
::attened::attend | |
::bout::about | |
::abou::about | |
::abourt::about | |
::aobut::about | |
::baout::about | |
::beggin::begging | |
::beggers::beggars | |
::beggar::beggar | |
::behavour::behavior | |
::behavour::behavior | |
::behaviour::behavior | |
::vehaivor::behavior | |
::behaivor::behavior | |
::behaviour::behavior | |
::belives::beliefs | |
::boaut::boat | |
::assasined::assassinated | |
::bidn::bind | |
::bulit::built | |
::biuld::build | |
::buiold::build | |
::buidl::build | |
::bulding::building | |
::builidng::building | |
::buidiing::building | |
::buliding::building | |
::biulding::building | |
::buiolding::building | |
::buidling::building | |
::busineses::businesses | |
::busines::business | |
::calander::calendar | |
::calbe::cable | |
::carcas::carcass | |
::comander::commander | |
::compariosn::comparison | |
::compar::compare | |
::comapre::compare | |
::compaer::compare | |
::comprae::compare | |
::coamper::compare | |
::compaer::compare | |
::compaore::compare | |
::competion::competition | |
::coorperation::cooperation | |
::coudl::could | |
::councellor::counselor | |
::coruse::course | |
::coururier::courier | |
::coverted::converted | |
::ocver::cover | |
::coer::cover | |
::dael::deal | |
::desparate::desperate | |
::dieing::dying | |
::doub::doubt | |
::doochebag::douchebag | |
::electic::electric | |
::elemgant::elegant | |
::emminent::imminent | |
::imoortal::immortal | |
::imo::in my opinion | |
::iow::in other words | |
::Imo::in my opinion | |
::Iow::in other words | |
::iirc::If I recall correctly | |
::english::English | |
::china::China | |
::japanese::Japanese | |
::europe::Europe | |
::asia::Asia | |
::africa::Africa | |
::america::America | |
::greece::Greece | |
::hellas::Hellas | |
::chinese::Chinese | |
::american::American | |
::greek::Greek | |
::european::European | |
::asian::Asian | |
::african::African | |
::erally::really | |
::erested::arrested | |
::ethose::ethos | |
::extint::extinct | |
::eyar::year | |
::eyars::years | |
::eyasr::years | |
::fiel::feel | |
::firts::flirts | |
::fleed::freed | |
::fo::for | |
::fro::for | |
::frem::from | |
::froma::from a | |
::froem::from | |
::fmro::from | |
::fomr::from | |
::fontrier::frontier | |
::gae::game | |
::gaurd::guard, gourd | |
::gogin::going, Gauguin | |
::Guaduloupe::Guadalupe, Guadeloupe | |
::Guadulupe::Guadalupe, Guadeloupe | |
::guerrila::guerilla, guerrilla | |
::guerrilas::guerillas, guerrillas | |
::hadns::hands | |
::hadn::hand | |
::haning::hanging | |
::haning::hanging | |
::haev::have, heave | |
::hve::have | |
::hav e::have | |
::hav eyou::have you | |
::Hallowean::Hallowe'en, Halloween | |
::herad::heard, Hera | |
::housr::hourshouse | |
::hosue::house | |
::hten::then | |
::thret::threat | |
::trhee::three | |
::htere::there | |
::humer::humour | |
::humerous::humorous | |
::hvea::have | |
::idesa::ideas | |
::magot::maggot | |
::magots::maggots | |
::imaginery::imaginary | |
::imanent::imminent | |
::iminent::imminent | |
::indispensible::indispensable | |
::inheretn::inherent | |
::inheritage::inheritance | |
::inspite::in spite | |
::inspriration::inspiration | |
::inspirtation::inspiration | |
::inspirtaion::inspiration | |
::insprire::inspire | |
::interbread::interbreed | |
::interwine::intertwine | |
::ineract::interact | |
::interacrt::interact | |
::ineracts::interacts | |
::interacrts::interacts | |
::ineraction::interaction | |
::interacrtion::interaction | |
::ineractive::interactive | |
::interacrtive::interactive | |
::inumerable::innumerable | |
::israelies::Israelis | |
::labatory::laboratory | |
::leanr::learn | |
::leder::leader | |
::liscense::licence | |
::lisence::licence | |
::laod::load | |
::laoding::loading | |
::lonly::lonely | |
::maked::marked | |
::mae::make | |
::maek::make | |
::maan::man | |
::managable::manageable | |
::manoeuver::maneuver | |
::manoeuvre::maneuver | |
::maneuvre::maneuver | |
::manouver::maneuver | |
::manouver::maneuvre | |
::manouverability::maneuverability | |
::manouverable::maneuverable | |
::manouvers::maneuvers | |
::manouvres::maneuvers | |
::manuever::maneuver | |
::manouvre::maneuver | |
::manuevers::maneuvers | |
::mear::mere | |
::mit::M.I.T. | |
::monestary::monastery | |
::monicker::moniker | |
::moreso::moreso | |
::muscels::muscles | |
::neice::niece | |
::nervsou::nervous | |
::neverous::nervous | |
::neigbour::neighbour | |
::neigbouring::neighbouring | |
::neigbours::neighbours | |
::nto::not | |
::oging::going | |
::oir::or | |
::orgin::origin | |
::palce::place | |
::plasater::plaster | |
::performes::performs | |
::personel::personnel | |
::positon::position | |
::preëmpt::preempt | |
::premtpion::preemption | |
::premption::preemption | |
::premption::preemption | |
::procede::proceed | |
::proceded::proceeded | |
::procedes::proceeds | |
::proceding::proceeding | |
::produe::produce | |
::proffession::profession | |
::proffessional::professional | |
::profesion::profession | |
::profesional::professional | |
::proffesion::profession | |
::proffesional::professional | |
::progrom::program | |
::progroms::programs | |
::prominately::prominently | |
::qtuie::quiet | |
::qutie::quiet | |
::relized::realized | |
::repatition::repetition | |
::restrictuion::restriction | |
::restrictuions::restrictions | |
::restraunt::restaurant | |
::rigeur::rigor | |
::rotatoin::rotation | |
::rotatin::rotaiton | |
::rotaiton::rotation | |
::roation::rotation | |
::rotaition::rotation | |
::rotaiton::rotation | |
::rol::roll | |
::scholarstic::scholarly | |
::secceeded::succeeded | |
::seceed::succeed | |
::seceeded::succeeded | |
::sepulcre::sepulcher | |
::shamen::shaman | |
::shaem::shame | |
::sheat::sheath | |
::sheleter::shelter | |
::shoudln::should | |
::sieze::seize | |
::siezed::seized | |
::siezing::sizing | |
::sinse::sines | |
::snese::sneeze | |
::sotyr::story | |
::soud::should | |
::should::should | |
::sould::should | |
::speciallized::specialised | |
::specif::specific | |
::specificaiton::specification | |
::specificaitons::specifications | |
::spects::aspects | |
::strat::start | |
::sart::start | |
::stroy::story | |
::surley::surely | |
::surrended::surrendered | |
::thast::that's | |
::htat::that | |
::theather::theater | |
::thikning::thinking | |
::throught::throughout | |
::tiem::time | |
::tiome::time | |
::tourch::torch | |
::transcripting::transcribing | |
::travelling::traveling | |
::troups::troops | |
::turnk::trunk | |
::unmanouverable::unmaneuverable | |
::unsed::used | |
::vigeur::vigour | |
::villin::villain | |
::vistors::visitors | |
::visuzlie::visualize | |
::visuzlize::visualize | |
::visualise::visualize | |
::vizualize::visualize | |
::visualise::visualize | |
::visibloe::visible | |
::weild::wield | |
::wholy::wholly | |
::wich::which | |
::withdrawl::withdrawal | |
::woulf::would | |
;------------------------------------------------------------------------------- | |
; Capitalise dates | |
;------------------------------------------------------------------------------- | |
::monday::Monday | |
::tuesday::Tuesday | |
::wednesday::Wednesday | |
::thursday::Thursday | |
::friday::Friday | |
::saturday::Saturday | |
::sunday::Sunday | |
::january::January | |
::february::February | |
; ::march::March ; Commented out because it matches the common word "march". | |
::april::April | |
; ::may::May ; Commented out because it matches the common word "may". | |
::june::June | |
::july::July | |
::august::August | |
::september::September | |
::october::October | |
::november::November | |
::december::December | |
;------------------------------------------------------------------------------- | |
; Anything below this point was added to the script by the user via the Win+H hotkey. | |
;------------------------------------------------------------------------------- | |
::u4e::ue4 | |
::4ue::ue4 | |
::4eu::ue4 | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment