autocorrect


SUBMITTED BY: felipeav

DATE: May 28, 2017, 12:39 a.m.

FORMAT: autohotkey

SIZE: 53.5 kB

HITS: 1335

  1. ;------------------------------------------------------------------------------
  2. ; CHANGELOG:
  3. ;
  4. ; Sep 13 2007: Added more misspellings.
  5. ; Added fix for -ign -> -ing that ignores words like "sign".
  6. ; Added word beginnings/endings sections to cover more options.
  7. ; Added auto-accents section for words like fiancée, naīve, etc.
  8. ; Feb 28 2007: Added other common misspellings based on MS Word AutoCorrect.
  9. ; Added optional auto-correction of 2 consecutive capital letters.
  10. ; Sep 24 2006: Initial release by Jim Biancolo (http://www.biancolo.com)
  11. ;
  12. ; INTRODUCTION
  13. ;
  14. ; This is an AutoHotKey script that implements AutoCorrect against several
  15. ; "Lists of common misspellings":
  16. ;
  17. ; This does not replace a proper spellchecker such as in Firefox, Word, etc.
  18. ; It is usually better to have uncertain typos highlighted by a spellchecker
  19. ; than to "correct" them incorrectly so that they are no longer even caught by
  20. ; a spellchecker: it is not the job of an autocorrector to correct *all*
  21. ; misspellings, but only those which are very obviously incorrect.
  22. ;
  23. ; From a suggestion by Tara Gibb, you can add your own corrections to any
  24. ; highlighted word by hitting Win+H. These will be added to a separate file,
  25. ; so that you can safely update this file without overwriting your changes.
  26. ;
  27. ; Some entries have more than one possible resolution (achive->achieve/archive)
  28. ; or are clearly a matter of deliberate personal writing style (wanna, colour)
  29. ;
  30. ; These have been placed at the end of this file and commented out, so you can
  31. ; easily edit and add them back in as you like, tailored to your preferences.
  32. ;
  33. ; SOURCES
  34. ;
  35. ; http://en.wikipedia.org/wiki/Wikipedia:Lists_of_common_misspellings
  36. ; http://en.wikipedia.org/wiki/Wikipedia:Typo
  37. ; Microsoft Office autocorrect list
  38. ; Script by jaco0646 http://www.autohotkey.com/forum/topic8057.html
  39. ; OpenOffice autocorrect list
  40. ; TextTrust press release
  41. ; User suggestions.
  42. ;
  43. ; CONTENTS
  44. ;
  45. ; Settings
  46. ; AUto-COrrect TWo COnsecutive CApitals (commented out by default)
  47. ; Win+H code
  48. ; Fix for -ign instead of -ing
  49. ; Word endings
  50. ; Word beginnings
  51. ; Accented English words
  52. ; Common Misspellings - the main list
  53. ; Ambiguous entries - commented out
  54. ;------------------------------------------------------------------------------
  55. ;------------------------------------------------------------------------------
  56. ; Settings
  57. ;------------------------------------------------------------------------------
  58. #NoEnv ; For security
  59. #SingleInstance force
  60. ;------------------------------------------------------------------------------
  61. ; AUto-COrrect TWo COnsecutive CApitals.
  62. ; Disabled by default to prevent unwanted corrections such as IfEqual->Ifequal.
  63. ; To enable it, remove the /*..*/ symbols around it.
  64. ; From Laszlo's script at http://www.autohotkey.com/forum/topic9689.html
  65. ;------------------------------------------------------------------------------
  66. /*
  67. ; The first line of code below is the set of letters, digits, and/or symbols
  68. ; that are eligible for this type of correction. Customize if you wish:
  69. keys = abcdefghijklmnopqrstuvwxyz
  70. Loop Parse, keys
  71. HotKey ~+%A_LoopField%, Hoty
  72. Hoty:
  73. CapCount := SubStr(A_PriorHotKey,2,1)="+" && A_TimeSincePriorHotkey<999 ? CapCount+1 : 1
  74. if CapCount = 2
  75. SendInput % "{BS}" . SubStr(A_ThisHotKey,3,1)
  76. else if CapCount = 3
  77. SendInput % "{Left}{BS}+" . SubStr(A_PriorHotKey,3,1) . "{Right}"
  78. Return
  79. */
  80. ;------------------------------------------------------------------------------
  81. ; Win+H to enter misspelling correction. It will be added to this script.
  82. ;------------------------------------------------------------------------------
  83. #h::
  84. ; Get the selected text. The clipboard is used instead of "ControlGet Selected"
  85. ; as it works in more editors and word processors, java apps, etc. Save the
  86. ; current clipboard contents to be restored later.
  87. AutoTrim Off ; Retain any leading and trailing whitespace on the clipboard.
  88. ClipboardOld = %ClipboardAll%
  89. Clipboard = ; Must start off blank for detection to work.
  90. Send ^c
  91. ClipWait 1
  92. if ErrorLevel ; ClipWait timed out.
  93. return
  94. ; Replace CRLF and/or LF with `n for use in a "send-raw" hotstring:
  95. ; The same is done for any other characters that might otherwise
  96. ; be a problem in raw mode:
  97. StringReplace, Hotstring, Clipboard, ``, ````, All ; Do this replacement first to avoid interfering with the others below.
  98. StringReplace, Hotstring, Hotstring, `r`n, ``r, All ; Using `r works better than `n in MS Word, etc.
  99. StringReplace, Hotstring, Hotstring, `n, ``r, All
  100. StringReplace, Hotstring, Hotstring, %A_Tab%, ``t, All
  101. StringReplace, Hotstring, Hotstring, `;, ```;, All
  102. Clipboard = %ClipboardOld% ; Restore previous contents of clipboard.
  103. ; This will move the InputBox's caret to a more friendly position:
  104. SetTimer, MoveCaret, 10
  105. ; Show the InputBox, providing the default hotstring:
  106. 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%
  107. if ErrorLevel <> 0 ; The user pressed Cancel.
  108. return
  109. ; Otherwise, add the hotstring and reload the script:
  110. FileAppend, `n%Hotstring%, %A_ScriptFullPath% ; Put a `n at the beginning in case file lacks a blank line at its end.
  111. Reload
  112. Sleep 200 ; If successful, the reload will close this instance during the Sleep, so the line below will never be reached.
  113. 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.
  114. IfMsgBox, Yes, Edit
  115. return
  116. MoveCaret:
  117. IfWinNotActive, New Hotstring
  118. return
  119. ; Otherwise, move the InputBox's insertion point to where the user will type the abbreviation.
  120. Send {HOME}
  121. Loop % StrLen(Hotstring) + 4
  122. SendInput {Right}
  123. SetTimer, MoveCaret, Off
  124. return
  125. #Hotstring R ; Set the default to be "raw mode" (might not actually be relied upon by anything yet).
  126. ;------------------------------------------------------------------------------
  127. ; Fix for -ign instead of -ing.
  128. ; Words to exclude: (could probably do this by return without rewrite)
  129. ; From: http://www.morewords.com/e nds-with/gn/
  130. ;------------------------------------------------------------------------------
  131. #Hotstring B0 ; Turns off automatic backspacing for the following hotstrings.
  132. ::align::
  133. ::antiforeign::
  134. ::arraign::
  135. ::assign::
  136. ::benign::
  137. ::campaign::
  138. ::champaign::
  139. ::codesign::
  140. ::coign::
  141. ::condign::
  142. ::consign::
  143. ::coreign::
  144. ::cosign::
  145. ::countercampaign::
  146. ::countersign::
  147. ::deign::
  148. ::deraign::
  149. ::design::
  150. ::eloign::
  151. ::ensign::
  152. ::feign::
  153. ::foreign::
  154. ::indign::
  155. ::malign::
  156. ::misalign::
  157. ::outdesign::
  158. ::overdesign::
  159. ::preassign::
  160. ::realign::
  161. ::reassign::
  162. ::redesign::
  163. ::reign::
  164. ::resign::
  165. ::sign::
  166. ::sovereign::
  167. ::unbenign::
  168. ::verisign::
  169. return ; This makes the above hotstrings do nothing so that they override the ign->ing rule below.
  170. #Hotstring B ; Turn back on automatic backspacing for all subsequent hotstrings.
  171. :?:ign::ing
  172. ;------------------------------------------------------------------------------
  173. ; Word endings
  174. ;------------------------------------------------------------------------------
  175. :?:bilites::bilities
  176. :?:bilties::bilities
  177. :?:blities::bilities
  178. :?:bilty::bility
  179. :?:blity::bility
  180. :?:, btu::, but ; Not just replacing "btu", as that is a unit of heat.
  181. :?:; btu::; but
  182. :?:n;t::n't
  183. :?:;ll::'ll
  184. :?:;re::'re
  185. :?:;ve::'ve
  186. ::sice::since ; Must precede the following line!
  187. :?:sice::sive
  188. :?:t eh:: the
  189. :?:t hem:: them
  190. ;------------------------------------------------------------------------------
  191. ; Word beginnings
  192. ;------------------------------------------------------------------------------
  193. :*:abondon::abandon
  194. :*:abreviat::abbreviat
  195. :*:accomadat::accommodat
  196. :*:accomodat::accommodat
  197. :*:acheiv::achiev
  198. :*:achievment::achievement
  199. :*:acquaintence::acquaintance
  200. :*:adquir::acquir
  201. :*:aquisition::acquisition
  202. :*:agravat::aggravat
  203. :*:allign::align
  204. :*:ameria::America
  205. :*:archaelog::archaeolog
  206. :*:archtyp::archetyp
  207. :*:archetect::architect
  208. :*:arguement::argument
  209. :*:assasin::assassin
  210. :*:asociat::associat
  211. :*:assymetr::asymmet
  212. :*:atempt::attempt
  213. :*:atribut::attribut
  214. :*:avaialb::availab
  215. :*:comision::commission
  216. :*:contien::conscien
  217. :*:critisi::critici
  218. :*:crticis::criticis
  219. :*:critiz::criticiz
  220. :*:desicant::desiccant
  221. :*:desicat::desiccat
  222. ::develope::develop ; Omit asterisk so that it doesn't disrupt the typing of developed/developer.
  223. :*:dissapoint::disappoint
  224. :*:divsion::division
  225. :*:dcument::document
  226. :*:embarass::embarrass
  227. :*:emminent::eminent
  228. :*:empahs::emphas
  229. :*:enlargment::enlargement
  230. :*:envirom::environm
  231. :*:enviorment::environment
  232. :*:excede::exceed
  233. :*:exilerat::exhilarat
  234. :*:extraterrestial::extraterrestrial
  235. :*:faciliat::facilitat
  236. :*:garantee::guaranteed
  237. :*:guerrila::guerrilla
  238. :*:guidlin::guidelin
  239. :*:girat::gyrat
  240. :*:harasm::harassm
  241. :*:immitat::imitat
  242. :*:imigra::immigra
  243. :*:impliment::implement
  244. :*:inlcud::includ
  245. :*:indenpenden::independen
  246. :*:indisputib::indisputab
  247. :*:isntall::install
  248. :*:insitut::institut
  249. :*:knwo::know
  250. :*:lsit::list
  251. :*:mountian::mountain
  252. :*:nmae::name
  253. :*:necassa::necessa
  254. :*:negociat::negotiat
  255. :*:neigbor::neighbour
  256. :*:noticibl::noticeabl
  257. :*:ocasion::occasion
  258. :*:occuranc::occurrence
  259. :*:priveledg::privileg
  260. :*:recie::recei
  261. :*:recived::received
  262. :*:reciver::receiver
  263. :*:recepient::recipient
  264. :*:reccomend::recommend
  265. :*:recquir::requir
  266. :*:requirment::requirement
  267. :*:respomd::respond
  268. :*:repons::respons
  269. :*:ressurect::resurrect
  270. :*:seperat::separat
  271. :*:sevic::servic
  272. :*:smoe::some
  273. :*:supercede::supersede
  274. :*:superceed::supersede
  275. :*:weild::wield
  276. ;------------------------------------------------------------------------------
  277. ; Word middles
  278. ;------------------------------------------------------------------------------
  279. :?*:compatab::compatib ; Covers incompat* and compat*
  280. :?*:catagor::categor ; Covers subcatagories and catagories.
  281. ;------------------------------------------------------------------------------
  282. ; Accented English words, from, amongst others,
  283. ; http://en.wikipedia.org/wiki/List_of_English_words_with_diacritics
  284. ; I have included all the ones compatible with reasonable codepages, and placed
  285. ; those that may often not be accented either from a clash with an unaccented
  286. ; word (resume), or because the unaccented version is now common (cafe).
  287. ;------------------------------------------------------------------------------
  288. ::aesop::Æsop
  289. ::a bas::ā bas
  290. ::a la::ā la
  291. ::ancien regime::Ancien Régime
  292. ::angstrom::Ångström
  293. ::angstroms::Ångströms
  294. ::anime::animé
  295. ::animes::animés
  296. ::ao dai::āo dái
  297. ::apertif::apértif
  298. ::apertifs::apértifs
  299. ::applique::appliqué
  300. ::appliques::appliqués
  301. ::apres::aprčs
  302. ::arete::aręte
  303. ::attache::attaché
  304. ::attaches::attachés
  305. ::auto-da-fe::auto-da-
  306. ::belle epoque::belle époque
  307. ::bete noire::bęte noire
  308. ::betise::bętise
  309. ::Bjorn::Bjørn
  310. ::blase::blasé
  311. ::boite::boîte
  312. ::boutonniere::boutonničre
  313. ::canape::canapé
  314. ::canapes::canapés
  315. ::celebre::célčbre
  316. ::celebres::célčbres
  317. ::chaines::chaînés
  318. ::cinema verite::cinéma vérité
  319. ::cinemas verite::cinémas vérité
  320. ::cinema verites::cinéma vérités
  321. ::champs-elysees::Champs-Élysées
  322. ::charge d'affaires::chargé d'affaires
  323. ::chateau::château
  324. ::chateaux::châteaux
  325. ::chateaus::châteaus
  326. ::cliche::cliché
  327. ::cliched::clichéd
  328. ::cliches::clichés
  329. ::cloisonne::cloisonné
  330. ::consomme::consommé
  331. ::consommes::consommés
  332. ::communique::communiqué
  333. ::communiques::communiqués
  334. ::confrere::confrčre
  335. ::confreres::confrčres
  336. ::cortege::cortčge
  337. ::corteges::cortčges
  338. ::coup d'etat::coup d'état
  339. ::coup d'etats::coup d'états
  340. ::coup de tat::coup d'état
  341. ::coup de tats::coup d'états
  342. ::coup de grace::coup de grâce
  343. ::creche::crčche
  344. ::creches::crčches
  345. ::coulee::coulée
  346. ::coulees::coulées
  347. ::creme brulee::crčme brûlée
  348. ::creme brulees::crčme brûlées
  349. ::creme caramel::crčme caramel
  350. ::creme caramels::crčme caramels
  351. ::creme de cacao::crčme de cacao
  352. ::creme de menthe::crčme de menthe
  353. ::crepe::crępe
  354. ::crepes::crępes
  355. ::creusa::Creüsa
  356. ::crouton::croûton
  357. ::croutons::croûtons
  358. ::crudites::crudités
  359. ::curacao::curaįao
  360. ::dais::daīs
  361. ::daises::daīses
  362. ::debacle::débâcle
  363. ::debacles::débâcles
  364. ::debutante::débutante
  365. ::debutants::débutants
  366. ::declasse::déclassé
  367. ::decolletage::décolletage
  368. ::decollete::décolleté
  369. ::decor::décor
  370. ::decors::décors
  371. ::decoupage::découpage
  372. ::degage::dégagé
  373. ::deja vu::déjā vu
  374. ::demode::démodé
  375. ::denoument::dénoument
  376. ::derailleur::dérailleur
  377. ::derriere::derričre
  378. ::deshabille::déshabillé
  379. ::detente::détente
  380. ::diamante::diamanté
  381. ::discotheque::discothčque
  382. ::discotheques::discothčques
  383. ::divorcee::divorcée
  384. ::divorcees::divorcées
  385. ::doppelganger::doppelgänger
  386. ::doppelgangers::doppelgängers
  387. ::eclair::éclair
  388. ::eclairs::éclairs
  389. ::eclat::éclat
  390. ::el nino::El Niņo
  391. ::elan::élan
  392. ::emigre::émigré
  393. ::emigres::émigrés
  394. ::entree::entrée
  395. ::entrees::entrées
  396. ::entrepot::entrepôt
  397. ::entrecote::entrecôte
  398. ::epee::épée
  399. ::epees::épées
  400. ::etouffee::étouffée
  401. ::facade::faįade
  402. ::facades::faįades
  403. ::fete::fęte
  404. ::fetes::fętes
  405. ::faience::faīence
  406. ::fiance::fiancé
  407. ::fiances::fiancés
  408. ::fiancee::fiancée
  409. ::fiancees::fiancées
  410. ::filmjolk::filmjölk
  411. ::fin de siecle::fin de sičcle
  412. ::flambe::flambé
  413. ::flambes::flambés
  414. ::fleche::flčche
  415. ::Fohn wind::Föhn wind
  416. ::folie a deux::folie ā deux
  417. ::folies a deux::folies ā deux
  418. ::fouette::fouetté
  419. ::frappe::frappé
  420. ::frappes::frappés
  421. :?*:fraulein::fräulein
  422. :?*:fuhrer::Führer
  423. ::garcon::garįon
  424. ::garcons::garįons
  425. ::gateau::gâteau
  426. ::gateaus::gâteaus
  427. ::gateaux::gâteaux
  428. ::gemutlichkeit::gemütlichkeit
  429. ::glace::glacé
  430. ::glogg::glögg
  431. ::gewurztraminer::Gewürztraminer
  432. ::gotterdammerung::Götterdämmerung
  433. ::grafenberg spot::Gräfenberg spot
  434. ::habitue::habitué
  435. ::ingenue::ingénue
  436. ::jager::jäger
  437. ::jalapeno::jalapeņo
  438. ::jalapenos::jalapeņos
  439. ::jardiniere::jardiničre
  440. ::krouzek::kroužek
  441. ::kummel::kümmel
  442. ::kaldolmar::kåldolmar
  443. ::landler::ländler
  444. ::langue d'oil::langue d'oīl
  445. ::la nina::La Niņa
  446. ::litterateur::littérateur
  447. ::lycee::lycée
  448. ::macedoine::macédoine
  449. ::macrame::macramé
  450. ::maitre d'hotel::maître d'hôtel
  451. ::malaguena::malagueņa
  452. ::manana::maņana
  453. ::manege::mančge
  454. ::manque::manqué
  455. ::materiel::matériel
  456. ::matinee::matinée
  457. ::matinees::matinées
  458. ::melange::mélange
  459. ::melee::męlée
  460. ::melees::męlées
  461. ::menage a trois::ménage ā trois
  462. ::menages a trois::ménages ā trois
  463. ::mesalliance::mésalliance
  464. ::metier::métier
  465. ::minaudiere::minaudičre
  466. ::mobius strip::Möbius strip
  467. ::mobius strips::Möbius strips
  468. ::moire::moiré
  469. ::moireing::moiréing
  470. ::moires::moirés
  471. ::motley crue::Mötley Crüe
  472. ::motorhead::Motörhead
  473. ::naif::naīf
  474. ::naifs::naīfs
  475. ::naive::naīve
  476. ::naiver::naīver
  477. ::naives::naīves
  478. ::naivete::naīveté
  479. ::nee::née
  480. ::negligee::negligée
  481. ::negligees::negligées
  482. ::neufchatel cheese::Neufchâtel cheese
  483. ::nez perce::Nez Percé
  484. ::noël::Noël
  485. ::noëls::Noëls
  486. ::número uno::número uno
  487. ::objet trouve::objet trouvé
  488. ::objets trouve::objets trouvé
  489. ::ombre::ombré
  490. ::ombres::ombrés
  491. ::omerta::omertā
  492. ::opera bouffe::opéra bouffe
  493. ::operas bouffe::opéras bouffe
  494. ::opera comique::opéra comique
  495. ::operas comique::opéras comique
  496. ::outre::outré
  497. ::papier-mache::papier-mâché
  498. ::passe::passé
  499. ::piece de resistance::pičce de résistance
  500. ::pied-a-terre::pied-ā-terre
  501. ::plisse::plissé
  502. ::pina colada::Piņa Colada
  503. ::pina coladas::Piņa Coladas
  504. ::pinata::piņata
  505. ::pinatas::piņatas
  506. ::pinon::piņon
  507. ::pinons::piņons
  508. ::pirana::piraņa
  509. ::pique::piqué
  510. ::piqued::piquéd
  511. ::pių::pių
  512. ::plie::plié
  513. ::precis::précis
  514. ::polsa::pölsa
  515. ::pret-a-porter::pręt-ā-porter
  516. ::protoge::protégé
  517. ::protege::protégé
  518. ::proteged::protégéd
  519. ::proteges::protégés
  520. ::protegee::protégée
  521. ::protegees::protégées
  522. ::protegeed::protégéed
  523. ::puree::purée
  524. ::pureed::puréed
  525. ::purees::purées
  526. ::Quebecois::Québécois
  527. ::raison d'etre::raison d'ętre
  528. ::recherche::recherché
  529. ::reclame::réclame
  530. ::résume::résumé
  531. ::resumé::résumé
  532. ::résumes::résumés
  533. ::resumés::résumés
  534. ::retrousse::retroussé
  535. ::risque::risqué
  536. ::riviere::rivičre
  537. ::roman a clef::roman ā clef
  538. ::roue::roué
  539. ::saute::sauté
  540. ::sauted::sautéd
  541. ::seance::séance
  542. ::seances::séances
  543. ::senor::seņor
  544. ::senors::seņors
  545. ::senora::seņora
  546. ::senoras::seņoras
  547. ::senorita::seņorita
  548. ::senoritas::seņoritas
  549. ::sinn fein::Sinn Féin
  550. ::smorgasbord::smörgåsbord
  551. ::smorgasbords::smörgåsbords
  552. ::smorgastarta::smörgåstårta
  553. ::soigne::soigné
  554. ::soiree::soirée
  555. ::soireed::soiréed
  556. ::soirees::soirées
  557. ::souffle::soufflé
  558. ::souffles::soufflés
  559. ::soupcon::soupįon
  560. ::soupcons::soupįons
  561. ::surstromming::surströmming
  562. ::tete-a-tete::tęte-ā-tęte
  563. ::tete-a-tetes::tęte-ā-tętes
  564. ::touche::touché
  565. ::tourtiere::tourtičre
  566. ::ubermensch::Übermensch
  567. ::ubermensches::Übermensches
  568. ::ventre a terre::ventre ā terre
  569. ::vicuna::vicuņa
  570. ::vin rose::vin rosé
  571. ::vins rose::vins rosé
  572. ::vis a vis::vis ā vis
  573. ::vis-a-vis::vis-ā-vis
  574. ::voila::voilā
  575. ;------------------------------------------------------------------------------
  576. ; Common Misspellings - the main list
  577. ;------------------------------------------------------------------------------
  578. ::htp:::http:
  579. ::http:\\::http://
  580. ::httpL::http:
  581. ::herf::href
  582. ::avengence::a vengeance
  583. ::adbandon::abandon
  584. ::abandonned::abandoned
  585. ::aberation::aberration
  586. ::aborigene::aborigine
  587. ::abortificant::abortifacient
  588. ::abbout::about
  589. ::abotu::about
  590. ::baout::about
  591. ::abouta::about a
  592. ::aboutit::about it
  593. ::aboutthe::about the
  594. ::abscence::absence
  595. ::absense::absence
  596. ::abcense::absense
  597. ::absolutly::absolutely
  598. ::asorbed::absorbed
  599. ::absorbsion::absorption
  600. ::absorbtion::absorption
  601. ::abundacies::abundances
  602. ::abundancies::abundances
  603. ::abundunt::abundant
  604. ::abutts::abuts
  605. ::acadmic::academic
  606. ::accademic::academic
  607. ::acedemic::academic
  608. ::acadamy::academy
  609. ::accademy::academy
  610. ::accelleration::acceleration
  611. ::acceptible::acceptable
  612. ::acceptence::acceptance
  613. ::accessable::accessible
  614. ::accension::accession
  615. ::accesories::accessories
  616. ::accesorise::accessorise
  617. ::accidant::accident
  618. ::accidentaly::accidentally
  619. ::accidently::accidentally
  620. ::acclimitization::acclimatization
  621. ::accomdate::accommodate
  622. ::accomodate::accommodate
  623. ::acommodate::accommodate
  624. ::acomodate::accommodate
  625. ::accomodated::accommodated
  626. ::accomodates::accommodates
  627. ::accomodating::accommodating
  628. ::accomodation::accommodation
  629. ::accomodations::accommodations
  630. ::accompanyed::accompanied
  631. ::acomplish::accomplish
  632. ::acomplished::accomplished
  633. ::acomplishment::accomplishment
  634. ::acomplishments::accomplishments
  635. ::accoring::according
  636. ::acording::according
  637. ::accordingto::according to
  638. ::acordingly::accordingly
  639. ::accordeon::accordion
  640. ::accordian::accordion
  641. ::acocunt::account
  642. ::acuracy::accuracy
  643. ::acccused::accused
  644. ::accussed::accused
  645. ::acused::accused
  646. ::acustom::accustom
  647. ::acustommed::accustomed
  648. ::achive::achieve
  649. ::achivement::achievement
  650. ::achivements::achievements
  651. ::acknowldeged::acknowledged
  652. ::acknowledgeing::acknowledging
  653. ::accoustic::acoustic
  654. ::acquiantence::acquaintance
  655. ::aquaintance::acquaintance
  656. ::aquiantance::acquaintance
  657. ::acquiantences::acquaintances
  658. ::accquainted::acquainted
  659. ::aquainted::acquainted
  660. ::aquire::acquire
  661. ::aquired::acquired
  662. ::aquiring::acquiring
  663. ::aquit::acquit
  664. ::acquited::acquitted
  665. ::aquitted::acquitted
  666. ::accross::across
  667. ::activly::actively
  668. ::activites::activities
  669. ::actualy::actually
  670. ::actualyl::actually
  671. ::adaption::adaptation
  672. ::adaptions::adaptations
  673. ::addtion::addition
  674. ::additinal::additional
  675. ::addtional::additional
  676. ::additinally::additionally
  677. ::addres::address
  678. ::adres::address
  679. ::adress::address
  680. ::addresable::addressable
  681. ::adresable::addressable
  682. ::adressable::addressable
  683. ::addresed::addressed
  684. ::adressed::addressed
  685. ::addressess::addresses
  686. ::addresing::addressing
  687. ::adresing::addressing
  688. ::adecuate::adequate
  689. ::adequit::adequate
  690. ::adequite::adequate
  691. ::adherance::adherence
  692. ::adhearing::adhering
  693. ::adminstered::administered
  694. ::adminstrate::administrate
  695. ::adminstration::administration
  696. ::admininistrative::administrative
  697. ::adminstrative::administrative
  698. ::adminstrator::administrator
  699. ::admissability::admissibility
  700. ::admissable::admissible
  701. ::addmission::admission
  702. ::admited::admitted
  703. ::admitedly::admittedly
  704. ::adolecent::adolescent
  705. ::addopt::adopt
  706. ::addopted::adopted
  707. ::addoptive::adoptive
  708. ::adavanced::advanced
  709. ::adantage::advantage
  710. ::advanage::advantage
  711. ::adventrous::adventurous
  712. ::advesary::adversary
  713. ::advertisment::advertisement
  714. ::advertisments::advertisements
  715. ::asdvertising::advertising
  716. ::adviced::advised
  717. ::aeriel::aerial
  718. ::aeriels::aerials
  719. ::areodynamics::aerodynamics
  720. ::asthetic::aesthetic
  721. ::asthetical::aesthetic
  722. ::asthetically::aesthetically
  723. ::afair::affair
  724. ::affilate::affiliate
  725. ::affilliate::affiliate
  726. ::afficionado::aficionado
  727. ::afficianados::aficionados
  728. ::afficionados::aficionados
  729. ::aforememtioned::aforementioned
  730. ::affraid::afraid
  731. ::afterthe::after the
  732. ::agian::again
  733. ::agin::again
  734. ::againnst::against
  735. ::agains::against
  736. ::agaisnt::against
  737. ::aganist::against
  738. ::agianst::against
  739. ::aginst::against
  740. ::againstt he::against the
  741. ::aggaravates::aggravates
  742. ::agregate::aggregate
  743. ::agregates::aggregates
  744. ::agression::aggression
  745. ::aggresive::aggressive
  746. ::agressive::aggressive
  747. ::agressively::aggressively
  748. ::agressor::aggressor
  749. ::agrieved::aggrieved
  750. ::agre::agree
  751. ::aggreed::agreed
  752. ::agred::agreed
  753. ::agreing::agreeing
  754. ::aggreement::agreement
  755. ::agreeement::agreement
  756. ::agreemeent::agreement
  757. ::agreemnet::agreement
  758. ::agreemnt::agreement
  759. ::agreemeents::agreements
  760. ::agreemnets::agreements
  761. ::agricuture::agriculture
  762. ::airbourne::airborne
  763. ::aicraft::aircraft
  764. ::aircaft::aircraft
  765. ::aircrafts::aircraft
  766. ::airrcraft::aircraft
  767. ::aiport::airport
  768. ::airporta::airports
  769. ::albiet::albeit
  770. ::alchohol::alcohol
  771. ::alchol::alcohol
  772. ::alcohal::alcohol
  773. ::alochol::alcohol
  774. ::alchoholic::alcoholic
  775. ::alcholic::alcoholic
  776. ::alcoholical::alcoholic
  777. ::algebraical::algebraic
  778. ::algoritm::algorithm
  779. ::algorhitms::algorithms
  780. ::algoritms::algorithms
  781. ::alientating::alienating
  782. ::alltime::all-time
  783. ::aledge::allege
  784. ::alege::allege
  785. ::alledge::allege
  786. ::aledged::alleged
  787. ::aleged::alleged
  788. ::alledged::alleged
  789. ::alledgedly::allegedly
  790. ::allegedely::allegedly
  791. ::allegedy::allegedly
  792. ::allegely::allegedly
  793. ::aledges::alleges
  794. ::alledges::alleges
  795. ::alegience::allegiance
  796. ::allegence::allegiance
  797. ::allegience::allegiance
  798. ::alliviate::alleviate
  799. ::allopone::allophone
  800. ::allopones::allophones
  801. ::alotted::allotted
  802. ::alowed::allowed
  803. ::alowing::allowing
  804. ::alusion::allusion
  805. ::almots::almost
  806. ::almsot::almost
  807. ::alomst::almost
  808. ::alonw::alone
  809. ::allready::already
  810. ::alraedy::already
  811. ::alreayd::already
  812. ::alreday::already
  813. ::aready::already
  814. ::alsation::Alsatian
  815. ::alsot::also
  816. ::aslo::also
  817. ::alternitives::alternatives
  818. ::allthough::although
  819. ::altho::although
  820. ::althought::although
  821. ::altough::although
  822. ::allwasy::always
  823. ::allwyas::always
  824. ::alwasy::always
  825. ::alwats::always
  826. ::alway::always
  827. ::alwyas::always
  828. ::amalgomated::amalgamated
  829. ::amatuer::amateur
  830. ::amerliorate::ameliorate
  831. ::ammend::amend
  832. ::ammended::amended
  833. ::admendment::amendment
  834. ::amendmant::amendment
  835. ::ammendment::amendment
  836. ::ammendments::amendments
  837. ::amoung::among
  838. ::amung::among
  839. ::amoungst::amongst
  840. ::ammount::amount
  841. ::ammused::amused
  842. ::analagous::analogous
  843. ::analogeous::analogous
  844. ::analitic::analytic
  845. ::anarchim::anarchism
  846. ::anarchistm::anarchism
  847. ::ansestors::ancestors
  848. ::ancestory::ancestry
  849. ::ancilliary::ancillary
  850. ::adn::and
  851. ::anbd::and
  852. ::anmd::and
  853. ::andone::and one
  854. ::andt he::and the
  855. ::andteh::and the
  856. ::andthe::and the
  857. ::androgenous::androgynous
  858. ::androgeny::androgyny
  859. ::anihilation::annihilation
  860. ::aniversary::anniversary
  861. ::annouced::announced
  862. ::anounced::announced
  863. ::anual::annual
  864. ::annualy::annually
  865. ::annuled::annulled
  866. ::anulled::annulled
  867. ::annoint::anoint
  868. ::annointed::anointed
  869. ::annointing::anointing
  870. ::annoints::anoints
  871. ::anomolies::anomalies
  872. ::anomolous::anomalous
  873. ::anomoly::anomaly
  874. ::anonimity::anonymity
  875. ::anohter::another
  876. ::anotehr::another
  877. ::anothe::another
  878. ::anwsered::answered
  879. ::antartic::antarctic
  880. ::anthromorphisation::anthropomorphisation
  881. ::anthromorphization::anthropomorphization
  882. ::anti-semetic::anti-Semitic
  883. ::anyother::any other
  884. ::anytying::anything
  885. ::anyhwere::anywhere
  886. ::appart::apart
  887. ::aparment::apartment
  888. ::appartment::apartment
  889. ::appartments::apartments
  890. ::apenines::Apennines
  891. ::appenines::Apennines
  892. ::apolegetics::apologetics
  893. ::appologies::apologies
  894. ::appology::apology
  895. ::aparent::apparent
  896. ::apparant::apparent
  897. ::apparrent::apparent
  898. ::apparantly::apparently
  899. ::appealling::appealing
  900. ::appeareance::appearance
  901. ::appearence::appearance
  902. ::apperance::appearance
  903. ::apprearance::appearance
  904. ::appearences::appearances
  905. ::apperances::appearances
  906. ::appeares::appears
  907. ::aplication::application
  908. ::applicaiton::application
  909. ::applicaitons::applications
  910. ::aplied::applied
  911. ::applyed::applied
  912. ::appointiment::appointment
  913. ::apprieciate::appreciate
  914. ::aprehensive::apprehensive
  915. ::approachs::approaches
  916. ::appropiate::appropriate
  917. ::appropraite::appropriate
  918. ::appropropiate::appropriate
  919. ::approrpiate::appropriate
  920. ::approrpriate::appropriate
  921. ::apropriate::appropriate
  922. ::approproximate::approximate
  923. ::aproximate::approximate
  924. ::approxamately::approximately
  925. ::approxiately::approximately
  926. ::approximitely::approximately
  927. ::aproximately::approximately
  928. ::arbitarily::arbitrarily
  929. ::abritrary::arbitrary
  930. ::arbitary::arbitrary
  931. ::arbouretum::arboretum
  932. ::archiac::archaic
  933. ::archimedian::Archimedean
  934. ::archictect::architect
  935. ::archetectural::architectural
  936. ::architectual::architectural
  937. ::archetecturally::architecturally
  938. ::architechturally::architecturally
  939. ::archetecture::architecture
  940. ::architechture::architecture
  941. ::architechtures::architectures
  942. ::arn't::aren't
  943. ::argubly::arguably
  944. ::armamant::armament
  945. ::armistace::armistice
  946. ::arised::arose
  947. ::arond::around
  948. ::aroud::around
  949. ::arround::around
  950. ::arund::around
  951. ::aranged::arranged
  952. ::arangement::arrangement
  953. ::arrangment::arrangement
  954. ::arrangments::arrangements
  955. ::arival::arrival
  956. ::artical::article
  957. ::artice::article
  958. ::articel::article
  959. ::artifical::artificial
  960. ::artifically::artificially
  961. ::artillary::artillery
  962. ::asthe::as the
  963. ::aswell::as well
  964. ::asetic::ascetic
  965. ::aisian::Asian
  966. ::asside::aside
  967. ::askt he::ask the
  968. ::asphyxation::asphyxiation
  969. ::assisnate::assassinate
  970. ::assassintation::assassination
  971. ::assosication::assassination
  972. ::asssassans::assassins
  973. ::assualt::assault
  974. ::assualted::assaulted
  975. ::assemple::assemble
  976. ::assertation::assertion
  977. ::assesment::assessment
  978. ::asign::assign
  979. ::assit::assist
  980. ::assistent::assistant
  981. ::assitant::assistant
  982. ::assoicate::associate
  983. ::assoicated::associated
  984. ::assoicates::associates
  985. ::assocation::association
  986. ::asume::assume
  987. ::asteriod::asteroid
  988. ::atthe::at the
  989. ::athiesm::atheism
  990. ::athiest::atheist
  991. ::atheistical::atheistic
  992. ::athenean::Athenian
  993. ::atheneans::Athenians
  994. ::atmospher::atmosphere
  995. ::attrocities::atrocities
  996. ::attatch::attach
  997. ::atain::attain
  998. ::attemp::attempt
  999. ::attemt::attempt
  1000. ::attemped::attempted
  1001. ::attemted::attempted
  1002. ::attemting::attempting
  1003. ::attemts::attempts
  1004. ::attendence::attendance
  1005. ::attendent::attendant
  1006. ::attendents::attendants
  1007. ::attened::attended
  1008. ::atention::attention
  1009. ::attension::attention
  1010. ::attentioin::attention
  1011. ::attitide::attitude
  1012. ::atorney::attorney
  1013. ::attributred::attributed
  1014. ::audeince::audience
  1015. ::audiance::audience
  1016. ::austrailia::Australia
  1017. ::austrailian::Australian
  1018. ::australian::Australian
  1019. ::auther::author
  1020. ::autor::author
  1021. ::authorative::authoritative
  1022. ::authoritive::authoritative
  1023. ::authorites::authorities
  1024. ::authoritiers::authorities
  1025. ::authrorities::authorities
  1026. ::authorithy::authority
  1027. ::autority::authority
  1028. ::authobiographic::autobiographic
  1029. ::authobiography::autobiography
  1030. ::autochtonous::autochthonous
  1031. ::autoctonous::autochthonous
  1032. ::automaticly::automatically
  1033. ::automibile::automobile
  1034. ::automonomous::autonomous
  1035. ::auxillaries::auxiliaries
  1036. ::auxilliaries::auxiliaries
  1037. ::auxilary::auxiliary
  1038. ::auxillary::auxiliary
  1039. ::auxilliary::auxiliary
  1040. ::availablility::availability
  1041. ::availaible::available
  1042. ::availalbe::available
  1043. ::availble::available
  1044. ::availiable::available
  1045. ::availible::available
  1046. ::avalable::available
  1047. ::avaliable::available
  1048. ::avilable::available
  1049. ::avalance::avalanche
  1050. ::averageed::averaged
  1051. ::avation::aviation
  1052. ::awared::awarded
  1053. ::awya::away
  1054. ::aywa::away
  1055. ::abck::back
  1056. ::bakc::back
  1057. ::bcak::back
  1058. ::backgorund::background
  1059. ::backrounds::backgrounds
  1060. ::balence::balance
  1061. ::ballance::balance
  1062. ::banannas::bananas
  1063. ::bandwith::bandwidth
  1064. ::bankrupcy::bankruptcy
  1065. ::banruptcy::bankruptcy
  1066. ::barbeque::barbecue
  1067. ::basicaly::basically
  1068. ::basicly::basically
  1069. ::cattleship::battleship
  1070. ::bve::be
  1071. ::eb::be
  1072. ::beachead::beachhead
  1073. ::beatiful::beautiful
  1074. ::beautyfull::beautiful
  1075. ::beutiful::beautiful
  1076. ::becamae::became
  1077. ::baceause::because
  1078. ::beacuse::because
  1079. ::becasue::because
  1080. ::becaus::because
  1081. ::beccause::because
  1082. ::becouse::because
  1083. ::becuase::because
  1084. ::becuse::because
  1085. ::becausea::because a
  1086. ::becauseof::because of
  1087. ::becausethe::because the
  1088. ::becauseyou::because you
  1089. ::becoe::become
  1090. ::becomeing::becoming
  1091. ::becomming::becoming
  1092. ::bedore::before
  1093. ::befoer::before
  1094. ::begginer::beginner
  1095. ::begginers::beginners
  1096. ::beggining::beginning
  1097. ::begining::beginning
  1098. ::beginining::beginning
  1099. ::beginnig::beginning
  1100. ::begginings::beginnings
  1101. ::beggins::begins
  1102. ::behavour::behaviour
  1103. ::beng::being
  1104. ::beleagured::beleaguered
  1105. ::beligum::belgium
  1106. ::beleif::belief
  1107. ::beleiev::believe
  1108. ::beleieve::believe
  1109. ::beleive::believe
  1110. ::belive::believe
  1111. ::beleived::believed
  1112. ::belived::believed
  1113. ::beleives::believes
  1114. ::beleiving::believing
  1115. ::belligerant::belligerent
  1116. ::bellweather::bellwether
  1117. ::bemusemnt::bemusement
  1118. ::benefical::beneficial
  1119. ::benificial::beneficial
  1120. ::beneficary::beneficiary
  1121. ::benifit::benefit
  1122. ::benifits::benefits
  1123. ::bergamont::bergamot
  1124. ::bernouilli::Bernoulli
  1125. ::beseige::besiege
  1126. ::beseiged::besieged
  1127. ::beseiging::besieging
  1128. ::beastiality::bestiality
  1129. ::betweeen::between
  1130. ::betwen::between
  1131. ::bewteen::between
  1132. ::inbetween::between
  1133. ::vetween::between
  1134. ::bicep::biceps
  1135. ::bilateraly::bilaterally
  1136. ::billingualism::bilingualism
  1137. ::binominal::binomial
  1138. ::bizzare::bizarre
  1139. ::blaim::blame
  1140. ::blaimed::blamed
  1141. ::blessure::blessing
  1142. ::blitzkreig::Blitzkrieg
  1143. ::bodydbuilder::bodybuilder
  1144. ::bombardement::bombardment
  1145. ::bombarment::bombardment
  1146. ::bonnano::Bonanno
  1147. ::bondary::boundary
  1148. ::boundry::boundary
  1149. ::boxs::boxes
  1150. ::brasillian::Brazilian
  1151. ::breakthough::breakthrough
  1152. ::breakthroughts::breakthroughs
  1153. ::brethen::brethren
  1154. ::bretheren::brethren
  1155. ::breif::brief
  1156. ::breifly::briefly
  1157. ::briliant::brilliant
  1158. ::brillant::brilliant
  1159. ::brimestone::brimstone
  1160. ::britian::Britain
  1161. ::brittish::British
  1162. ::broacasted::broadcast
  1163. ::brodcast::broadcast
  1164. ::broadacasting::broadcasting
  1165. ::broady::broadly
  1166. ::borke::broke
  1167. ::buddah::Buddha
  1168. ::bouy::buoy
  1169. ::bouyancy::buoyancy
  1170. ::buoancy::buoyancy
  1171. ::bouyant::buoyant
  1172. ::boyant::buoyant
  1173. ::beaurocracy::bureaucracy
  1174. ::beaurocratic::bureaucratic
  1175. ::burried::buried
  1176. ::buisness::business
  1177. ::busness::business
  1178. ::bussiness::business
  1179. ::busineses::businesses
  1180. ::buisnessman::businessman
  1181. ::butthe::but the
  1182. ::byt he::by the
  1183. ::ceasar::Caesar
  1184. ::casion::caisson
  1185. ::caluclate::calculate
  1186. ::caluculate::calculate
  1187. ::calulate::calculate
  1188. ::calcullated::calculated
  1189. ::caluclated::calculated
  1190. ::caluculated::calculated
  1191. ::calulated::calculated
  1192. ::calculs::calculus
  1193. ::calander::calendar
  1194. ::calenders::calendars
  1195. ::califronia::California
  1196. ::califronian::Californian
  1197. ::caligraphy::calligraphy
  1198. ::callipigian::callipygian
  1199. ::cambrige::Cambridge
  1200. ::camoflage::camouflage
  1201. ::campain::campaign
  1202. ::campains::campaigns
  1203. ::acn::can
  1204. ::cna::can
  1205. ::cxan::can
  1206. ::can't of::can't have
  1207. ::candadate::candidate
  1208. ::candiate::candidate
  1209. ::candidiate::candidate
  1210. ::candidtae::candidate
  1211. ::candidtaes::candidates
  1212. ::cannister::canister
  1213. ::cannisters::canisters
  1214. ::cannnot::cannot
  1215. ::cannonical::canonical
  1216. ::cantalope::cantaloupe
  1217. ::caperbility::capability
  1218. ::capible::capable
  1219. ::capetown::Cape Town
  1220. ::captial::capital
  1221. ::captued::captured
  1222. ::capturd::captured
  1223. ::carcas::carcass
  1224. ::carreer::career
  1225. ::carrers::careers
  1226. ::carefull::careful
  1227. ::carribbean::Caribbean
  1228. ::carribean::Caribbean
  1229. ::careing::caring
  1230. ::carmalite::Carmelite
  1231. ::carniverous::carnivorous
  1232. ::carthagian::Carthaginian
  1233. ::cartilege::cartilage
  1234. ::cartilidge::cartilage
  1235. ::carthographer::cartographer
  1236. ::cartdridge::cartridge
  1237. ::cartrige::cartridge
  1238. ::casette::cassette
  1239. ::cassawory::cassowary
  1240. ::cassowarry::cassowary
  1241. ::casulaties::casualties
  1242. ::causalities::casualties
  1243. ::casulaty::casualty
  1244. ::categiory::category
  1245. ::ctaegory::category
  1246. ::catterpilar::caterpillar
  1247. ::catterpilars::caterpillars
  1248. ::cathlic::catholic
  1249. ::catholocism::catholicism
  1250. ::caucasion::Caucasian
  1251. ::cacuses::caucuses
  1252. ::cieling::ceiling
  1253. ::cellpading::cellpadding
  1254. ::celcius::Celsius
  1255. ::cemetaries::cemeteries
  1256. ::cementary::cemetery
  1257. ::cemetarey::cemetery
  1258. ::cemetary::cemetery
  1259. ::sensure::censure
  1260. ::cencus::census
  1261. ::cententenial::centennial
  1262. ::centruies::centuries
  1263. ::centruy::century
  1264. ::cerimonial::ceremonial
  1265. ::cerimonies::ceremonies
  1266. ::cerimonious::ceremonious
  1267. ::cerimony::ceremony
  1268. ::ceromony::ceremony
  1269. ::certian::certain
  1270. ::certainity::certainty
  1271. ::chariman::chairman
  1272. ::challange::challenge
  1273. ::challege::challenge
  1274. ::challanged::challenged
  1275. ::challanges::challenges
  1276. ::chalenging::challenging
  1277. ::champange::champagne
  1278. ::chaneg::change
  1279. ::chnage::change
  1280. ::changable::changeable
  1281. ::chanegs::changes
  1282. ::changeing::changing
  1283. ::changng::changing
  1284. ::caharcter::character
  1285. ::carachter::character
  1286. ::charachter::character
  1287. ::charactor::character
  1288. ::charecter::character
  1289. ::charector::character
  1290. ::chracter::character
  1291. ::caracterised::characterised
  1292. ::charaterised::characterised
  1293. ::charactersistic::characteristic
  1294. ::charistics::characteristics
  1295. ::caracterized::characterized
  1296. ::charaterized::characterized
  1297. ::cahracters::characters
  1298. ::charachters::characters
  1299. ::charactors::characters
  1300. ::carismatic::charismatic
  1301. ::charasmatic::charismatic
  1302. ::chartiable::charitable
  1303. ::caht::chat
  1304. ::chekc::check
  1305. ::chemcial::chemical
  1306. ::chemcially::chemically
  1307. ::chemicaly::chemically
  1308. ::chemestry::chemistry
  1309. ::cheif::chief
  1310. ::childbird::childbirth
  1311. ::childen::children
  1312. ::childrens::children's
  1313. ::chilli::chili
  1314. ::choosen::chosen
  1315. ::chuch::church
  1316. ::curch::church
  1317. ::churchs::churches
  1318. ::cincinatti::Cincinnati
  1319. ::cincinnatti::Cincinnati
  1320. ::circut::circuit
  1321. ::ciricuit::circuit
  1322. ::curcuit::circuit
  1323. ::circulaton::circulation
  1324. ::circumsicion::circumcision
  1325. ::sercumstances::circumstances
  1326. ::cirtus::citrus
  1327. ::civillian::civilian
  1328. ::claimes::claims
  1329. ::clas::class
  1330. ::clasic::classic
  1331. ::clasical::classical
  1332. ::clasically::classically
  1333. ::claer::clear
  1334. ::cleareance::clearance
  1335. ::claered::cleared
  1336. ::claerer::clearer
  1337. ::claerly::clearly
  1338. ::cliant::client
  1339. ::clincial::clinical
  1340. ::clinicaly::clinically
  1341. ::caost::coast
  1342. ::coctail::cocktail
  1343. ::cognizent::cognizant
  1344. ::co-incided::coincided
  1345. ::coincedentally::coincidentally
  1346. ::colaborations::collaborations
  1347. ::collaberative::collaborative
  1348. ::colateral::collateral
  1349. ::collegue::colleague
  1350. ::collegues::colleagues
  1351. ::collectable::collectible
  1352. ::colection::collection
  1353. ::collecton::collection
  1354. ::colelctive::collective
  1355. ::collonies::colonies
  1356. ::colonisators::colonisers
  1357. ::colonizators::colonizers
  1358. ::collonade::colonnade
  1359. ::collony::colony
  1360. ::collosal::colossal
  1361. ::colum::column
  1362. ::combintation::combination
  1363. ::combanations::combinations
  1364. ::combinatins::combinations
  1365. ::combusion::combustion
  1366. ::comback::comeback
  1367. ::commedic::comedic
  1368. ::confortable::comfortable
  1369. ::comming::coming
  1370. ::commadn::command
  1371. ::comander::commander
  1372. ::comando::commando
  1373. ::comandos::commandos
  1374. ::commandoes::commandos
  1375. ::comemmorate::commemorate
  1376. ::commemmorate::commemorate
  1377. ::commmemorated::commemorated
  1378. ::comemmorates::commemorates
  1379. ::commemmorating::commemorating
  1380. ::comemoretion::commemoration
  1381. ::commemerative::commemorative
  1382. ::commerorative::commemorative
  1383. ::commerical::commercial
  1384. ::commericial::commercial
  1385. ::commerically::commercially
  1386. ::commericially::commercially
  1387. ::comission::commission
  1388. ::commision::commission
  1389. ::comissioned::commissioned
  1390. ::commisioned::commissioned
  1391. ::comissioner::commissioner
  1392. ::commisioner::commissioner
  1393. ::comissioning::commissioning
  1394. ::commisioning::commissioning
  1395. ::comissions::commissions
  1396. ::commisions::commissions
  1397. ::comit::commit
  1398. ::committment::commitment
  1399. ::committments::commitments
  1400. ::comited::committed
  1401. ::comitted::committed
  1402. ::commited::committed
  1403. ::comittee::committee
  1404. ::commitee::committee
  1405. ::committe::committee
  1406. ::committy::committee
  1407. ::comiting::committing
  1408. ::comitting::committing
  1409. ::commiting::committing
  1410. ::commongly::commonly
  1411. ::commonweath::commonwealth
  1412. ::comunicate::communicate
  1413. ::comminication::communication
  1414. ::communciation::communication
  1415. ::communiation::communication
  1416. ::commuications::communications
  1417. ::commuinications::communications
  1418. ::communites::communities
  1419. ::comunity::community
  1420. ::comanies::companies
  1421. ::comapnies::companies
  1422. ::comany::company
  1423. ::comapany::company
  1424. ::comapny::company
  1425. ::company;s::company's
  1426. ::comparitive::comparative
  1427. ::comparitively::comparatively
  1428. ::compair::compare
  1429. ::comparision::comparison
  1430. ::comparisions::comparisons
  1431. ::compability::compatibility
  1432. ::compatiable::compatible
  1433. ::compensantion::compensation
  1434. ::competance::competence
  1435. ::competant::competent
  1436. ::compitent::competent
  1437. ::competitiion::competition
  1438. ::compeitions::competitions
  1439. ::competative::competitive
  1440. ::competive::competitive
  1441. ::competiveness::competitiveness
  1442. ::copmetitors::competitors
  1443. ::complier::compiler
  1444. ::compleated::completed
  1445. ::completedthe::completed the
  1446. ::competely::completely
  1447. ::compleatly::completely
  1448. ::completelyl::completely
  1449. ::completly::completely
  1450. ::compleatness::completeness
  1451. ::completness::completeness
  1452. ::completetion::completion
  1453. ::componant::component
  1454. ::composate::composite
  1455. ::comphrehensive::comprehensive
  1456. ::comprimise::compromise
  1457. ::compulsary::compulsory
  1458. ::compulsery::compulsory
  1459. ::cmoputer::computer
  1460. ::coputer::computer
  1461. ::computarised::computerised
  1462. ::computarized::computerized
  1463. ::concieted::conceited
  1464. ::concieve::conceive
  1465. ::concieved::conceived
  1466. ::consentrate::concentrate
  1467. ::consentrated::concentrated
  1468. ::consentrates::concentrates
  1469. ::consept::concept
  1470. ::consern::concern
  1471. ::conserned::concerned
  1472. ::conserning::concerning
  1473. ::comdemnation::condemnation
  1474. ::condamned::condemned
  1475. ::condemmed::condemned
  1476. ::condidtion::condition
  1477. ::condidtions::conditions
  1478. ::conditionsof::conditions of
  1479. ::condolances::condolences
  1480. ::conferance::conference
  1481. ::confidental::confidential
  1482. ::confidentally::confidentially
  1483. ::confids::confides
  1484. ::configureable::configurable
  1485. ::confirmmation::confirmation
  1486. ::coform::conform
  1487. ::congradulations::congratulations
  1488. ::congresional::congressional
  1489. ::conjecutre::conjecture
  1490. ::conjuction::conjunction
  1491. ::conected::connected
  1492. ::conneticut::Connecticut
  1493. ::conection::connection
  1494. ::conived::connived
  1495. ::cannotation::connotation
  1496. ::cannotations::connotations
  1497. ::conotations::connotations
  1498. ::conquerd::conquered
  1499. ::conqured::conquered
  1500. ::conquerer::conqueror
  1501. ::conquerers::conquerors
  1502. ::concious::conscious
  1503. ::consious::conscious
  1504. ::conciously::consciously
  1505. ::conciousness::consciousness
  1506. ::consciouness::consciousness
  1507. ::consiciousness::consciousness
  1508. ::consicousness::consciousness
  1509. ::consectutive::consecutive
  1510. ::concensus::consensus
  1511. ::conesencus::consensus
  1512. ::conscent::consent
  1513. ::consequeseces::consequences
  1514. ::consenquently::consequently
  1515. ::consequentually::consequently
  1516. ::conservitive::conservative
  1517. ::concider::consider
  1518. ::consdider::consider
  1519. ::considerit::considerate
  1520. ::considerite::considerate
  1521. ::concidered::considered
  1522. ::consdidered::considered
  1523. ::consdiered::considered
  1524. ::considerd::considered
  1525. ::consideres::considered
  1526. ::concidering::considering
  1527. ::conciders::considers
  1528. ::consistant::consistent
  1529. ::consistantly::consistently
  1530. ::consolodate::consolidate
  1531. ::consolodated::consolidated
  1532. ::consonent::consonant
  1533. ::consonents::consonants
  1534. ::consorcium::consortium
  1535. ::conspiracys::conspiracies
  1536. ::conspiricy::conspiracy
  1537. ::conspiriator::conspirator
  1538. ::constatn::constant
  1539. ::constanly::constantly
  1540. ::constarnation::consternation
  1541. ::consituencies::constituencies
  1542. ::consituency::constituency
  1543. ::constituant::constituent
  1544. ::constituants::constituents
  1545. ::consituted::constituted
  1546. ::consitution::constitution
  1547. ::constituion::constitution
  1548. ::costitution::constitution
  1549. ::consitutional::constitutional
  1550. ::constituional::constitutional
  1551. ::constaints::constraints
  1552. ::consttruction::construction
  1553. ::constuction::construction
  1554. ::contruction::construction
  1555. ::consulant::consultant
  1556. ::consultent::consultant
  1557. ::consumber::consumer
  1558. ::consumate::consummate
  1559. ::consumated::consummated
  1560. ::comntain::contain
  1561. ::comtain::contain
  1562. ::comntains::contains
  1563. ::comtains::contains
  1564. ::containes::contains
  1565. ::countains::contains
  1566. ::contaiminate::contaminate
  1567. ::contemporaneus::contemporaneous
  1568. ::contamporaries::contemporaries
  1569. ::contamporary::contemporary
  1570. ::contempoary::contemporary
  1571. ::contempory::contemporary
  1572. ::contendor::contender
  1573. ::constinually::continually
  1574. ::contined::continued
  1575. ::continueing::continuing
  1576. ::continous::continuous
  1577. ::continously::continuously
  1578. ::contritutions::contributions
  1579. ::contributer::contributor
  1580. ::contributers::contributors
  1581. ::controll::control
  1582. ::controled::controlled
  1583. ::controling::controlling
  1584. ::controlls::controls
  1585. ::contravercial::controversial
  1586. ::controvercial::controversial
  1587. ::controversal::controversial
  1588. ::controvertial::controversial
  1589. ::controveries::controversies
  1590. ::contraversy::controversy
  1591. ::controvercy::controversy
  1592. ::controvery::controversy
  1593. ::conveinent::convenient
  1594. ::convienient::convenient
  1595. ::convential::conventional
  1596. ::convertion::conversion
  1597. ::convertor::converter
  1598. ::convertors::converters
  1599. ::convertable::convertible
  1600. ::convertables::convertibles
  1601. ::conveyer::conveyor
  1602. ::conviced::convinced
  1603. ::cooparate::cooperate
  1604. ::cooporate::cooperate
  1605. ::coordiantion::coordination
  1606. ::cpoy::copy
  1607. ::copywrite::copyright
  1608. ::coridal::cordial
  1609. ::corparate::corporate
  1610. ::corproation::corporation
  1611. ::coorperations::corporations
  1612. ::corperations::corporations
  1613. ::corproations::corporations
  1614. ::correcters::correctors
  1615. ::corrispond::correspond
  1616. ::corrisponded::corresponded
  1617. ::correspondant::correspondent
  1618. ::corrispondant::correspondent
  1619. ::correspondants::correspondents
  1620. ::corrispondants::correspondents
  1621. ::correponding::corresponding
  1622. ::correposding::corresponding
  1623. ::corrisponding::corresponding
  1624. ::corrisponds::corresponds
  1625. ::corridoors::corridors
  1626. ::corosion::corrosion
  1627. ::corruptable::corruptible
  1628. ::cotten::cotton
  1629. ::coudl::could
  1630. ::could of::could have
  1631. ::couldthe::could the
  1632. ::coudln't::couldn't
  1633. ::coudn't::couldn't
  1634. ::couldnt::couldn't
  1635. ::coucil::council
  1636. ::counries::countries
  1637. ::countires::countries
  1638. ::ocuntries::countries
  1639. ::ocuntry::country
  1640. ::coururier::courier
  1641. ::convenant::covenant
  1642. ::creaeted::created
  1643. ::creedence::credence
  1644. ::criterias::criteria
  1645. ::critereon::criterion
  1646. ::crtical::critical
  1647. ::critised::criticised
  1648. ::criticing::criticising
  1649. ::criticists::critics
  1650. ::crockodiles::crocodiles
  1651. ::crucifiction::crucifixion
  1652. ::crusies::cruises
  1653. ::crystalisation::crystallisation
  1654. ::culiminating::culminating
  1655. ::cumulatative::cumulative
  1656. ::currenly::currently
  1657. ::ciriculum::curriculum
  1658. ::curriculem::curriculum
  1659. ::cusotmer::customer
  1660. ::cutsomer::customer
  1661. ::cusotmers::customers
  1662. ::cutsomers::customers
  1663. ::cxan::cyan
  1664. ::cilinder::cylinder
  1665. ::cyclinder::cylinder
  1666. ::dakiri::daiquiri
  1667. ::dalmation::dalmatian
  1668. ::danceing::dancing
  1669. ::dardenelles::Dardanelles
  1670. ::dael::deal
  1671. ::debateable::debatable
  1672. ::decaffinated::decaffeinated
  1673. ::decathalon::decathlon
  1674. ::decieved::deceived
  1675. ::decideable::decidable
  1676. ::deside::decide
  1677. ::decidely::decidedly
  1678. ::ecidious::deciduous
  1679. ::decison::decision
  1680. ::descision::decision
  1681. ::desicion::decision
  1682. ::desision::decision
  1683. ::decisons::decisions
  1684. ::descisions::decisions
  1685. ::desicions::decisions
  1686. ::desisions::decisions
  1687. ::decomissioned::decommissioned
  1688. ::decomposit::decompose
  1689. ::decomposited::decomposed
  1690. ::decomposits::decomposes
  1691. ::decompositing::decomposing
  1692. ::decress::decrees
  1693. ::deafult::default
  1694. ::defendent::defendant
  1695. ::defendents::defendants
  1696. ::defencive::defensive
  1697. ::deffensively::defensively
  1698. ::definance::defiance
  1699. ::deffine::define
  1700. ::deffined::defined
  1701. ::definining::defining
  1702. ::definate::definite
  1703. ::definit::definite
  1704. ::definately::definitely
  1705. ::definatly::definitely
  1706. ::definetly::definitely
  1707. ::definitly::definitely
  1708. ::definiton::definition
  1709. ::defintion::definition
  1710. ::degredation::degradation
  1711. ::degrate::degrade
  1712. ::dieties::deities
  1713. ::diety::deity
  1714. ::delagates::delegates
  1715. ::deliberatly::deliberately
  1716. ::delerious::delirious
  1717. ::delusionally::delusively
  1718. ::devels::delves
  1719. ::damenor::demeanor
  1720. ::demenor::demeanor
  1721. ::damenor::demeanour
  1722. ::damenour::demeanour
  1723. ::demenour::demeanour
  1724. ::demorcracy::democracy
  1725. ::demographical::demographic
  1726. ::demolision::demolition
  1727. ::demostration::demonstration
  1728. ::denegrating::denigrating
  1729. ::densly::densely
  1730. ::deparment::department
  1731. ::deptartment::department
  1732. ::dependance::dependence
  1733. ::dependancy::dependency
  1734. ::dependant::dependent
  1735. ::despict::depict
  1736. ::derivitive::derivative
  1737. ::deriviated::derived
  1738. ::dirived::derived
  1739. ::derogitory::derogatory
  1740. ::decendant::descendant
  1741. ::decendent::descendant
  1742. ::decendants::descendants
  1743. ::decendents::descendants
  1744. ::descendands::descendants
  1745. ::decribe::describe
  1746. ::discribe::describe
  1747. ::decribed::described
  1748. ::descibed::described
  1749. ::discribed::described
  1750. ::decribes::describes
  1751. ::descriibes::describes
  1752. ::discribes::describes
  1753. ::decribing::describing
  1754. ::discribing::describing
  1755. ::descriptoin::description
  1756. ::descripton::description
  1757. ::descripters::descriptors
  1758. ::dessicated::desiccated
  1759. ::disign::design
  1760. ::desgined::designed
  1761. ::dessigned::designed
  1762. ::desigining::designing
  1763. ::desireable::desirable
  1764. ::desktiop::desktop
  1765. ::dispair::despair
  1766. ::desparate::desperate
  1767. ::despiration::desperation
  1768. ::dispicable::despicable
  1769. ::dispite::despite
  1770. ::destablised::destabilised
  1771. ::destablized::destabilized
  1772. ::desinations::destinations
  1773. ::desitned::destined
  1774. ::destory::destroy
  1775. ::desctruction::destruction
  1776. ::distruction::destruction
  1777. ::distructive::destructive
  1778. ::detatched::detached
  1779. ::detailled::detailed
  1780. ::deatils::details
  1781. ::dectect::detect
  1782. ::deteriate::deteriorate
  1783. ::deteoriated::deteriorated
  1784. ::deterioriating::deteriorating
  1785. ::determinining::determining
  1786. ::detremental::detrimental
  1787. ::devasted::devastated
  1788. ::devestated::devastated
  1789. ::devestating::devastating
  1790. ::devistating::devastating
  1791. ::devellop::develop
  1792. ::devellops::develop
  1793. ::develloped::developed
  1794. ::developped::developed
  1795. ::develloper::developer
  1796. ::developor::developer
  1797. ::develeoprs::developers
  1798. ::devellopers::developers
  1799. ::developors::developers
  1800. ::develloping::developing
  1801. ::delevopment::development
  1802. ::devellopment::development
  1803. ::develpment::development
  1804. ::devolopement::development
  1805. ::devellopments::developments
  1806. ::divice::device
  1807. ::diablical::diabolical
  1808. ::diamons::diamonds
  1809. ::diarhea::diarrhoea
  1810. ::dichtomy::dichotomy
  1811. ::didnot::did not
  1812. ::didint::didn't
  1813. ::didnt::didn't
  1814. ::differance::difference
  1815. ::diferences::differences
  1816. ::differances::differences
  1817. ::difefrent::different
  1818. ::diferent::different
  1819. ::diferrent::different
  1820. ::differant::different
  1821. ::differemt::different
  1822. ::differnt::different
  1823. ::diffrent::different
  1824. ::differentiatiations::differentiations
  1825. ::diffcult::difficult
  1826. ::diffculties::difficulties
  1827. ::dificulties::difficulties
  1828. ::diffculty::difficulty
  1829. ::difficulity::difficulty
  1830. ::dificulty::difficulty
  1831. ::delapidated::dilapidated
  1832. ::dimention::dimension
  1833. ::dimentional::dimensional
  1834. ::dimesnional::dimensional
  1835. ::dimenions::dimensions
  1836. ::dimentions::dimensions
  1837. ::diminuitive::diminutive
  1838. ::diosese::diocese
  1839. ::diptheria::diphtheria
  1840. ::diphtong::diphthong
  1841. ::dipthong::diphthong
  1842. ::diphtongs::diphthongs
  1843. ::dipthongs::diphthongs
  1844. ::diplomancy::diplomacy
  1845. ::directiosn::direction
  1846. ::driectly::directly
  1847. ::directer::director
  1848. ::directers::directors
  1849. ::disagreeed::disagreed
  1850. ::dissagreement::disagreement
  1851. ::disapear::disappear
  1852. ::dissapear::disappear
  1853. ::dissappear::disappear
  1854. ::dissapearance::disappearance
  1855. ::disapeared::disappeared
  1856. ::disappearred::disappeared
  1857. ::dissapeared::disappeared
  1858. ::dissapearing::disappearing
  1859. ::dissapears::disappears
  1860. ::dissappears::disappears
  1861. ::dissappointed::disappointed
  1862. ::disapointing::disappointing
  1863. ::disaproval::disapproval
  1864. ::dissarray::disarray
  1865. ::diaster::disaster
  1866. ::disasterous::disastrous
  1867. ::disatrous::disastrous
  1868. ::diciplin::discipline
  1869. ::disiplined::disciplined
  1870. ::unconfortability::discomfort
  1871. ::diconnects::disconnects
  1872. ::discontentment::discontent
  1873. ::dicover::discover
  1874. ::disover::discover
  1875. ::dicovered::discovered
  1876. ::discoverd::discovered
  1877. ::dicovering::discovering
  1878. ::dicovers::discovers
  1879. ::dicovery::discovery
  1880. ::descuss::discuss
  1881. ::dicussed::discussed
  1882. ::desease::disease
  1883. ::disenchanged::disenchanted
  1884. ::desintegrated::disintegrated
  1885. ::desintegration::disintegration
  1886. ::disobediance::disobedience
  1887. ::dissobediance::disobedience
  1888. ::dissobedience::disobedience
  1889. ::disobediant::disobedient
  1890. ::dissobediant::disobedient
  1891. ::dissobedient::disobedient
  1892. ::desorder::disorder
  1893. ::desoriented::disoriented
  1894. ::disparingly::disparagingly
  1895. ::despatched::dispatched
  1896. ::dispell::dispel
  1897. ::dispeled::dispelled
  1898. ::dispeling::dispelling
  1899. ::dispells::dispels
  1900. ::dispence::dispense
  1901. ::dispenced::dispensed
  1902. ::dispencing::dispensing
  1903. ::diaplay::display
  1904. ::dispaly::display
  1905. ::unplease::displease
  1906. ::dispostion::disposition
  1907. ::disproportiate::disproportionate
  1908. ::disputandem::disputandum
  1909. ::disatisfaction::dissatisfaction
  1910. ::disatisfied::dissatisfied
  1911. ::disemination::dissemination
  1912. ::disolved::dissolved
  1913. ::dissonent::dissonant
  1914. ::disctinction::distinction
  1915. ::distiction::distinction
  1916. ::disctinctive::distinctive
  1917. ::distingish::distinguish
  1918. ::distingished::distinguished
  1919. ::distingquished::distinguished
  1920. ::distingishes::distinguishes
  1921. ::distingishing::distinguishing
  1922. ::ditributed::distributed
  1923. ::distribusion::distribution
  1924. ::distrubution::distribution
  1925. ::disricts::districts
  1926. ::devide::divide
  1927. ::devided::divided
  1928. ::divison::division
  1929. ::divisons::divisions
  1930. ::docrines::doctrines
  1931. ::doctines::doctrines
  1932. ::doccument::document
  1933. ::docuemnt::document
  1934. ::documetn::document
  1935. ::documnet::document
  1936. ::documenatry::documentary
  1937. ::doccumented::documented
  1938. ::doccuments::documents
  1939. ::docuement::documents
  1940. ::documnets::documents
  1941. ::doens::does
  1942. ::doese::does
  1943. ::doe snot::does not ; *could* be legitimate... but very unlikely!
  1944. ::doens't::doesn't
  1945. ::doesnt::doesn't
  1946. ::dosen't::doesn't
  1947. ::dosn't::doesn't
  1948. ::doign::doing
  1949. ::doimg::doing
  1950. ::doind::doing
  1951. ::donig::doing
  1952. ::dollers::dollars
  1953. ::dominent::dominant
  1954. ::dominiant::dominant
  1955. ::dominaton::domination
  1956. ::do'nt::don't
  1957. ::dont::don't
  1958. ::don't no::don't know
  1959. ::doulbe::double
  1960. ::dowloads::downloads
  1961. ::dramtic::dramatic
  1962. ::draughtman::draughtsman
  1963. ::dravadian::Dravidian
  1964. ::deram::dream
  1965. ::derams::dreams
  1966. ::dreasm::dreams
  1967. ::drnik::drink
  1968. ::driveing::driving
  1969. ::drummless::drumless
  1970. ::druming::drumming
  1971. ::drunkeness::drunkenness
  1972. ::dukeship::dukedom
  1973. ::dumbell::dumbbell
  1974. ::dupicate::duplicate
  1975. ::durig::during
  1976. ::durring::during
  1977. ::duting::during
  1978. ::dieing::dying
  1979. ::eahc::each
  1980. ::eachotehr::eachother
  1981. ::ealier::earlier
  1982. ::earlies::earliest
  1983. ::eearly::early
  1984. ::earnt::earned
  1985. ::ecclectic::eclectic
  1986. ::eclispe::eclipse
  1987. ::ecomonic::economic
  1988. ::eceonomy::economy
  1989. ::esctasy::ecstasy
  1990. ::eles::eels
  1991. ::effeciency::efficiency
  1992. ::efficency::efficiency
  1993. ::effecient::efficient
  1994. ::efficent::efficient
  1995. ::effeciently::efficiently
  1996. ::efficently::efficiently
  1997. ::effulence::effluence
  1998. ::efort::effort
  1999. ::eforts::efforts
  2000. ::aggregious::egregious
  2001. ::eight o::eight o
  2002. ::eigth::eighth
  2003. ::eiter::either
  2004. ::ellected::elected
  2005. ::electrial::electrical
  2006. ::electricly::electrically
  2007. ::electricty::electricity
  2008. ::eletricity::electricity
  2009. ::elementay::elementary
  2010. ::elimentary::elementary
  2011. ::elphant::elephant
  2012. ::elicided::elicited
  2013. ::eligable::eligible
  2014. ::eleminated::eliminated
  2015. ::eleminating::eliminating
  2016. ::alse::else
  2017. ::esle::else
  2018. ::eminate::emanate
  2019. ::eminated::emanated
  2020. ::embargos::embargoes
  2021. ::embarras::embarrass
  2022. ::embarrased::embarrassed
  2023. ::embarrasing::embarrassing
  2024. ::embarrasment::embarrassment
  2025. ::embezelled::embezzled
  2026. ::emblamatic::emblematic
  2027. ::emmigrated::emigrated
  2028. ::emmisaries::emissaries
  2029. ::emmisarries::emissaries
  2030. ::emmisarry::emissary
  2031. ::emmisary::emissary
  2032. ::emision::emission
  2033. ::emmision::emission
  2034. ::emmisions::emissions
  2035. ::emited::emitted
  2036. ::emmited::emitted
  2037. ::emmitted::emitted
  2038. ::emiting::emitting
  2039. ::emmiting::emitting
  2040. ::emmitting::emitting
  2041. ::emphsis::emphasis
  2042. ::emphaised::emphasised
  2043. ::emphysyma::emphysema
  2044. ::emperical::empirical
  2045. ::imploys::employs
  2046. ::enameld::enamelled
  2047. ::encouraing::encouraging
  2048. ::encryptiion::encryption
  2049. ::encylopedia::encyclopedia
  2050. ::endevors::endeavors
  2051. ::endevour::endeavour
  2052. ::endevours::endeavours
  2053. ::endig::ending
  2054. ::endolithes::endoliths
  2055. ::enforceing::enforcing
  2056. ::engagment::engagement
  2057. ::engeneer::engineer
  2058. ::engieneer::engineer
  2059. ::engeneering::engineering
  2060. ::engieneers::engineers
  2061. ::enlish::English
  2062. ::enchancement::enhancement
  2063. ::emnity::enmity
  2064. ::enourmous::enormous
  2065. ::enourmously::enormously
  2066. ::enought::enough
  2067. ::ensconsed::ensconced

comments powered by Disqus